From ff09b412f4bba0526585d1501a9a41d53ab50fc2 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 11 Sep 2019 12:43:27 +0530 Subject: [PATCH 01/49] feat: Allowed multiple payment requests against a reference document (#18988) --- .../payment_request/payment_request.py | 51 +++++++++++++++---- .../payment_request/test_payment_request.py | 26 ++++++++-- 2 files changed, 63 insertions(+), 14 deletions(-) diff --git a/erpnext/accounts/doctype/payment_request/payment_request.py b/erpnext/accounts/doctype/payment_request/payment_request.py index 73758bea85..eda59abf04 100644 --- a/erpnext/accounts/doctype/payment_request/payment_request.py +++ b/erpnext/accounts/doctype/payment_request/payment_request.py @@ -20,7 +20,7 @@ class PaymentRequest(Document): if self.get("__islocal"): self.status = 'Draft' self.validate_reference_document() - self.validate_payment_request() + self.validate_payment_request_amount() self.validate_currency() self.validate_subscription_details() @@ -28,10 +28,19 @@ class PaymentRequest(Document): if not self.reference_doctype or not self.reference_name: frappe.throw(_("To create a Payment Request reference document is required")) - def validate_payment_request(self): - if frappe.db.get_value("Payment Request", {"reference_name": self.reference_name, - "name": ("!=", self.name), "status": ("not in", ["Initiated", "Paid"]), "docstatus": 1}, "name"): - frappe.throw(_("Payment Request already exists {0}".format(self.reference_name))) + def validate_payment_request_amount(self): + existing_payment_request_amount = \ + get_existing_payment_request_amount(self.reference_doctype, self.reference_name) + + if existing_payment_request_amount: + ref_doc = frappe.get_doc(self.reference_doctype, self.reference_name) + if (hasattr(ref_doc, "order_type") \ + and getattr(ref_doc, "order_type") != "Shopping Cart"): + 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))) def validate_currency(self): ref_doc = frappe.get_doc(self.reference_doctype, self.reference_name) @@ -271,7 +280,7 @@ def make_payment_request(**args): args = frappe._dict(args) ref_doc = frappe.get_doc(args.dt, args.dn) - grand_total = get_amount(ref_doc, args.dt) + grand_total = get_amount(ref_doc) if args.loyalty_points and args.dt == "Sales Order": from erpnext.accounts.doctype.loyalty_program.loyalty_program import validate_loyalty_points loyalty_amount = validate_loyalty_points(ref_doc, int(args.loyalty_points)) @@ -281,17 +290,25 @@ def make_payment_request(**args): gateway_account = get_gateway_details(args) or frappe._dict() - existing_payment_request = frappe.db.get_value("Payment Request", - {"reference_doctype": args.dt, "reference_name": args.dn, "docstatus": ["!=", 2]}) - bank_account = (get_party_bank_account(args.get('party_type'), args.get('party')) if args.get('party_type') else '') + existing_payment_request = None + if args.order_type == "Shopping Cart": + existing_payment_request = frappe.db.get_value("Payment Request", + {"reference_doctype": args.dt, "reference_name": args.dn, "docstatus": ("!=", 2)}) + if existing_payment_request: frappe.db.set_value("Payment Request", existing_payment_request, "grand_total", grand_total, update_modified=False) pr = frappe.get_doc("Payment Request", existing_payment_request) - else: + if args.order_type != "Shopping Cart": + existing_payment_request_amount = \ + get_existing_payment_request_amount(args.dt, args.dn) + + if existing_payment_request_amount: + grand_total -= existing_payment_request_amount + pr = frappe.new_doc("Payment Request") pr.update({ "payment_gateway_account": gateway_account.get("name"), @@ -327,8 +344,9 @@ def make_payment_request(**args): return pr.as_dict() -def get_amount(ref_doc, dt): +def get_amount(ref_doc): """get amount based on doctype""" + dt = ref_doc.doctype if dt in ["Sales Order", "Purchase Order"]: grand_total = flt(ref_doc.grand_total) - flt(ref_doc.advance_paid) @@ -347,6 +365,17 @@ def get_amount(ref_doc, dt): else: frappe.throw(_("Payment Entry is already created")) +def get_existing_payment_request_amount(ref_dt, ref_dn): + existing_payment_request_amount = frappe.db.sql(""" + select sum(grand_total) + from `tabPayment Request` + where + reference_doctype = %s + and reference_name = %s + and docstatus = 1 + """, (ref_dt, ref_dn)) + return flt(existing_payment_request_amount[0][0]) if existing_payment_request_amount else 0 + def get_gateway_details(args): """return gateway and payment account of default payment gateway""" if args.get("payment_gateway"): diff --git a/erpnext/accounts/doctype/payment_request/test_payment_request.py b/erpnext/accounts/doctype/payment_request/test_payment_request.py index bfd6d54824..188ab0aecf 100644 --- a/erpnext/accounts/doctype/payment_request/test_payment_request.py +++ b/erpnext/accounts/doctype/payment_request/test_payment_request.py @@ -37,12 +37,12 @@ class TestPaymentRequest(unittest.TestCase): def setUp(self): if not frappe.db.get_value("Payment Gateway", payment_gateway["gateway"], "name"): frappe.get_doc(payment_gateway).insert(ignore_permissions=True) - + for method in payment_method: - if not frappe.db.get_value("Payment Gateway Account", {"payment_gateway": method["payment_gateway"], + if not frappe.db.get_value("Payment Gateway Account", {"payment_gateway": method["payment_gateway"], "currency": method["currency"]}, "name"): frappe.get_doc(method).insert(ignore_permissions=True) - + def test_payment_request_linkings(self): so_inr = make_sales_order(currency="INR") pr = make_payment_request(dt="Sales Order", dn=so_inr.name, recipient_id="saurabh@erpnext.com") @@ -100,3 +100,23 @@ class TestPaymentRequest(unittest.TestCase): self.assertEqual(expected_gle[gle.account][1], gle.debit) self.assertEqual(expected_gle[gle.account][2], gle.credit) self.assertEqual(expected_gle[gle.account][3], gle.against_voucher) + + def test_multiple_payment_entries_against_sales_order(self): + # Make Sales Order, grand_total = 1000 + so = make_sales_order() + + # Payment Request amount = 200 + pr1 = make_payment_request(dt="Sales Order", dn=so.name, + recipient_id="nabin@erpnext.com", return_doc=1) + pr1.grand_total = 200 + pr1.submit() + + # Make a 2nd Payment Request + pr2 = make_payment_request(dt="Sales Order", dn=so.name, + recipient_id="nabin@erpnext.com", return_doc=1) + + self.assertEqual(pr2.grand_total, 800) + + # Try to make Payment Request more than SO amount, should give validation + pr2.grand_total = 900 + self.assertRaises(frappe.ValidationError, pr2.save) \ No newline at end of file From 1d1858a8b09fcc0a98ba4c5d8968568ce86e3eda Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Wed, 11 Sep 2019 18:39:49 +0530 Subject: [PATCH 02/49] Show draft future payments as well --- .../report/accounts_receivable/accounts_receivable.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/report/accounts_receivable/accounts_receivable.py b/erpnext/accounts/report/accounts_receivable/accounts_receivable.py index b2bf3f90a7..a7279f75f1 100755 --- a/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +++ b/erpnext/accounts/report/accounts_receivable/accounts_receivable.py @@ -365,7 +365,7 @@ class ReceivablePayableReport(object): on (ref.parent = payment_entry.name) where - payment_entry.docstatus = 1 + payment_entry.docstatus < 2 and payment_entry.posting_date > %s and payment_entry.party_type = %s """, (self.filters.report_date, self.party_type), as_dict=1) @@ -390,7 +390,7 @@ class ReceivablePayableReport(object): on (jea.parent = je.name) where - je.docstatus = 1 + je.docstatus < 2 and je.posting_date > %s and jea.party_type = %s and jea.reference_name is not null and jea.reference_name != '' From cd38ba483338e3679a0198e0d9aed1c29dd7f182 Mon Sep 17 00:00:00 2001 From: Fisher Yu <12823863+szufisher@users.noreply.github.com> Date: Wed, 11 Sep 2019 21:40:39 +0800 Subject: [PATCH 03/49] fix: several bugs and improvement ideas for education module #18599 (#18600) * Update student_report_generation_tool.py bug fix * Update student_applicant.json * Update program_course.json * Update course_activity.json --- .../doctype/course_activity/course_activity.json | 4 ++-- .../doctype/program_course/program_course.json | 11 ++++++++++- .../doctype/student_applicant/student_applicant.json | 3 +-- .../student_report_generation_tool.py | 4 ++-- 4 files changed, 15 insertions(+), 7 deletions(-) diff --git a/erpnext/education/doctype/course_activity/course_activity.json b/erpnext/education/doctype/course_activity/course_activity.json index 99ae9aee56..3e23c90da0 100644 --- a/erpnext/education/doctype/course_activity/course_activity.json +++ b/erpnext/education/doctype/course_activity/course_activity.json @@ -30,7 +30,7 @@ "in_global_search": 0, "in_list_view": 0, "in_standard_filter": 0, - "label": "Enrollment", + "label": "Course Enrollment", "length": 0, "no_copy": 0, "options": "Course Enrollment", @@ -298,4 +298,4 @@ "track_changes": 1, "track_seen": 0, "track_views": 0 -} \ No newline at end of file +} diff --git a/erpnext/education/doctype/program_course/program_course.json b/erpnext/education/doctype/program_course/program_course.json index 3465040415..a24e88a861 100644 --- a/erpnext/education/doctype/program_course/program_course.json +++ b/erpnext/education/doctype/program_course/program_course.json @@ -5,6 +5,7 @@ "engine": "InnoDB", "field_order": [ "course", + "course_name", "required" ], "fields": [ @@ -16,6 +17,14 @@ "label": "Course", "options": "Course", "reqd": 1 + }, + { + "fieldname": "course_name", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Course Name", + "fetch_from": "course.course_name", + "read_only":1 }, { "default": "0", @@ -36,4 +45,4 @@ "sort_field": "modified", "sort_order": "DESC", "track_changes": 1 -} \ No newline at end of file +} diff --git a/erpnext/education/doctype/student_applicant/student_applicant.json b/erpnext/education/doctype/student_applicant/student_applicant.json index 71134e0907..e5d0bd37de 100644 --- a/erpnext/education/doctype/student_applicant/student_applicant.json +++ b/erpnext/education/doctype/student_applicant/student_applicant.json @@ -705,7 +705,6 @@ "bold": 0, "collapsible": 0, "columns": 0, - "default": "INDIAN", "fieldname": "nationality", "fieldtype": "Data", "hidden": 0, @@ -1231,4 +1230,4 @@ "track_changes": 0, "track_seen": 0, "track_views": 0 -} \ No newline at end of file +} diff --git a/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py b/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py index 16933dcfe0..c0a73596ac 100644 --- a/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py +++ b/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.py @@ -55,7 +55,7 @@ def preview_report_card(doc): "courses": courses, "assessment_groups": assessment_groups, "course_criteria": course_criteria, - "letterhead": letterhead.content, + "letterhead": letterhead and letterhead.get('content', None), "add_letterhead": doc.add_letterhead if doc.add_letterhead else 0 }) final_template = frappe.render_template(base_template_path, {"body": html, "title": "Report Card"}) @@ -89,4 +89,4 @@ def get_attendance_count(student, academic_year, academic_term=None): attendance["Present"] = 0 return attendance else: - frappe.throw(_("Provide the academic year and set the starting and ending date.")) \ No newline at end of file + frappe.throw(_("Provide the academic year and set the starting and ending date.")) From e3ef56804cc7364dcd281f145970cff9200588da Mon Sep 17 00:00:00 2001 From: Himanshu Date: Wed, 11 Sep 2019 19:20:20 +0530 Subject: [PATCH 04/49] fix(Issue): track split from in issue (#18994) * fix: track split from in issue * fix: rename field name * fix: remove first_mins to response --- erpnext/support/doctype/issue/issue.js | 2 +- erpnext/support/doctype/issue/issue.json | 774 ++++++++++++----------- erpnext/support/doctype/issue/issue.py | 11 + 3 files changed, 403 insertions(+), 384 deletions(-) diff --git a/erpnext/support/doctype/issue/issue.js b/erpnext/support/doctype/issue/issue.js index aec9db9d4a..bad40cc37f 100644 --- a/erpnext/support/doctype/issue/issue.js +++ b/erpnext/support/doctype/issue/issue.js @@ -107,7 +107,7 @@ frappe.ui.form.on("Issue", { }, () => { reset_sla.enable_primary_action(); frm.refresh(); - frappe.msgprint(__("Service Level Agreement Reset.")); + frappe.msgprint(__("Service Level Agreement was reset.")); }); } }); diff --git a/erpnext/support/doctype/issue/issue.json b/erpnext/support/doctype/issue/issue.json index 1e5d5f9ea7..222554bda1 100644 --- a/erpnext/support/doctype/issue/issue.json +++ b/erpnext/support/doctype/issue/issue.json @@ -1,384 +1,392 @@ { - "allow_import": 1, - "allow_rename": 1, - "autoname": "naming_series:", - "creation": "2013-02-01 10:36:25", - "doctype": "DocType", - "document_type": "Setup", - "engine": "InnoDB", - "field_order": [ - "subject_section", - "naming_series", - "subject", - "customer", - "raised_by", - "cb00", - "status", - "priority", - "issue_type", - "sb_details", - "description", - "service_level_section", - "service_level_agreement", - "response_by", - "response_by_variance", - "reset_service_level_agreement", - "cb", - "agreement_fulfilled", - "resolution_by", - "resolution_by_variance", - "service_level_agreement_creation", - "response", - "mins_to_first_response", - "first_responded_on", - "additional_info", - "lead", - "contact", - "email_account", - "column_break_16", - "customer_name", - "project", - "company", - "section_break_19", - "resolution_details", - "column_break1", - "opening_date", - "opening_time", - "resolution_date", - "content_type", - "attachment", - "via_customer_portal" - ], - "fields": [ - { - "fieldname": "subject_section", - "fieldtype": "Section Break", - "label": "Subject", - "options": "fa fa-flag" - }, - { - "fieldname": "naming_series", - "fieldtype": "Select", - "label": "Series", - "no_copy": 1, - "options": "ISS-.YYYY.-", - "print_hide": 1, - "set_only_once": 1 - }, - { - "bold": 1, - "fieldname": "subject", - "fieldtype": "Data", - "in_global_search": 1, - "in_standard_filter": 1, - "label": "Subject", - "reqd": 1 - }, - { - "fieldname": "customer", - "fieldtype": "Link", - "in_global_search": 1, - "label": "Customer", - "oldfieldname": "customer", - "oldfieldtype": "Link", - "options": "Customer", - "print_hide": 1, - "search_index": 1 - }, - { - "bold": 1, - "depends_on": "eval:doc.__islocal", - "fieldname": "raised_by", - "fieldtype": "Data", - "in_global_search": 1, - "in_list_view": 1, - "label": "Raised By (Email)", - "oldfieldname": "raised_by", - "oldfieldtype": "Data", - "options": "Email" - }, - { - "fieldname": "cb00", - "fieldtype": "Column Break" - }, - { - "default": "Open", - "fieldname": "status", - "fieldtype": "Select", - "in_list_view": 1, - "in_standard_filter": 1, - "label": "Status", - "no_copy": 1, - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "Open\nReplied\nHold\nClosed", - "search_index": 1 - }, - { - "default": "Medium", - "fieldname": "priority", - "fieldtype": "Link", - "in_standard_filter": 1, - "label": "Priority", - "options": "Issue Priority" - }, - { - "fieldname": "issue_type", - "fieldtype": "Link", - "label": "Issue Type", - "options": "Issue Type" - }, - { - "collapsible": 1, - "collapsible_depends_on": "eval:doc.status!=\"Closed\"", - "fieldname": "sb_details", - "fieldtype": "Section Break", - "label": "Details" - }, - { - "bold": 1, - "fieldname": "description", - "fieldtype": "Text Editor", - "in_global_search": 1, - "label": "Description", - "oldfieldname": "problem_description", - "oldfieldtype": "Text" - }, - { - "collapsible": 1, - "fieldname": "service_level_section", - "fieldtype": "Section Break", - "label": "Service Level" - }, - { - "fieldname": "service_level_agreement", - "fieldtype": "Link", - "label": "Service Level Agreement", - "options": "Service Level Agreement" - }, - { - "fieldname": "response_by", - "fieldtype": "Datetime", - "label": "Response By", - "read_only": 1 - }, - { - "collapsible": 1, - "fieldname": "cb", - "fieldtype": "Column Break", - "options": "fa fa-pushpin", - "read_only": 1 - }, - { - "fieldname": "resolution_by", - "fieldtype": "Datetime", - "label": "Resolution By", - "read_only": 1 - }, - { - "collapsible": 1, - "fieldname": "response", - "fieldtype": "Section Break", - "label": "Response" - }, - { - "bold": 1, - "fieldname": "mins_to_first_response", - "fieldtype": "Float", - "label": "Mins to First Response", - "read_only": 1 - }, - { - "fieldname": "first_responded_on", - "fieldtype": "Datetime", - "label": "First Responded On" - }, - { - "collapsible": 1, - "fieldname": "additional_info", - "fieldtype": "Section Break", - "label": "Reference", - "options": "fa fa-pushpin", - "read_only": 1 - }, - { - "fieldname": "lead", - "fieldtype": "Link", - "label": "Lead", - "options": "Lead" - }, - { - "fieldname": "contact", - "fieldtype": "Link", - "label": "Contact", - "options": "Contact" - }, - { - "fieldname": "email_account", - "fieldtype": "Link", - "label": "Email Account", - "options": "Email Account" - }, - { - "fieldname": "column_break_16", - "fieldtype": "Column Break" - }, - { - "bold": 1, - "fieldname": "customer_name", - "fieldtype": "Data", - "label": "Customer Name", - "oldfieldname": "customer_name", - "oldfieldtype": "Data", - "read_only": 1 - }, - { - "fieldname": "project", - "fieldtype": "Link", - "label": "Project", - "options": "Project" - }, - { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", - "print_hide": 1 - }, - { - "collapsible": 1, - "fieldname": "section_break_19", - "fieldtype": "Section Break", - "label": "Resolution" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "resolution_details", - "fieldtype": "Text Editor", - "label": "Resolution Details", - "no_copy": 1, - "oldfieldname": "resolution_details", - "oldfieldtype": "Text" - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "column_break1", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "read_only": 1 - }, - { - "default": "Today", - "fieldname": "opening_date", - "fieldtype": "Date", - "label": "Opening Date", - "no_copy": 1, - "oldfieldname": "opening_date", - "oldfieldtype": "Date", - "read_only": 1 - }, - { - "fieldname": "opening_time", - "fieldtype": "Time", - "label": "Opening Time", - "no_copy": 1, - "oldfieldname": "opening_time", - "oldfieldtype": "Time", - "read_only": 1 - }, - { - "depends_on": "eval:!doc.__islocal", - "fieldname": "resolution_date", - "fieldtype": "Datetime", - "label": "Resolution Date", - "no_copy": 1, - "oldfieldname": "resolution_date", - "oldfieldtype": "Date", - "read_only": 1 - }, - { - "fieldname": "content_type", - "fieldtype": "Data", - "hidden": 1, - "label": "Content Type" - }, - { - "fieldname": "attachment", - "fieldtype": "Attach", - "hidden": 1, - "label": "Attachment" - }, - { - "default": "0", - "fieldname": "via_customer_portal", - "fieldtype": "Check", - "label": "Via Customer Portal" - }, - { - "default": "Ongoing", - "depends_on": "eval: doc.service_level_agreement", - "fieldname": "agreement_fulfilled", - "fieldtype": "Select", - "label": "Service Level Agreement Fulfilled", - "options": "Ongoing\nFulfilled\nFailed", - "read_only": 1 - }, - { - "depends_on": "eval: doc.service_level_agreement", - "description": "in hours", - "fieldname": "response_by_variance", - "fieldtype": "Float", - "label": "Response By Variance", - "read_only": 1 - }, - { - "depends_on": "eval: doc.service_level_agreement", - "description": "in hours", - "fieldname": "resolution_by_variance", - "fieldtype": "Float", - "label": "Resolution By Variance", - "read_only": 1 - }, - { - "fieldname": "service_level_agreement_creation", - "fieldtype": "Datetime", - "hidden": 1, - "label": "Service Level Agreement Creation", - "read_only": 1 - }, - { - "depends_on": "eval: doc.service_level_agreement", - "fieldname": "reset_service_level_agreement", - "fieldtype": "Button", - "label": "Reset Service Level Agreement" - } - ], - "icon": "fa fa-ticket", - "idx": 7, - "modified": "2019-07-11 23:57:22.015881", - "modified_by": "Administrator", - "module": "Support", - "name": "Issue", - "owner": "Administrator", - "permissions": [ - { - "create": 1, - "delete": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Support Team", - "share": 1, - "write": 1 - } - ], - "quick_entry": 1, - "search_fields": "status,customer,subject,raised_by", - "sort_field": "modified", - "sort_order": "ASC", - "timeline_field": "customer", - "title_field": "subject", - "track_changes": 1, - "track_seen": 1 - } \ No newline at end of file + "allow_import": 1, + "allow_rename": 1, + "autoname": "naming_series:", + "creation": "2013-02-01 10:36:25", + "doctype": "DocType", + "document_type": "Setup", + "engine": "InnoDB", + "field_order": [ + "subject_section", + "naming_series", + "subject", + "customer", + "raised_by", + "cb00", + "status", + "priority", + "issue_type", + "issue_split_from", + "sb_details", + "description", + "service_level_section", + "service_level_agreement", + "response_by", + "response_by_variance", + "reset_service_level_agreement", + "cb", + "agreement_fulfilled", + "resolution_by", + "resolution_by_variance", + "service_level_agreement_creation", + "response", + "mins_to_first_response", + "first_responded_on", + "additional_info", + "lead", + "contact", + "email_account", + "column_break_16", + "customer_name", + "project", + "company", + "section_break_19", + "resolution_details", + "column_break1", + "opening_date", + "opening_time", + "resolution_date", + "content_type", + "attachment", + "via_customer_portal" + ], + "fields": [ + { + "fieldname": "subject_section", + "fieldtype": "Section Break", + "label": "Subject", + "options": "fa fa-flag" + }, + { + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 1, + "options": "ISS-.YYYY.-", + "print_hide": 1, + "set_only_once": 1 + }, + { + "bold": 1, + "fieldname": "subject", + "fieldtype": "Data", + "in_global_search": 1, + "in_standard_filter": 1, + "label": "Subject", + "reqd": 1 + }, + { + "fieldname": "customer", + "fieldtype": "Link", + "in_global_search": 1, + "label": "Customer", + "oldfieldname": "customer", + "oldfieldtype": "Link", + "options": "Customer", + "print_hide": 1, + "search_index": 1 + }, + { + "bold": 1, + "depends_on": "eval:doc.__islocal", + "fieldname": "raised_by", + "fieldtype": "Data", + "in_global_search": 1, + "in_list_view": 1, + "label": "Raised By (Email)", + "oldfieldname": "raised_by", + "oldfieldtype": "Data", + "options": "Email" + }, + { + "fieldname": "cb00", + "fieldtype": "Column Break" + }, + { + "default": "Open", + "fieldname": "status", + "fieldtype": "Select", + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Status", + "no_copy": 1, + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "Open\nReplied\nHold\nClosed", + "search_index": 1 + }, + { + "default": "Medium", + "fieldname": "priority", + "fieldtype": "Link", + "in_standard_filter": 1, + "label": "Priority", + "options": "Issue Priority" + }, + { + "fieldname": "issue_type", + "fieldtype": "Link", + "label": "Issue Type", + "options": "Issue Type" + }, + { + "collapsible": 1, + "collapsible_depends_on": "eval:doc.status!=\"Closed\"", + "fieldname": "sb_details", + "fieldtype": "Section Break", + "label": "Details" + }, + { + "bold": 1, + "fieldname": "description", + "fieldtype": "Text Editor", + "in_global_search": 1, + "label": "Description", + "oldfieldname": "problem_description", + "oldfieldtype": "Text" + }, + { + "collapsible": 1, + "fieldname": "service_level_section", + "fieldtype": "Section Break", + "label": "Service Level" + }, + { + "fieldname": "service_level_agreement", + "fieldtype": "Link", + "label": "Service Level Agreement", + "options": "Service Level Agreement" + }, + { + "fieldname": "response_by", + "fieldtype": "Datetime", + "label": "Response By", + "read_only": 1 + }, + { + "collapsible": 1, + "fieldname": "cb", + "fieldtype": "Column Break", + "options": "fa fa-pushpin", + "read_only": 1 + }, + { + "fieldname": "resolution_by", + "fieldtype": "Datetime", + "label": "Resolution By", + "read_only": 1 + }, + { + "collapsible": 1, + "fieldname": "response", + "fieldtype": "Section Break", + "label": "Response" + }, + { + "bold": 1, + "fieldname": "mins_to_first_response", + "fieldtype": "Float", + "label": "Mins to First Response", + "read_only": 1 + }, + { + "fieldname": "first_responded_on", + "fieldtype": "Datetime", + "label": "First Responded On" + }, + { + "collapsible": 1, + "fieldname": "additional_info", + "fieldtype": "Section Break", + "label": "Reference", + "options": "fa fa-pushpin", + "read_only": 1 + }, + { + "fieldname": "lead", + "fieldtype": "Link", + "label": "Lead", + "options": "Lead" + }, + { + "fieldname": "contact", + "fieldtype": "Link", + "label": "Contact", + "options": "Contact" + }, + { + "fieldname": "email_account", + "fieldtype": "Link", + "label": "Email Account", + "options": "Email Account" + }, + { + "fieldname": "column_break_16", + "fieldtype": "Column Break" + }, + { + "bold": 1, + "fieldname": "customer_name", + "fieldtype": "Data", + "label": "Customer Name", + "oldfieldname": "customer_name", + "oldfieldtype": "Data", + "read_only": 1 + }, + { + "fieldname": "project", + "fieldtype": "Link", + "label": "Project", + "options": "Project" + }, + { + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "print_hide": 1 + }, + { + "collapsible": 1, + "fieldname": "section_break_19", + "fieldtype": "Section Break", + "label": "Resolution" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "resolution_details", + "fieldtype": "Text Editor", + "label": "Resolution Details", + "no_copy": 1, + "oldfieldname": "resolution_details", + "oldfieldtype": "Text" + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "read_only": 1 + }, + { + "default": "Today", + "fieldname": "opening_date", + "fieldtype": "Date", + "label": "Opening Date", + "no_copy": 1, + "oldfieldname": "opening_date", + "oldfieldtype": "Date", + "read_only": 1 + }, + { + "fieldname": "opening_time", + "fieldtype": "Time", + "label": "Opening Time", + "no_copy": 1, + "oldfieldname": "opening_time", + "oldfieldtype": "Time", + "read_only": 1 + }, + { + "depends_on": "eval:!doc.__islocal", + "fieldname": "resolution_date", + "fieldtype": "Datetime", + "label": "Resolution Date", + "no_copy": 1, + "oldfieldname": "resolution_date", + "oldfieldtype": "Date", + "read_only": 1 + }, + { + "fieldname": "content_type", + "fieldtype": "Data", + "hidden": 1, + "label": "Content Type" + }, + { + "fieldname": "attachment", + "fieldtype": "Attach", + "hidden": 1, + "label": "Attachment" + }, + { + "default": "0", + "fieldname": "via_customer_portal", + "fieldtype": "Check", + "label": "Via Customer Portal" + }, + { + "default": "Ongoing", + "depends_on": "eval: doc.service_level_agreement", + "fieldname": "agreement_fulfilled", + "fieldtype": "Select", + "label": "Service Level Agreement Fulfilled", + "options": "Ongoing\nFulfilled\nFailed", + "read_only": 1 + }, + { + "depends_on": "eval: doc.service_level_agreement", + "description": "in hours", + "fieldname": "response_by_variance", + "fieldtype": "Float", + "label": "Response By Variance", + "read_only": 1 + }, + { + "depends_on": "eval: doc.service_level_agreement", + "description": "in hours", + "fieldname": "resolution_by_variance", + "fieldtype": "Float", + "label": "Resolution By Variance", + "read_only": 1 + }, + { + "fieldname": "service_level_agreement_creation", + "fieldtype": "Datetime", + "hidden": 1, + "label": "Service Level Agreement Creation", + "read_only": 1 + }, + { + "depends_on": "eval: doc.service_level_agreement", + "fieldname": "reset_service_level_agreement", + "fieldtype": "Button", + "label": "Reset Service Level Agreement" + }, + { + "fieldname": "issue_split_from", + "fieldtype": "Link", + "label": "Issue Split From", + "options": "Issue", + "read_only": 1 + } + ], + "icon": "fa fa-ticket", + "idx": 7, + "modified": "2019-09-11 09:03:57.465623", + "modified_by": "himanshu@erpnext.com", + "module": "Support", + "name": "Issue", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Support Team", + "share": 1, + "write": 1 + } + ], + "quick_entry": 1, + "search_fields": "status,customer,subject,raised_by", + "sort_field": "modified", + "sort_order": "ASC", + "timeline_field": "customer", + "title_field": "subject", + "track_changes": 1, + "track_seen": 1 +} \ No newline at end of file diff --git a/erpnext/support/doctype/issue/issue.py b/erpnext/support/doctype/issue/issue.py index 58e2076858..b748e3fa46 100644 --- a/erpnext/support/doctype/issue/issue.py +++ b/erpnext/support/doctype/issue/issue.py @@ -117,6 +117,9 @@ class Issue(Document): replicated_issue = deepcopy(self) replicated_issue.subject = subject + replicated_issue.issue_split_from = self.name + replicated_issue.mins_to_first_response = 0 + replicated_issue.first_responded_on = None replicated_issue.creation = now_datetime() # Reset SLA @@ -144,6 +147,14 @@ class Issue(Document): doc.reference_name = replicated_issue.name doc.save(ignore_permissions=True) + frappe.get_doc({ + "doctype": "Comment", + "comment_type": "Info", + "reference_doctype": "Issue", + "reference_name": replicated_issue.name, + "content": " - Split the Issue from {1}".format(self.name, frappe.bold(self.name)), + }).insert(ignore_permissions=True) + return replicated_issue.name def before_insert(self): From b1604a24ed9374dce718aad94a4a849c720beb81 Mon Sep 17 00:00:00 2001 From: sahil28297 <37302950+sahil28297@users.noreply.github.com> Date: Thu, 12 Sep 2019 11:20:55 +0530 Subject: [PATCH 05/49] fix(add_to_cart): show add_to_card button only if specific conditions are satisfied (#19007) --- erpnext/templates/generators/item/item_add_to_cart.html | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/erpnext/templates/generators/item/item_add_to_cart.html b/erpnext/templates/generators/item/item_add_to_cart.html index f4a31a7e73..2a70d8dbe9 100644 --- a/erpnext/templates/generators/item/item_add_to_cart.html +++ b/erpnext/templates/generators/item/item_add_to_cart.html @@ -27,6 +27,7 @@ {% endif %} {% endif %} + {% if product_info.price and (cart_settings.allow_items_not_in_stock or product_info.in_stock) %} + {% endif %} @@ -64,4 +66,4 @@ }); -{% endif %} \ No newline at end of file +{% endif %} From 504e52ff4653c6ba992354bfa82fea15cdedb6c9 Mon Sep 17 00:00:00 2001 From: Sammish Thundiyil Date: Thu, 12 Sep 2019 11:18:42 +0300 Subject: [PATCH 06/49] refactor: cost center (#19011) * modified: erpnext/accounts/doctype/cost_center/cost_center.json * fix: removed unique property from cost_center_name --- .../doctype/cost_center/cost_center.json | 584 +++++------------- 1 file changed, 149 insertions(+), 435 deletions(-) diff --git a/erpnext/accounts/doctype/cost_center/cost_center.json b/erpnext/accounts/doctype/cost_center/cost_center.json index 4da21f11fe..ff55c21497 100644 --- a/erpnext/accounts/doctype/cost_center/cost_center.json +++ b/erpnext/accounts/doctype/cost_center/cost_center.json @@ -1,457 +1,171 @@ { - "allow_copy": 1, - "allow_guest_to_view": 0, - "allow_import": 1, - "allow_rename": 1, - "autoname": "field:cost_center_name", - "beta": 0, - "creation": "2013-01-23 19:57:17", - "custom": 0, - "description": "Track separate Income and Expense for product verticals or divisions.", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Setup", - "editable_grid": 0, + "allow_copy": 1, + "allow_import": 1, + "allow_rename": 1, + "autoname": "field:cost_center_name", + "creation": "2013-01-23 19:57:17", + "description": "Track separate Income and Expense for product verticals or divisions.", + "doctype": "DocType", + "document_type": "Setup", + "engine": "InnoDB", + "field_order": [ + "sb0", + "cost_center_name", + "cost_center_number", + "parent_cost_center", + "company", + "cb0", + "is_group", + "enabled", + "lft", + "rgt", + "old_parent" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "sb0", - "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, - "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": "sb0", + "fieldtype": "Section Break" + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "cost_center_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": "Cost Center Name", - "length": 0, - "no_copy": 1, - "oldfieldname": "cost_center_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": 0 - }, + "fieldname": "cost_center_name", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Cost Center Name", + "no_copy": 1, + "oldfieldname": "cost_center_name", + "oldfieldtype": "Data", + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "cost_center_number", - "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": "Cost Center Number", - "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 - }, + "fieldname": "cost_center_number", + "fieldtype": "Data", + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Cost Center Number", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "parent_cost_center", - "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 Cost Center", - "length": 0, - "no_copy": 0, - "oldfieldname": "parent_cost_center", - "oldfieldtype": "Link", - "options": "Cost Center", - "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": "parent_cost_center", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "in_list_view": 1, + "label": "Parent Cost Center", + "oldfieldname": "parent_cost_center", + "oldfieldtype": "Link", + "options": "Cost Center", + "reqd": 1 + }, { - "allow_bulk_edit": 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": 1, - "in_standard_filter": 1, - "label": "Company", - "length": 0, - "no_copy": 0, - "oldfieldname": "company_name", - "oldfieldtype": "Link", - "options": "Company", - "permlevel": 0, - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 1, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "company", + "fieldtype": "Link", + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Company", + "oldfieldname": "company_name", + "oldfieldtype": "Link", + "options": "Company", + "remember_last_selected_value": 1, + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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", "width": "50%" - }, + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "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": 0, - "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 - }, + "default": "0", + "fieldname": "is_group", + "fieldtype": "Check", + "label": "Is Group" + }, { - "allow_bulk_edit": 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": 1, - "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, + "report_hide": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 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": 1, - "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, + "report_hide": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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": "Cost Center", - "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": "Cost Center", + "print_hide": 1, + "report_hide": 1 + }, + { + "default": "0", + "fieldname": "enabled", + "fieldtype": "Check", + "label": "Enabled" } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "fa fa-money", - "idx": 1, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "menu_index": 0, - "modified": "2018-04-26 15:26:25.325778", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Cost Center", - "owner": "Administrator", + ], + "icon": "fa fa-money", + "idx": 1, + "modified": "2019-08-22 15:05:05.559862", + "modified_by": "sammish.thundiyil@gmail.com", + "module": "Accounts", + "name": "Cost Center", + "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": 1, - "role": "Accounts Manager", - "set_user_permissions": 0, - "share": 1, - "submit": 0, + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "share": 1, "write": 1 - }, + }, { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 0, - "export": 1, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 0, - "read": 1, - "report": 1, - "role": "Auditor", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "export": 1, + "read": 1, + "report": 1, + "role": "Auditor" + }, { - "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" + }, { - "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": "Sales User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "read": 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": "Purchase User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 + "read": 1, + "role": "Purchase User" } - ], - "quick_entry": 1, - "read_only": 0, - "read_only_onload": 0, - "search_fields": "parent_cost_center, is_group", - "show_name_in_global_search": 1, - "sort_order": "ASC", - "track_changes": 0, - "track_seen": 0 -} \ No newline at end of file + ], + "quick_entry": 1, + "search_fields": "parent_cost_center, is_group", + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "ASC" +} From a3095c987a7987ba5d4a6bd0f9f9a7c95bbe7f9f Mon Sep 17 00:00:00 2001 From: Shivam Mishra Date: Thu, 12 Sep 2019 17:28:38 +0530 Subject: [PATCH 07/49] fix: optimized query (#19026) Co-authored-by: nabinhait Co-authored-by: sahil28297 --- erpnext/stock/doctype/stock_entry/stock_entry.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index e5a2102e44..0825557f18 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -1173,7 +1173,7 @@ class StockEntry(StockController): frappe.db.sql("""UPDATE `tabPurchase Order Item Supplied` pos SET pos.supplied_qty = (SELECT ifnull(sum(transfer_qty), 0) FROM `tabStock Entry Detail` sed WHERE pos.name = sed.po_detail and sed.docstatus = 1) - WHERE pos.docstatus = 1""") + WHERE pos.docstatus = 1 and pos.parent = %s""", self.purchase_order) #Update reserved sub contracted quantity in bin based on Supplied Item Details and for d in self.get("items"): From a5dfe0725fd48b8d25ab27ef65c19fa7b98a7bc2 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Thu, 12 Sep 2019 19:17:24 +0530 Subject: [PATCH 08/49] fix: payment against shareholder (#19019) --- erpnext/accounts/doctype/payment_entry/payment_entry.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.py b/erpnext/accounts/doctype/payment_entry/payment_entry.py index 536a6ed2c5..3529900d56 100644 --- a/erpnext/accounts/doctype/payment_entry/payment_entry.py +++ b/erpnext/accounts/doctype/payment_entry/payment_entry.py @@ -126,7 +126,7 @@ class PaymentEntry(AccountsController): if not self.party: frappe.throw(_("Party is mandatory")) - _party_name = "title" if self.party_type == "Student" else self.party_type.lower() + "_name" + _party_name = "title" if self.party_type in ("Student", "Shareholder") else self.party_type.lower() + "_name" self.party_name = frappe.db.get_value(self.party_type, self.party, _party_name) if self.party: From 3b0ec48b0cd8e8cb2be4694b13f29f22063b4585 Mon Sep 17 00:00:00 2001 From: Suraj Shetty <13928957+surajshetty3416@users.noreply.github.com> Date: Thu, 12 Sep 2019 19:18:44 +0530 Subject: [PATCH 09/49] fix: Naming series check to avoid duplicate entry error (#19015) * fix: Naming series check to avoid duplicate key error * fix: Check for existence of naming series --- erpnext/setup/doctype/naming_series/naming_series.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/setup/doctype/naming_series/naming_series.py b/erpnext/setup/doctype/naming_series/naming_series.py index cb7ad38014..b2cffbbf0d 100644 --- a/erpnext/setup/doctype/naming_series/naming_series.py +++ b/erpnext/setup/doctype/naming_series/naming_series.py @@ -151,7 +151,7 @@ class NamingSeries(Document): def insert_series(self, series): """insert series if missing""" - if not frappe.db.get_value('Series', series, 'name', order_by="name"): + if frappe.db.get_value('Series', series, 'name', order_by="name") == None: frappe.db.sql("insert into tabSeries (name, current) values (%s, 0)", (series)) def update_series_start(self): From d51f7af9ab7978393be9553e6271fe64f2751794 Mon Sep 17 00:00:00 2001 From: Himanshu Date: Thu, 12 Sep 2019 19:19:17 +0530 Subject: [PATCH 10/49] fix: add contact phone to sales order (#19012) --- .../doctype/sales_order/sales_order.json | 5726 ++++------------- 1 file changed, 1255 insertions(+), 4471 deletions(-) diff --git a/erpnext/selling/doctype/sales_order/sales_order.json b/erpnext/selling/doctype/sales_order/sales_order.json index 2481f31ffd..e537495d94 100644 --- a/erpnext/selling/doctype/sales_order/sales_order.json +++ b/erpnext/selling/doctype/sales_order/sales_order.json @@ -1,4472 +1,1256 @@ { - "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-06-18 12:39:59", - "custom": 0, - "docstatus": 0, - "doctype": "DocType", - "document_type": "Document", - "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, - "fetch_if_empty": 0, - "fieldname": "customer_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": "", - "length": 0, - "no_copy": 0, - "options": "fa fa-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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "column_break0", - "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, - "width": "50%" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "{customer_name}", - "fetch_if_empty": 0, - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "", - "fetch_if_empty": 0, - "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": "SAL-ORD-.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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "customer", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 1, - "in_list_view": 0, - "in_standard_filter": 1, - "label": "Customer", - "length": 0, - "no_copy": 0, - "oldfieldname": "customer", - "oldfieldtype": "Link", - "options": "Customer", - "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": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "fetch_from": "customer.customer_name", - "fetch_if_empty": 0, - "fieldname": "customer_name", - "fieldtype": "Data", - "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": "Customer Name", - "length": 0, - "no_copy": 0, - "options": "", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "Sales", - "depends_on": "", - "fetch_if_empty": 0, - "fieldname": "order_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": 0, - "label": "Order Type", - "length": 0, - "no_copy": 0, - "oldfieldname": "order_type", - "oldfieldtype": "Select", - "options": "\nSales\nMaintenance\nShopping Cart", - "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": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 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, - "width": "50%" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "amended_from", - "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": "Amended From", - "length": 0, - "no_copy": 1, - "oldfieldname": "amended_from", - "oldfieldtype": "Data", - "options": "Sales Order", - "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, - "width": "150px" - }, - { - "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": "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": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0, - "width": "150px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "Today", - "fetch_if_empty": 0, - "fieldname": "transaction_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": 1, - "label": "Date", - "length": 0, - "no_copy": 1, - "oldfieldname": "transaction_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, - "width": "160px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "delivery_date", - "fieldtype": "Date", - "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": "Delivery Date", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "description": "", - "fetch_if_empty": 0, - "fieldname": "po_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": "Customer's Purchase Order", - "length": 0, - "no_copy": 0, - "oldfieldname": "po_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": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0, - "width": "100px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.po_no", - "description": "", - "fetch_if_empty": 0, - "fieldname": "po_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": "Customer's Purchase Order Date", - "length": 0, - "no_copy": 0, - "oldfieldname": "po_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, - "width": "100px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "tax_id", - "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": "Tax Id", - "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, - "width": "100px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "collapsible_depends_on": "", - "columns": 0, - "depends_on": "customer", - "fetch_if_empty": 0, - "fieldname": "contact_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": "Address and Contact", - "length": 0, - "no_copy": 0, - "options": "fa fa-bullhorn", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "customer_address", - "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": "Customer Address", - "length": 0, - "no_copy": 0, - "options": "Address", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "address_display", - "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": "Address", - "length": 0, - "no_copy": 0, - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "contact_person", - "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": "Contact Person", - "length": 0, - "no_copy": 0, - "options": "Contact", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "contact_display", - "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": "Contact", - "length": 0, - "no_copy": 0, - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "contact_mobile", - "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": "Mobile No", - "length": 0, - "no_copy": 0, - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "contact_email", - "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": "Contact Email", - "length": 0, - "no_copy": 0, - "options": "Email", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "company_address_display", - "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": "", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "company_address", - "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": "Company Address", - "length": 0, - "no_copy": 0, - "options": "Address", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "col_break46", - "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, - "width": "50%" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "shipping_address_name", - "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": "Shipping Address Name", - "length": 0, - "no_copy": 0, - "options": "Address", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "shipping_address", - "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": "Shipping Address", - "length": 0, - "no_copy": 0, - "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 - }, - { - "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": "customer_group", - "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": "Customer Group", - "length": 0, - "no_copy": 0, - "options": "Customer Group", - "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 - }, - { - "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": "territory", - "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": "Territory", - "length": 0, - "no_copy": 0, - "options": "Territory", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "currency_and_price_list", - "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": "Currency and Price List", - "length": 0, - "no_copy": 0, - "options": "fa fa-tag", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "currency", - "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": "Currency", - "length": 0, - "no_copy": 0, - "oldfieldname": "currency", - "oldfieldtype": "Select", - "options": "Currency", - "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": 0, - "translatable": 0, - "unique": 0, - "width": "100px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "Rate at which customer's currency is converted to company's base currency", - "fetch_if_empty": 0, - "fieldname": "conversion_rate", - "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": "Exchange Rate", - "length": 0, - "no_copy": 0, - "oldfieldname": "conversion_rate", - "oldfieldtype": "Currency", - "permlevel": 0, - "precision": "9", - "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": 0, - "translatable": 0, - "unique": 0, - "width": "100px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "column_break2", - "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, - "width": "50%" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "selling_price_list", - "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": "Price List", - "length": 0, - "no_copy": 0, - "oldfieldname": "price_list_name", - "oldfieldtype": "Select", - "options": "Price List", - "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": 0, - "translatable": 0, - "unique": 0, - "width": "100px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "price_list_currency", - "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": "Price List Currency", - "length": 0, - "no_copy": 0, - "options": "Currency", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "Rate at which Price list currency is converted to company's base currency", - "fetch_if_empty": 0, - "fieldname": "plc_conversion_rate", - "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": "Price List Exchange Rate", - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "9", - "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": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "ignore_pricing_rule", - "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": "Ignore Pricing Rule", - "length": 0, - "no_copy": 1, - "permlevel": 1, - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "sec_warehouse", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "set_warehouse", - "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": "Set Source Warehouse", - "length": 0, - "no_copy": 0, - "options": "Warehouse", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "items_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": "", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Section Break", - "options": "fa fa-shopping-cart", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "scan_barcode", - "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": "Scan Barcode", - "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 - }, - { - "allow_bulk_edit": 1, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "items", - "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": "Items", - "length": 0, - "no_copy": 0, - "oldfieldname": "sales_order_details", - "oldfieldtype": "Table", - "options": "Sales Order Item", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "pricing_rule_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": "Pricing Rules", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "pricing_rules", - "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": "Pricing Rule Detail", - "length": 0, - "no_copy": 0, - "options": "Pricing Rule Detail", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "section_break_31", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "column_break_33a", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "total_qty", - "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": "Total Quantity", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "base_total", - "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 (Company Currency)", - "length": 0, - "no_copy": 0, - "options": "Company:company:default_currency", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "base_net_total", - "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": "Net Total (Company Currency)", - "length": 0, - "no_copy": 0, - "oldfieldname": "net_total", - "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, - "width": "150px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "column_break_33", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "total", - "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", - "length": 0, - "no_copy": 0, - "options": "currency", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "net_total", - "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": "Net Total", - "length": 0, - "no_copy": 0, - "options": "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "total_net_weight", - "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": "Total Net Weight", - "length": 0, - "no_copy": 0, - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "taxes_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": "Taxes and Charges", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Section Break", - "options": "fa fa-money", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "tax_category", - "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": "Tax Category", - "length": 0, - "no_copy": 0, - "options": "Tax Category", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "column_break_38", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "shipping_rule", - "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": "Shipping Rule", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Button", - "options": "Shipping Rule", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "section_break_40", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "taxes_and_charges", - "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": "Sales Taxes and Charges Template", - "length": 0, - "no_copy": 0, - "oldfieldname": "charge", - "oldfieldtype": "Link", - "options": "Sales Taxes and Charges Template", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 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": "Sales Taxes and Charges", - "length": 0, - "no_copy": 0, - "oldfieldname": "other_charges", - "oldfieldtype": "Table", - "options": "Sales Taxes and Charges", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "sec_tax_breakup", - "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": "Tax Breakup", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "other_charges_calculation", - "fieldtype": "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": "Taxes and Charges Calculation", - "length": 0, - "no_copy": 1, - "oldfieldtype": "HTML", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "section_break_43", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "base_total_taxes_and_charges", - "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 Taxes and Charges (Company Currency)", - "length": 0, - "no_copy": 0, - "oldfieldname": "other_charges_total", - "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, - "width": "150px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "column_break_46", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "total_taxes_and_charges", - "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 Taxes and Charges", - "length": 0, - "no_copy": 0, - "options": "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "loyalty_points_redemption", - "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": "Loyalty Points Redemption", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "loyalty_points", - "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": "Loyalty Points", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "loyalty_amount", - "fieldtype": "Currency", - "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": "Loyalty Amount", - "length": 0, - "no_copy": 0, - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "collapsible_depends_on": "discount_amount", - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "section_break_48", - "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": "Additional Discount", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "Grand Total", - "fetch_if_empty": 0, - "fieldname": "apply_discount_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": "Apply Additional Discount On", - "length": 0, - "no_copy": 0, - "options": "\nGrand Total\nNet Total", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "base_discount_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": "Additional Discount Amount (Company Currency)", - "length": 0, - "no_copy": 0, - "options": "Company:company:default_currency", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "column_break_50", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "fetch_if_empty": 0, - "fieldname": "additional_discount_percentage", - "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": "Additional Discount Percentage", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "fetch_if_empty": 0, - "fieldname": "discount_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": "Additional Discount Amount", - "length": 0, - "no_copy": 0, - "options": "currency", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "totals", - "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-money", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "base_grand_total", - "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": "Grand Total (Company Currency)", - "length": 0, - "no_copy": 0, - "oldfieldname": "grand_total", - "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, - "width": "150px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "base_rounding_adjustment", - "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": "Rounding Adjustment (Company Currency)", - "length": 0, - "no_copy": 1, - "options": "Company:company:default_currency", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "base_rounded_total", - "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": "Rounded Total (Company Currency)", - "length": 0, - "no_copy": 0, - "oldfieldname": "rounded_total", - "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, - "width": "150px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "In Words will be visible once you save the Sales Order.", - "fetch_if_empty": 0, - "fieldname": "base_in_words", - "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": "In Words (Company Currency)", - "length": 0, - "no_copy": 0, - "oldfieldname": "in_words", - "oldfieldtype": "Data", - "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, - "width": "200px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 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": 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, - "width": "50%" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "grand_total", - "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": "Grand Total", - "length": 0, - "no_copy": 0, - "oldfieldname": "grand_total_export", - "oldfieldtype": "Currency", - "options": "currency", - "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, - "width": "150px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "fetch_if_empty": 0, - "fieldname": "rounding_adjustment", - "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": "Rounding Adjustment", - "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": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 1, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "rounded_total", - "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": "Rounded Total", - "length": 0, - "no_copy": 0, - "oldfieldname": "rounded_total_export", - "oldfieldtype": "Currency", - "options": "currency", - "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, - "width": "150px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "in_words", - "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": "In Words", - "length": 0, - "no_copy": 0, - "oldfieldname": "in_words_export", - "oldfieldtype": "Data", - "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, - "width": "200px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "advance_paid", - "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": "Advance Paid", - "length": 0, - "no_copy": 1, - "options": "party_account_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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "collapsible_depends_on": "packed_items", - "columns": 0, - "description": "", - "fetch_if_empty": 0, - "fieldname": "packing_list", - "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": "Packing List", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Section Break", - "options": "fa fa-suitcase", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "packed_items", - "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": "Packed Items", - "length": 0, - "no_copy": 0, - "options": "Packed Item", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "collapsible_depends_on": "", - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "payment_schedule_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": "Payment Terms", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "payment_terms_template", - "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 Terms Template", - "length": 0, - "no_copy": 0, - "options": "Payment Terms Template", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "payment_schedule", - "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": "Payment Schedule", - "length": 0, - "no_copy": 1, - "options": "Payment Schedule", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "collapsible_depends_on": "terms", - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "terms_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": "Terms and Conditions", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Section Break", - "options": "fa fa-legal", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "tc_name", - "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": "Terms", - "length": 0, - "no_copy": 0, - "oldfieldname": "tc_name", - "oldfieldtype": "Link", - "options": "Terms and Conditions", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "terms", - "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": "Terms and Conditions Details", - "length": 0, - "no_copy": 0, - "oldfieldname": "terms", - "oldfieldtype": "Text Editor", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "collapsible_depends_on": "project", - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "more_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": 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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "inter_company_order_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 Order Reference", - "length": 0, - "no_copy": 0, - "options": "Purchase Order", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "Track this Sales Order against any Project", - "fetch_if_empty": 0, - "fieldname": "project", - "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": "Project", - "length": 0, - "no_copy": 0, - "oldfieldname": "project", - "oldfieldtype": "Link", - "options": "Project", - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "party_account_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": "Party Account 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": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "column_break_77", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "source", - "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": "Source", - "length": 0, - "no_copy": 0, - "oldfieldname": "source", - "oldfieldtype": "Select", - "options": "Lead Source", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "fetch_if_empty": 0, - "fieldname": "campaign", - "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": "Campaign", - "length": 0, - "no_copy": 0, - "oldfieldname": "campaign", - "oldfieldtype": "Link", - "options": "Campaign", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "printing_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": "Printing 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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "language", - "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": "Print Language", - "length": 0, - "no_copy": 0, - "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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 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, - "oldfieldname": "letter_head", - "oldfieldtype": "Select", - "options": "Letter Head", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "column_break4", - "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": 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, - "width": "50%" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 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_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "group_same_items", - "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": "Group same items", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "section_break_78", - "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": "Billing and Delivery Status", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Column Break", - "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, - "width": "50%" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "Draft", - "fetch_if_empty": 0, - "fieldname": "status", - "fieldtype": "Select", - "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": "Status", - "length": 0, - "no_copy": 1, - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "\nDraft\nOn Hold\nTo Deliver and Bill\nTo Bill\nTo Deliver\nCompleted\nCancelled\nClosed", - "permlevel": 0, - "print_hide": 1, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 1, - "search_index": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0, - "width": "100px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "delivery_status", - "fieldtype": "Select", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 1, - "label": "Delivery Status", - "length": 0, - "no_copy": 1, - "options": "Not Delivered\nFully Delivered\nPartly Delivered\nClosed\nNot Applicable", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:!doc.__islocal", - "description": "% of materials delivered against this Sales Order", - "fetch_if_empty": 0, - "fieldname": "per_delivered", - "fieldtype": "Percent", - "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": "% Delivered", - "length": 0, - "no_copy": 1, - "oldfieldname": "per_delivered", - "oldfieldtype": "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, - "width": "100px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "column_break_81", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:!doc.__islocal", - "description": "% of materials billed against this Sales Order", - "fetch_if_empty": 0, - "fieldname": "per_billed", - "fieldtype": "Percent", - "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": "% Amount Billed", - "length": 0, - "no_copy": 1, - "oldfieldname": "per_billed", - "oldfieldtype": "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, - "width": "100px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "fetch_if_empty": 0, - "fieldname": "billing_status", - "fieldtype": "Select", - "hidden": 1, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 1, - "label": "Billing Status", - "length": 0, - "no_copy": 1, - "options": "Not Billed\nFully Billed\nPartly Billed\nClosed", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "collapsible_depends_on": "commission_rate", - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "sales_team_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": "Commission", - "length": 0, - "no_copy": 0, - "oldfieldtype": "Section Break", - "options": "fa fa-group", - "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 - }, - { - "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_partner", - "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": "Sales Partner", - "length": 0, - "no_copy": 0, - "oldfieldname": "sales_partner", - "oldfieldtype": "Link", - "options": "Sales Partner", - "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, - "width": "150px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "column_break7", - "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": 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, - "width": "50%" - }, - { - "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": "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": "Commission Rate", - "length": 0, - "no_copy": 0, - "oldfieldname": "commission_rate", - "oldfieldtype": "Currency", - "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, - "width": "100px" - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "total_commission", - "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 Commission", - "length": 0, - "no_copy": 0, - "oldfieldname": "total_commission", - "oldfieldtype": "Currency", - "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": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 1, - "collapsible_depends_on": "sales_team", - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "section_break1", - "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 Team", - "length": 0, - "no_copy": 0, - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "sales_team", - "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": "Sales Team1", - "length": 0, - "no_copy": 0, - "oldfieldname": "sales_team", - "oldfieldtype": "Table", - "options": "Sales Team", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 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": "Auto Repeat Section", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "description": "", - "fetch_if_empty": 0, - "fieldname": "from_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": "From Date", - "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": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "description": "", - "fetch_if_empty": 0, - "fieldname": "to_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": "To Date", - "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": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, - "fieldname": "column_break_108", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 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": 0, - "options": "Auto Repeat", - "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 - }, - { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 1, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval: doc.auto_repeat", - "fetch_if_empty": 0, - "fieldname": "update_auto_repeat_reference", - "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": "Update Auto Repeat Reference", - "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 - } - ], - "has_web_view": 0, - "hide_toolbar": 0, - "icon": "fa fa-file-text", - "idx": 105, - "in_create": 0, - "is_submittable": 1, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2019-04-18 12:05:23.464968", - "modified_by": "Administrator", - "module": "Selling", - "name": "Sales Order", - "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": "Sales User", - "set_user_permissions": 0, - "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": "Sales Manager", - "set_user_permissions": 1, - "share": 1, - "submit": 1, - "write": 1 - }, - { - "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": "Maintenance User", - "set_user_permissions": 0, - "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": 0, - "role": "Accounts User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, - { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 0, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 0, - "print": 0, - "read": 1, - "report": 1, - "role": "Stock User", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, - { - "amend": 0, - "cancel": 0, - "create": 0, - "delete": 0, - "email": 0, - "export": 0, - "if_owner": 0, - "import": 0, - "permlevel": 1, - "print": 0, - "read": 1, - "report": 0, - "role": "Sales Manager", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 1 - } - ], - "quick_entry": 0, - "read_only": 0, - "search_fields": "status,transaction_date,customer,customer_name, territory,order_type,company", - "show_name_in_global_search": 1, - "sort_field": "modified", - "sort_order": "DESC", - "timeline_field": "customer", - "title_field": "title", - "track_changes": 1, - "track_seen": 1, - "track_views": 0 - } \ No newline at end of file + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2013-06-18 12:39:59", + "doctype": "DocType", + "document_type": "Document", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "customer_section", + "column_break0", + "title", + "naming_series", + "customer", + "customer_name", + "order_type", + "column_break1", + "amended_from", + "company", + "transaction_date", + "delivery_date", + "po_no", + "po_date", + "tax_id", + "contact_info", + "customer_address", + "address_display", + "contact_person", + "contact_display", + "contact_phone", + "contact_mobile", + "contact_email", + "company_address_display", + "company_address", + "col_break46", + "shipping_address_name", + "shipping_address", + "customer_group", + "territory", + "currency_and_price_list", + "currency", + "conversion_rate", + "column_break2", + "selling_price_list", + "price_list_currency", + "plc_conversion_rate", + "ignore_pricing_rule", + "sec_warehouse", + "set_warehouse", + "items_section", + "scan_barcode", + "items", + "pricing_rule_details", + "pricing_rules", + "section_break_31", + "column_break_33a", + "total_qty", + "base_total", + "base_net_total", + "column_break_33", + "total", + "net_total", + "total_net_weight", + "taxes_section", + "tax_category", + "column_break_38", + "shipping_rule", + "section_break_40", + "taxes_and_charges", + "taxes", + "sec_tax_breakup", + "other_charges_calculation", + "section_break_43", + "base_total_taxes_and_charges", + "column_break_46", + "total_taxes_and_charges", + "loyalty_points_redemption", + "loyalty_points", + "loyalty_amount", + "section_break_48", + "apply_discount_on", + "base_discount_amount", + "column_break_50", + "additional_discount_percentage", + "discount_amount", + "totals", + "base_grand_total", + "base_rounding_adjustment", + "base_rounded_total", + "base_in_words", + "column_break3", + "grand_total", + "rounding_adjustment", + "rounded_total", + "in_words", + "advance_paid", + "packing_list", + "packed_items", + "payment_schedule_section", + "payment_terms_template", + "payment_schedule", + "terms_section_break", + "tc_name", + "terms", + "more_info", + "inter_company_order_reference", + "project", + "party_account_currency", + "column_break_77", + "source", + "campaign", + "printing_details", + "language", + "letter_head", + "column_break4", + "select_print_heading", + "group_same_items", + "section_break_78", + "status", + "delivery_status", + "per_delivered", + "column_break_81", + "per_billed", + "billing_status", + "sales_team_section_break", + "sales_partner", + "column_break7", + "commission_rate", + "total_commission", + "section_break1", + "sales_team", + "subscription_section", + "from_date", + "to_date", + "column_break_108", + "auto_repeat", + "update_auto_repeat_reference" + ], + "fields": [ + { + "fieldname": "customer_section", + "fieldtype": "Section Break", + "options": "fa fa-user" + }, + { + "fieldname": "column_break0", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "width": "50%" + }, + { + "allow_on_submit": 1, + "default": "{customer_name}", + "fieldname": "title", + "fieldtype": "Data", + "hidden": 1, + "label": "Title", + "no_copy": 1, + "print_hide": 1 + }, + { + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "no_copy": 1, + "oldfieldname": "naming_series", + "oldfieldtype": "Select", + "options": "SAL-ORD-.YYYY.-", + "print_hide": 1, + "reqd": 1, + "set_only_once": 1 + }, + { + "bold": 1, + "fieldname": "customer", + "fieldtype": "Link", + "in_global_search": 1, + "in_standard_filter": 1, + "label": "Customer", + "oldfieldname": "customer", + "oldfieldtype": "Link", + "options": "Customer", + "print_hide": 1, + "reqd": 1, + "search_index": 1 + }, + { + "bold": 1, + "fetch_from": "customer.customer_name", + "fieldname": "customer_name", + "fieldtype": "Data", + "in_global_search": 1, + "label": "Customer Name", + "read_only": 1 + }, + { + "default": "Sales", + "fieldname": "order_type", + "fieldtype": "Select", + "label": "Order Type", + "oldfieldname": "order_type", + "oldfieldtype": "Select", + "options": "\nSales\nMaintenance\nShopping Cart", + "print_hide": 1, + "reqd": 1 + }, + { + "fieldname": "column_break1", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "width": "50%" + }, + { + "fieldname": "amended_from", + "fieldtype": "Link", + "hidden": 1, + "ignore_user_permissions": 1, + "label": "Amended From", + "no_copy": 1, + "oldfieldname": "amended_from", + "oldfieldtype": "Data", + "options": "Sales Order", + "print_hide": 1, + "read_only": 1, + "width": "150px" + }, + { + "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, + "width": "150px" + }, + { + "default": "Today", + "fieldname": "transaction_date", + "fieldtype": "Date", + "in_standard_filter": 1, + "label": "Date", + "no_copy": 1, + "oldfieldname": "transaction_date", + "oldfieldtype": "Date", + "reqd": 1, + "search_index": 1, + "width": "160px" + }, + { + "allow_on_submit": 1, + "fieldname": "delivery_date", + "fieldtype": "Date", + "in_list_view": 1, + "label": "Delivery Date", + "no_copy": 1 + }, + { + "allow_on_submit": 1, + "fieldname": "po_no", + "fieldtype": "Data", + "label": "Customer's Purchase Order", + "oldfieldname": "po_no", + "oldfieldtype": "Data", + "width": "100px" + }, + { + "allow_on_submit": 1, + "depends_on": "eval:doc.po_no", + "fieldname": "po_date", + "fieldtype": "Date", + "label": "Customer's Purchase Order Date", + "oldfieldname": "po_date", + "oldfieldtype": "Date", + "width": "100px" + }, + { + "fieldname": "tax_id", + "fieldtype": "Data", + "label": "Tax Id", + "read_only": 1, + "width": "100px" + }, + { + "collapsible": 1, + "depends_on": "customer", + "fieldname": "contact_info", + "fieldtype": "Section Break", + "label": "Address and Contact", + "options": "fa fa-bullhorn" + }, + { + "allow_on_submit": 1, + "fieldname": "customer_address", + "fieldtype": "Link", + "label": "Customer Address", + "options": "Address", + "print_hide": 1 + }, + { + "allow_on_submit": 1, + "fieldname": "address_display", + "fieldtype": "Small Text", + "label": "Address", + "read_only": 1 + }, + { + "fieldname": "contact_person", + "fieldtype": "Link", + "label": "Contact Person", + "options": "Contact", + "print_hide": 1 + }, + { + "fieldname": "contact_display", + "fieldtype": "Small Text", + "in_global_search": 1, + "label": "Contact", + "read_only": 1 + }, + { + "fieldname": "contact_mobile", + "fieldtype": "Small Text", + "label": "Mobile No", + "read_only": 1 + }, + { + "fieldname": "contact_email", + "fieldtype": "Data", + "hidden": 1, + "label": "Contact Email", + "options": "Email", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "company_address_display", + "fieldtype": "Small Text", + "read_only": 1 + }, + { + "fieldname": "company_address", + "fieldtype": "Link", + "label": "Company Address", + "options": "Address" + }, + { + "fieldname": "col_break46", + "fieldtype": "Column Break", + "width": "50%" + }, + { + "allow_on_submit": 1, + "fieldname": "shipping_address_name", + "fieldtype": "Link", + "label": "Shipping Address Name", + "options": "Address", + "print_hide": 1 + }, + { + "allow_on_submit": 1, + "fieldname": "shipping_address", + "fieldtype": "Small Text", + "label": "Shipping Address", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "customer_group", + "fieldtype": "Link", + "hidden": 1, + "label": "Customer Group", + "options": "Customer Group", + "print_hide": 1 + }, + { + "fieldname": "territory", + "fieldtype": "Link", + "label": "Territory", + "options": "Territory", + "print_hide": 1 + }, + { + "collapsible": 1, + "fieldname": "currency_and_price_list", + "fieldtype": "Section Break", + "label": "Currency and Price List", + "options": "fa fa-tag", + "print_hide": 1 + }, + { + "fieldname": "currency", + "fieldtype": "Link", + "label": "Currency", + "oldfieldname": "currency", + "oldfieldtype": "Select", + "options": "Currency", + "print_hide": 1, + "reqd": 1, + "width": "100px" + }, + { + "description": "Rate at which customer's currency is converted to company's base currency", + "fieldname": "conversion_rate", + "fieldtype": "Float", + "label": "Exchange Rate", + "oldfieldname": "conversion_rate", + "oldfieldtype": "Currency", + "precision": "9", + "print_hide": 1, + "reqd": 1, + "width": "100px" + }, + { + "fieldname": "column_break2", + "fieldtype": "Column Break", + "width": "50%" + }, + { + "fieldname": "selling_price_list", + "fieldtype": "Link", + "label": "Price List", + "oldfieldname": "price_list_name", + "oldfieldtype": "Select", + "options": "Price List", + "print_hide": 1, + "reqd": 1, + "width": "100px" + }, + { + "fieldname": "price_list_currency", + "fieldtype": "Link", + "label": "Price List Currency", + "options": "Currency", + "print_hide": 1, + "read_only": 1, + "reqd": 1 + }, + { + "description": "Rate at which Price list currency is converted to company's base currency", + "fieldname": "plc_conversion_rate", + "fieldtype": "Float", + "label": "Price List Exchange Rate", + "precision": "9", + "print_hide": 1, + "reqd": 1 + }, + { + "default": "0", + "fieldname": "ignore_pricing_rule", + "fieldtype": "Check", + "label": "Ignore Pricing Rule", + "no_copy": 1, + "permlevel": 1, + "print_hide": 1 + }, + { + "fieldname": "sec_warehouse", + "fieldtype": "Section Break" + }, + { + "fieldname": "set_warehouse", + "fieldtype": "Link", + "label": "Set Source Warehouse", + "options": "Warehouse", + "print_hide": 1 + }, + { + "fieldname": "items_section", + "fieldtype": "Section Break", + "oldfieldtype": "Section Break", + "options": "fa fa-shopping-cart" + }, + { + "fieldname": "scan_barcode", + "fieldtype": "Data", + "label": "Scan Barcode" + }, + { + "allow_bulk_edit": 1, + "fieldname": "items", + "fieldtype": "Table", + "label": "Items", + "oldfieldname": "sales_order_details", + "oldfieldtype": "Table", + "options": "Sales Order Item", + "reqd": 1 + }, + { + "fieldname": "pricing_rule_details", + "fieldtype": "Section Break", + "label": "Pricing Rules" + }, + { + "fieldname": "pricing_rules", + "fieldtype": "Table", + "label": "Pricing Rule Detail", + "options": "Pricing Rule Detail", + "read_only": 1 + }, + { + "fieldname": "section_break_31", + "fieldtype": "Section Break" + }, + { + "fieldname": "column_break_33a", + "fieldtype": "Column Break" + }, + { + "fieldname": "total_qty", + "fieldtype": "Float", + "label": "Total Quantity", + "read_only": 1 + }, + { + "fieldname": "base_total", + "fieldtype": "Currency", + "label": "Total (Company Currency)", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "base_net_total", + "fieldtype": "Currency", + "label": "Net Total (Company Currency)", + "oldfieldname": "net_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1, + "width": "150px" + }, + { + "fieldname": "column_break_33", + "fieldtype": "Column Break" + }, + { + "fieldname": "total", + "fieldtype": "Currency", + "label": "Total", + "options": "currency", + "read_only": 1 + }, + { + "fieldname": "net_total", + "fieldtype": "Currency", + "label": "Net Total", + "options": "currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "total_net_weight", + "fieldtype": "Float", + "label": "Total Net Weight", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "taxes_section", + "fieldtype": "Section Break", + "label": "Taxes and Charges", + "oldfieldtype": "Section Break", + "options": "fa fa-money" + }, + { + "fieldname": "tax_category", + "fieldtype": "Link", + "label": "Tax Category", + "options": "Tax Category", + "print_hide": 1 + }, + { + "fieldname": "column_break_38", + "fieldtype": "Column Break" + }, + { + "fieldname": "shipping_rule", + "fieldtype": "Link", + "label": "Shipping Rule", + "oldfieldtype": "Button", + "options": "Shipping Rule", + "print_hide": 1 + }, + { + "fieldname": "section_break_40", + "fieldtype": "Section Break" + }, + { + "fieldname": "taxes_and_charges", + "fieldtype": "Link", + "label": "Sales Taxes and Charges Template", + "oldfieldname": "charge", + "oldfieldtype": "Link", + "options": "Sales Taxes and Charges Template", + "print_hide": 1 + }, + { + "fieldname": "taxes", + "fieldtype": "Table", + "label": "Sales Taxes and Charges", + "oldfieldname": "other_charges", + "oldfieldtype": "Table", + "options": "Sales Taxes and Charges" + }, + { + "collapsible": 1, + "fieldname": "sec_tax_breakup", + "fieldtype": "Section Break", + "label": "Tax Breakup" + }, + { + "fieldname": "other_charges_calculation", + "fieldtype": "Text", + "label": "Taxes and Charges Calculation", + "no_copy": 1, + "oldfieldtype": "HTML", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "section_break_43", + "fieldtype": "Section Break" + }, + { + "fieldname": "base_total_taxes_and_charges", + "fieldtype": "Currency", + "label": "Total Taxes and Charges (Company Currency)", + "oldfieldname": "other_charges_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1, + "width": "150px" + }, + { + "fieldname": "column_break_46", + "fieldtype": "Column Break" + }, + { + "fieldname": "total_taxes_and_charges", + "fieldtype": "Currency", + "label": "Total Taxes and Charges", + "options": "currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "loyalty_points_redemption", + "fieldtype": "Section Break", + "hidden": 1, + "label": "Loyalty Points Redemption", + "print_hide": 1 + }, + { + "fieldname": "loyalty_points", + "fieldtype": "Int", + "hidden": 1, + "label": "Loyalty Points", + "read_only": 1 + }, + { + "fieldname": "loyalty_amount", + "fieldtype": "Currency", + "hidden": 1, + "label": "Loyalty Amount", + "print_hide": 1, + "read_only": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "discount_amount", + "fieldname": "section_break_48", + "fieldtype": "Section Break", + "label": "Additional Discount" + }, + { + "default": "Grand Total", + "fieldname": "apply_discount_on", + "fieldtype": "Select", + "label": "Apply Additional Discount On", + "options": "\nGrand Total\nNet Total", + "print_hide": 1 + }, + { + "fieldname": "base_discount_amount", + "fieldtype": "Currency", + "label": "Additional Discount Amount (Company Currency)", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "column_break_50", + "fieldtype": "Column Break" + }, + { + "fieldname": "additional_discount_percentage", + "fieldtype": "Float", + "label": "Additional Discount Percentage", + "print_hide": 1 + }, + { + "fieldname": "discount_amount", + "fieldtype": "Currency", + "label": "Additional Discount Amount", + "options": "currency", + "print_hide": 1 + }, + { + "fieldname": "totals", + "fieldtype": "Section Break", + "oldfieldtype": "Section Break", + "options": "fa fa-money", + "print_hide": 1 + }, + { + "fieldname": "base_grand_total", + "fieldtype": "Currency", + "label": "Grand Total (Company Currency)", + "oldfieldname": "grand_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1, + "width": "150px" + }, + { + "fieldname": "base_rounding_adjustment", + "fieldtype": "Currency", + "label": "Rounding Adjustment (Company Currency)", + "no_copy": 1, + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "base_rounded_total", + "fieldtype": "Currency", + "label": "Rounded Total (Company Currency)", + "oldfieldname": "rounded_total", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1, + "read_only": 1, + "width": "150px" + }, + { + "description": "In Words will be visible once you save the Sales Order.", + "fieldname": "base_in_words", + "fieldtype": "Data", + "label": "In Words (Company Currency)", + "oldfieldname": "in_words", + "oldfieldtype": "Data", + "print_hide": 1, + "read_only": 1, + "width": "200px" + }, + { + "fieldname": "column_break3", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "print_hide": 1, + "width": "50%" + }, + { + "fieldname": "grand_total", + "fieldtype": "Currency", + "in_list_view": 1, + "label": "Grand Total", + "oldfieldname": "grand_total_export", + "oldfieldtype": "Currency", + "options": "currency", + "read_only": 1, + "width": "150px" + }, + { + "fieldname": "rounding_adjustment", + "fieldtype": "Currency", + "label": "Rounding Adjustment", + "no_copy": 1, + "options": "currency", + "print_hide": 1, + "read_only": 1 + }, + { + "bold": 1, + "fieldname": "rounded_total", + "fieldtype": "Currency", + "label": "Rounded Total", + "oldfieldname": "rounded_total_export", + "oldfieldtype": "Currency", + "options": "currency", + "read_only": 1, + "width": "150px" + }, + { + "fieldname": "in_words", + "fieldtype": "Data", + "label": "In Words", + "oldfieldname": "in_words_export", + "oldfieldtype": "Data", + "print_hide": 1, + "read_only": 1, + "width": "200px" + }, + { + "fieldname": "advance_paid", + "fieldtype": "Currency", + "label": "Advance Paid", + "no_copy": 1, + "options": "party_account_currency", + "print_hide": 1, + "read_only": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "packed_items", + "fieldname": "packing_list", + "fieldtype": "Section Break", + "label": "Packing List", + "oldfieldtype": "Section Break", + "options": "fa fa-suitcase", + "print_hide": 1 + }, + { + "fieldname": "packed_items", + "fieldtype": "Table", + "label": "Packed Items", + "options": "Packed Item", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "payment_schedule_section", + "fieldtype": "Section Break", + "label": "Payment Terms" + }, + { + "fieldname": "payment_terms_template", + "fieldtype": "Link", + "label": "Payment Terms Template", + "options": "Payment Terms Template", + "print_hide": 1 + }, + { + "fieldname": "payment_schedule", + "fieldtype": "Table", + "label": "Payment Schedule", + "no_copy": 1, + "options": "Payment Schedule", + "print_hide": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "terms", + "fieldname": "terms_section_break", + "fieldtype": "Section Break", + "label": "Terms and Conditions", + "oldfieldtype": "Section Break", + "options": "fa fa-legal" + }, + { + "fieldname": "tc_name", + "fieldtype": "Link", + "label": "Terms", + "oldfieldname": "tc_name", + "oldfieldtype": "Link", + "options": "Terms and Conditions", + "print_hide": 1 + }, + { + "fieldname": "terms", + "fieldtype": "Text Editor", + "label": "Terms and Conditions Details", + "oldfieldname": "terms", + "oldfieldtype": "Text Editor" + }, + { + "collapsible": 1, + "collapsible_depends_on": "project", + "fieldname": "more_info", + "fieldtype": "Section Break", + "label": "More Information", + "oldfieldtype": "Section Break", + "options": "fa fa-file-text", + "print_hide": 1 + }, + { + "fieldname": "inter_company_order_reference", + "fieldtype": "Link", + "label": "Inter Company Order Reference", + "options": "Purchase Order" + }, + { + "description": "Track this Sales Order against any Project", + "fieldname": "project", + "fieldtype": "Link", + "label": "Project", + "oldfieldname": "project", + "oldfieldtype": "Link", + "options": "Project" + }, + { + "fieldname": "party_account_currency", + "fieldtype": "Link", + "hidden": 1, + "label": "Party Account Currency", + "no_copy": 1, + "options": "Currency", + "print_hide": 1, + "read_only": 1 + }, + { + "fieldname": "column_break_77", + "fieldtype": "Column Break" + }, + { + "fieldname": "source", + "fieldtype": "Link", + "label": "Source", + "oldfieldname": "source", + "oldfieldtype": "Select", + "options": "Lead Source", + "print_hide": 1 + }, + { + "fieldname": "campaign", + "fieldtype": "Link", + "label": "Campaign", + "oldfieldname": "campaign", + "oldfieldtype": "Link", + "options": "Campaign", + "print_hide": 1 + }, + { + "collapsible": 1, + "fieldname": "printing_details", + "fieldtype": "Section Break", + "label": "Printing Details" + }, + { + "fieldname": "language", + "fieldtype": "Data", + "label": "Print Language", + "print_hide": 1, + "read_only": 1 + }, + { + "allow_on_submit": 1, + "fieldname": "letter_head", + "fieldtype": "Link", + "label": "Letter Head", + "oldfieldname": "letter_head", + "oldfieldtype": "Select", + "options": "Letter Head", + "print_hide": 1 + }, + { + "fieldname": "column_break4", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "print_hide": 1, + "width": "50%" + }, + { + "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_on_submit": 1, + "default": "0", + "fieldname": "group_same_items", + "fieldtype": "Check", + "label": "Group same items", + "print_hide": 1 + }, + { + "collapsible": 1, + "fieldname": "section_break_78", + "fieldtype": "Section Break", + "label": "Billing and Delivery Status", + "oldfieldtype": "Column Break", + "print_hide": 1, + "width": "50%" + }, + { + "default": "Draft", + "fieldname": "status", + "fieldtype": "Select", + "in_list_view": 1, + "label": "Status", + "no_copy": 1, + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "\nDraft\nOn Hold\nTo Deliver and Bill\nTo Bill\nTo Deliver\nCompleted\nCancelled\nClosed", + "print_hide": 1, + "read_only": 1, + "reqd": 1, + "search_index": 1, + "width": "100px" + }, + { + "fieldname": "delivery_status", + "fieldtype": "Select", + "hidden": 1, + "in_standard_filter": 1, + "label": "Delivery Status", + "no_copy": 1, + "options": "Not Delivered\nFully Delivered\nPartly Delivered\nClosed\nNot Applicable", + "print_hide": 1 + }, + { + "depends_on": "eval:!doc.__islocal", + "description": "% of materials delivered against this Sales Order", + "fieldname": "per_delivered", + "fieldtype": "Percent", + "in_list_view": 1, + "label": "% Delivered", + "no_copy": 1, + "oldfieldname": "per_delivered", + "oldfieldtype": "Currency", + "print_hide": 1, + "read_only": 1, + "width": "100px" + }, + { + "fieldname": "column_break_81", + "fieldtype": "Column Break" + }, + { + "depends_on": "eval:!doc.__islocal", + "description": "% of materials billed against this Sales Order", + "fieldname": "per_billed", + "fieldtype": "Percent", + "in_list_view": 1, + "label": "% Amount Billed", + "no_copy": 1, + "oldfieldname": "per_billed", + "oldfieldtype": "Currency", + "print_hide": 1, + "read_only": 1, + "width": "100px" + }, + { + "fieldname": "billing_status", + "fieldtype": "Select", + "hidden": 1, + "in_standard_filter": 1, + "label": "Billing Status", + "no_copy": 1, + "options": "Not Billed\nFully Billed\nPartly Billed\nClosed", + "print_hide": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "commission_rate", + "fieldname": "sales_team_section_break", + "fieldtype": "Section Break", + "label": "Commission", + "oldfieldtype": "Section Break", + "options": "fa fa-group", + "print_hide": 1 + }, + { + "fieldname": "sales_partner", + "fieldtype": "Link", + "label": "Sales Partner", + "oldfieldname": "sales_partner", + "oldfieldtype": "Link", + "options": "Sales Partner", + "print_hide": 1, + "width": "150px" + }, + { + "fieldname": "column_break7", + "fieldtype": "Column Break", + "print_hide": 1, + "width": "50%" + }, + { + "fieldname": "commission_rate", + "fieldtype": "Float", + "label": "Commission Rate", + "oldfieldname": "commission_rate", + "oldfieldtype": "Currency", + "print_hide": 1, + "width": "100px" + }, + { + "fieldname": "total_commission", + "fieldtype": "Currency", + "label": "Total Commission", + "oldfieldname": "total_commission", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "print_hide": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "sales_team", + "fieldname": "section_break1", + "fieldtype": "Section Break", + "label": "Sales Team", + "print_hide": 1 + }, + { + "allow_on_submit": 1, + "fieldname": "sales_team", + "fieldtype": "Table", + "label": "Sales Team1", + "oldfieldname": "sales_team", + "oldfieldtype": "Table", + "options": "Sales Team", + "print_hide": 1 + }, + { + "allow_on_submit": 1, + "fieldname": "subscription_section", + "fieldtype": "Section Break", + "label": "Auto Repeat Section", + "no_copy": 1, + "print_hide": 1, + "read_only": 1 + }, + { + "allow_on_submit": 1, + "fieldname": "from_date", + "fieldtype": "Date", + "label": "From Date", + "no_copy": 1 + }, + { + "allow_on_submit": 1, + "fieldname": "to_date", + "fieldtype": "Date", + "label": "To Date", + "no_copy": 1 + }, + { + "fieldname": "column_break_108", + "fieldtype": "Column Break" + }, + { + "fieldname": "auto_repeat", + "fieldtype": "Link", + "label": "Auto Repeat", + "options": "Auto Repeat" + }, + { + "allow_on_submit": 1, + "depends_on": "eval: doc.auto_repeat", + "fieldname": "update_auto_repeat_reference", + "fieldtype": "Button", + "label": "Update Auto Repeat Reference" + }, + { + "fieldname": "contact_phone", + "fieldtype": "Data", + "label": "Phone", + "read_only": 1 + } + ], + "icon": "fa fa-file-text", + "idx": 105, + "is_submittable": 1, + "modified": "2019-09-12 02:13:56.308839", + "modified_by": "Administrator", + "module": "Selling", + "name": "Sales Order", + "owner": "Administrator", + "permissions": [ + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales User", + "share": 1, + "submit": 1, + "write": 1 + }, + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Sales Manager", + "set_user_permissions": 1, + "share": 1, + "submit": 1, + "write": 1 + }, + { + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Maintenance User", + "share": 1, + "submit": 1, + "write": 1 + }, + { + "email": 1, + "print": 1, + "read": 1, + "role": "Accounts User" + }, + { + "read": 1, + "report": 1, + "role": "Stock User" + }, + { + "permlevel": 1, + "read": 1, + "role": "Sales Manager", + "write": 1 + } + ], + "search_fields": "status,transaction_date,customer,customer_name, territory,order_type,company", + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "DESC", + "timeline_field": "customer", + "title_field": "title", + "track_changes": 1, + "track_seen": 1 +} \ No newline at end of file From cdce6c746f8625681aba750e3a7af25eac38233e Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Thu, 12 Sep 2019 22:04:49 +0530 Subject: [PATCH 11/49] fix: Make -> Create --- erpnext/public/js/call_popup/call_popup.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/public/js/call_popup/call_popup.js b/erpnext/public/js/call_popup/call_popup.js index 5278b322a4..5e4d4a585f 100644 --- a/erpnext/public/js/call_popup/call_popup.js +++ b/erpnext/public/js/call_popup/call_popup.js @@ -28,12 +28,12 @@ class CallPopup { 'depends_on': () => this.call_log.lead }, { 'fieldtype': 'Button', - 'label': __('Make New Contact'), + 'label': __('Create New Contact'), 'click': () => frappe.new_doc('Contact', { 'mobile_no': this.caller_number }), 'depends_on': () => !this.get_caller_name() }, { 'fieldtype': 'Button', - 'label': __('Make New Lead'), + 'label': __('Create New Lead'), 'click': () => frappe.new_doc('Lead', { 'mobile_no': this.caller_number }), 'depends_on': () => !this.get_caller_name() }, { From 72949e7f7387f0db3d39bd20a5749065d7f4ee4b Mon Sep 17 00:00:00 2001 From: Rucha Mahabal Date: Fri, 13 Sep 2019 11:05:40 +0530 Subject: [PATCH 12/49] fix: share transfer validations for journal entry (#19018) * fix share transfer validations for journal entry * fix: share transfer test * fix: tests --- .../doctype/share_transfer/share_transfer.py | 6 + .../share_transfer/test_share_transfer.py | 158 ++++++++++-------- 2 files changed, 90 insertions(+), 74 deletions(-) diff --git a/erpnext/accounts/doctype/share_transfer/share_transfer.py b/erpnext/accounts/doctype/share_transfer/share_transfer.py index 1a1f036278..e95c69413f 100644 --- a/erpnext/accounts/doctype/share_transfer/share_transfer.py +++ b/erpnext/accounts/doctype/share_transfer/share_transfer.py @@ -86,17 +86,23 @@ class ShareTransfer(Document): frappe.throw(_('The field From Shareholder cannot be blank')) if self.from_folio_no is None or self.from_folio_no is '': self.to_folio_no = self.autoname_folio(self.to_shareholder) + if self.asset_account is None: + frappe.throw(_('The field Asset Account cannot be blank')) elif (self.transfer_type == 'Issue'): self.from_shareholder = '' if self.to_shareholder is None or self.to_shareholder == '': frappe.throw(_('The field To Shareholder cannot be blank')) if self.to_folio_no is None or self.to_folio_no is '': self.to_folio_no = self.autoname_folio(self.to_shareholder) + if self.asset_account is None: + frappe.throw(_('The field Asset Account cannot be blank')) else: if self.from_shareholder is None or self.to_shareholder is None: frappe.throw(_('The fields From Shareholder and To Shareholder cannot be blank')) if self.to_folio_no is None or self.to_folio_no is '': self.to_folio_no = self.autoname_folio(self.to_shareholder) + if self.equity_or_liability_account is None: + frappe.throw(_('The field Equity/Liability Account cannot be blank')) if self.from_shareholder == self.to_shareholder: frappe.throw(_('The seller and the buyer cannot be the same')) if self.no_of_shares != self.to_no - self.from_no + 1: diff --git a/erpnext/accounts/doctype/share_transfer/test_share_transfer.py b/erpnext/accounts/doctype/share_transfer/test_share_transfer.py index f1cf31b820..910dfd05da 100644 --- a/erpnext/accounts/doctype/share_transfer/test_share_transfer.py +++ b/erpnext/accounts/doctype/share_transfer/test_share_transfer.py @@ -15,67 +15,74 @@ class TestShareTransfer(unittest.TestCase): frappe.db.sql("delete from `tabShare Balance`") share_transfers = [ { - "doctype" : "Share Transfer", - "transfer_type" : "Issue", - "date" : "2018-01-01", - "to_shareholder" : "SH-00001", - "share_type" : "Equity", - "from_no" : 1, - "to_no" : 500, - "no_of_shares" : 500, - "rate" : 10, - "company" : "_Test Company" + "doctype" : "Share Transfer", + "transfer_type" : "Issue", + "date" : "2018-01-01", + "to_shareholder" : "SH-00001", + "share_type" : "Equity", + "from_no" : 1, + "to_no" : 500, + "no_of_shares" : 500, + "rate" : 10, + "company" : "_Test Company", + "asset_account" : "Cash - _TC", + "equity_or_liability_account": "Creditors - _TC" }, { - "doctype" : "Share Transfer", - "transfer_type" : "Transfer", - "date" : "2018-01-02", - "from_shareholder" : "SH-00001", - "to_shareholder" : "SH-00002", - "share_type" : "Equity", - "from_no" : 101, - "to_no" : 200, - "no_of_shares" : 100, - "rate" : 15, - "company" : "_Test Company" + "doctype" : "Share Transfer", + "transfer_type" : "Transfer", + "date" : "2018-01-02", + "from_shareholder" : "SH-00001", + "to_shareholder" : "SH-00002", + "share_type" : "Equity", + "from_no" : 101, + "to_no" : 200, + "no_of_shares" : 100, + "rate" : 15, + "company" : "_Test Company", + "equity_or_liability_account": "Creditors - _TC" }, { - "doctype" : "Share Transfer", - "transfer_type" : "Transfer", - "date" : "2018-01-03", - "from_shareholder" : "SH-00001", - "to_shareholder" : "SH-00003", - "share_type" : "Equity", - "from_no" : 201, - "to_no" : 500, - "no_of_shares" : 300, - "rate" : 20, - "company" : "_Test Company" + "doctype" : "Share Transfer", + "transfer_type" : "Transfer", + "date" : "2018-01-03", + "from_shareholder" : "SH-00001", + "to_shareholder" : "SH-00003", + "share_type" : "Equity", + "from_no" : 201, + "to_no" : 500, + "no_of_shares" : 300, + "rate" : 20, + "company" : "_Test Company", + "equity_or_liability_account": "Creditors - _TC" }, { - "doctype" : "Share Transfer", - "transfer_type" : "Transfer", - "date" : "2018-01-04", - "from_shareholder" : "SH-00003", - "to_shareholder" : "SH-00002", - "share_type" : "Equity", - "from_no" : 201, - "to_no" : 400, - "no_of_shares" : 200, - "rate" : 15, - "company" : "_Test Company" + "doctype" : "Share Transfer", + "transfer_type" : "Transfer", + "date" : "2018-01-04", + "from_shareholder" : "SH-00003", + "to_shareholder" : "SH-00002", + "share_type" : "Equity", + "from_no" : 201, + "to_no" : 400, + "no_of_shares" : 200, + "rate" : 15, + "company" : "_Test Company", + "equity_or_liability_account": "Creditors - _TC" }, { - "doctype" : "Share Transfer", - "transfer_type" : "Purchase", - "date" : "2018-01-05", - "from_shareholder" : "SH-00003", - "share_type" : "Equity", - "from_no" : 401, - "to_no" : 500, - "no_of_shares" : 100, - "rate" : 25, - "company" : "_Test Company" + "doctype" : "Share Transfer", + "transfer_type" : "Purchase", + "date" : "2018-01-05", + "from_shareholder" : "SH-00003", + "share_type" : "Equity", + "from_no" : 401, + "to_no" : 500, + "no_of_shares" : 100, + "rate" : 25, + "company" : "_Test Company", + "asset_account" : "Cash - _TC", + "equity_or_liability_account": "Creditors - _TC" } ] for d in share_transfers: @@ -84,30 +91,33 @@ class TestShareTransfer(unittest.TestCase): def test_invalid_share_transfer(self): doc = frappe.get_doc({ - "doctype" : "Share Transfer", - "transfer_type" : "Transfer", - "date" : "2018-01-05", - "from_shareholder" : "SH-00003", - "to_shareholder" : "SH-00002", - "share_type" : "Equity", - "from_no" : 1, - "to_no" : 100, - "no_of_shares" : 100, - "rate" : 15, - "company" : "_Test Company" + "doctype" : "Share Transfer", + "transfer_type" : "Transfer", + "date" : "2018-01-05", + "from_shareholder" : "SH-00003", + "to_shareholder" : "SH-00002", + "share_type" : "Equity", + "from_no" : 1, + "to_no" : 100, + "no_of_shares" : 100, + "rate" : 15, + "company" : "_Test Company", + "equity_or_liability_account": "Creditors - _TC" }) self.assertRaises(ShareDontExists, doc.insert) doc = frappe.get_doc({ - "doctype" : "Share Transfer", - "transfer_type" : "Purchase", - "date" : "2018-01-02", - "from_shareholder" : "SH-00001", - "share_type" : "Equity", - "from_no" : 1, - "to_no" : 200, - "no_of_shares" : 200, - "rate" : 15, - "company" : "_Test Company" + "doctype" : "Share Transfer", + "transfer_type" : "Purchase", + "date" : "2018-01-02", + "from_shareholder" : "SH-00001", + "share_type" : "Equity", + "from_no" : 1, + "to_no" : 200, + "no_of_shares" : 200, + "rate" : 15, + "company" : "_Test Company", + "asset_account" : "Cash - _TC", + "equity_or_liability_account": "Creditors - _TC" }) self.assertRaises(ShareDontExists, doc.insert) From 755020843b05e3f2609e6017dfb2794938199115 Mon Sep 17 00:00:00 2001 From: Mangesh-Khairnar Date: Fri, 13 Sep 2019 11:07:09 +0530 Subject: [PATCH 13/49] fix: leave balance reports (#18984) * fix: process allocation expiry * fix: leave balance summary filter * fix: opening and closing balance * fix: check for department leave approvers * fix: minor changes * fix: consider leave approver in employee * Update employee_leave_balance_summary.py --- .../employee_leave_balance.py | 49 +++--------- .../employee_leave_balance_summary.js | 30 ++++--- .../employee_leave_balance_summary.py | 80 +++++++++++++------ 3 files changed, 85 insertions(+), 74 deletions(-) diff --git a/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py b/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py index 22f0203c90..7717ba0e40 100644 --- a/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +++ b/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py @@ -8,6 +8,8 @@ from frappe.utils import flt from erpnext.hr.doctype.leave_application.leave_application \ import get_leave_balance_on, get_leaves_for_period +from erpnext.hr.report.employee_leave_balance_summary.employee_leave_balance_summary \ + import get_department_leave_approver_map def execute(filters=None): leave_types = frappe.db.sql_list("select name from `tabLeave Type` order by name asc") @@ -19,7 +21,7 @@ def execute(filters=None): def get_columns(leave_types): columns = [ - _("Employee") + ":Link/Employee:150", + _("Employee") + ":Link.Employee:150", _("Employee Name") + "::200", _("Department") +"::150" ] @@ -52,11 +54,13 @@ def get_data(filters, leave_types): active_employees = frappe.get_all("Employee", filters=conditions, - fields=["name", "employee_name", "department", "user_id"]) + fields=["name", "employee_name", "department", "user_id", "leave_approver"]) + + department_approver_map = get_department_leave_approver_map(filters.get('department')) data = [] for employee in active_employees: - leave_approvers = get_approvers(employee.department) + leave_approvers = department_approver_map.get(employee.department_name, []).append(employee.leave_approver) if (len(leave_approvers) and user in leave_approvers) or (user in ["Administrator", employee.user_id]) or ("HR Manager" in frappe.get_roles(user)): row = [employee.name, employee.employee_name, employee.department] @@ -66,46 +70,13 @@ def get_data(filters, leave_types): filters.from_date, filters.to_date) * -1 # opening balance - opening = get_total_allocated_leaves(employee.name, leave_type, filters.from_date, filters.to_date) + opening = get_leave_balance_on(employee.name, leave_type, filters.from_date) # closing balance - closing = flt(opening) - flt(leaves_taken) + closing = get_leave_balance_on(employee.name, leave_type, filters.to_date) row += [opening, leaves_taken, closing] data.append(row) - return data - -def get_approvers(department): - if not department: - return [] - - approvers = [] - # get current department and all its child - department_details = frappe.db.get_value("Department", {"name": department}, ["lft", "rgt"], as_dict=True) - department_list = frappe.db.sql("""select name from `tabDepartment` - where lft >= %s and rgt <= %s order by lft desc - """, (department_details.lft, department_details.rgt), as_list = True) - - # retrieve approvers list from current department and from its subsequent child departments - for d in department_list: - approvers.extend([l.leave_approver for l in frappe.db.sql("""select approver from `tabDepartment Approver` \ - where parent = %s and parentfield = 'leave_approvers'""", (d), as_dict=True)]) - - return approvers - -def get_total_allocated_leaves(employee, leave_type, from_date, to_date): - ''' Returns leave allocation between from date and to date ''' - leave_allocation_records = frappe.db.get_all('Leave Ledger Entry', filters={ - 'docstatus': 1, - 'is_expired': 0, - 'leave_type': leave_type, - 'employee': employee, - 'transaction_type': 'Leave Allocation' - }, or_filters={ - 'from_date': ['between', (from_date, to_date)], - 'to_date': ['between', (from_date, to_date)] - }, fields=['SUM(leaves) as leaves']) - - return flt(leave_allocation_records[0].get('leaves')) if leave_allocation_records else flt(0) \ No newline at end of file + return data \ No newline at end of file diff --git a/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.js b/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.js index 838f4ad147..3fb8f6e9c1 100644 --- a/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.js +++ b/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.js @@ -4,6 +4,20 @@ frappe.query_reports['Employee Leave Balance Summary'] = { filters: [ + { + fieldname:'from_date', + label: __('From Date'), + fieldtype: 'Date', + reqd: 1, + default: frappe.defaults.get_default('year_start_date') + }, + { + fieldname:'to_date', + label: __('To Date'), + fieldtype: 'Date', + reqd: 1, + default: frappe.defaults.get_default('year_end_date') + }, { fieldname:'company', label: __('Company'), @@ -19,18 +33,10 @@ frappe.query_reports['Employee Leave Balance Summary'] = { options: 'Employee', }, { - fieldname:'from_date', - label: __('From Date'), - fieldtype: 'Date', - reqd: 1, - default: frappe.defaults.get_default('year_start_date') - }, - { - fieldname:'to_date', - label: __('To Date'), - fieldtype: 'Date', - reqd: 1, - default: frappe.defaults.get_default('year_end_date') + fieldname:'department', + label: __('Department'), + fieldtype: 'Link', + options: 'Department', } ] }; diff --git a/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py b/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py index 64a5c1c13a..15a5da00f8 100644 --- a/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py +++ b/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py @@ -5,9 +5,7 @@ from __future__ import unicode_literals import frappe from frappe.utils import flt from frappe import _ -from erpnext.hr.doctype.leave_application.leave_application import get_leaves_for_period - -from erpnext.hr.report.employee_leave_balance.employee_leave_balance import get_total_allocated_leaves +from erpnext.hr.doctype.leave_application.leave_application import get_leaves_for_period, get_leave_balance_on def execute(filters=None): if filters.to_date <= filters.from_date: @@ -58,16 +56,14 @@ def get_columns(): def get_data(filters): leave_types = frappe.db.sql_list("SELECT `name` FROM `tabLeave Type` ORDER BY `name` ASC") - conditions = { - 'status': 'Active', - } + conditions = get_conditions(filters) - if filters.get('employee'): - conditions['name'] = filters.get('employee') + user = frappe.session.user + department_approver_map = get_department_leave_approver_map(filters.get('department')) - active_employees = frappe.get_all('Employee', + active_employees = frappe.get_list('Employee', filters=conditions, - fields=['name', 'employee_name', 'department', 'user_id']) + fields=['name', 'employee_name', 'department', 'user_id', 'leave_approver']) data = [] @@ -76,21 +72,59 @@ def get_data(filters): 'leave_type': leave_type }) for employee in active_employees: - row = frappe._dict({ - 'employee': employee.name, - 'employee_name': employee.employee_name - }) + + leave_approvers = department_approver_map.get(employee.department_name, []).append(employee.leave_approver) - leaves_taken = get_leaves_for_period(employee.name, leave_type, - filters.from_date, filters.to_date) * -1 + if (len(leave_approvers) and user in leave_approvers) or (user in ["Administrator", employee.user_id]) \ + or ("HR Manager" in frappe.get_roles(user)): + row = frappe._dict({ + 'employee': employee.name, + 'employee_name': employee.employee_name + }) - opening = get_total_allocated_leaves(employee.name, leave_type, filters.from_date, filters.to_date) - closing = flt(opening) - flt(leaves_taken) + leaves_taken = get_leaves_for_period(employee.name, leave_type, + filters.from_date, filters.to_date) * -1 - row.opening_balance = opening - row.leaves_taken = leaves_taken - row.closing_balance = closing - row.indent = 1 - data.append(row) + opening = get_leave_balance_on(employee.name, leave_type, filters.from_date) + closing = get_leave_balance_on(employee.name, leave_type, filters.to_date) + + row.opening_balance = opening + row.leaves_taken = leaves_taken + row.closing_balance = closing + row.indent = 1 + data.append(row) return data + +def get_conditions(filters): + conditions={ + 'status': 'Active', + } + if filters.get('employee'): + conditions['name'] = filters.get('employee') + + if filters.get('employee'): + conditions['name'] = filters.get('employee') + + return conditions + +def get_department_leave_approver_map(department=None): + conditions='' + if department: + conditions='and department_name = %(department)s or parent_department = %(department)s'%{'department': department} + + # get current department and all its child + department_list = frappe.db.sql_list(''' SELECT name FROM `tabDepartment` WHERE disabled=0 {0}'''.format(conditions)) #nosec + + # retrieve approvers list from current department and from its subsequent child departments + approver_list = frappe.get_all('Department Approver', filters={ + 'parentfield': 'leave_approvers', + 'parent': ('in', department_list) + }, fields=['parent', 'approver'], as_list=1) + + approvers = {} + + for k, v in approver_list: + approvers.setdefault(k, []).append(v) + + return approvers From 6996c2d17d377484583301f044cef898f9310349 Mon Sep 17 00:00:00 2001 From: Suraj Shetty <13928957+surajshetty3416@users.noreply.github.com> Date: Fri, 13 Sep 2019 12:25:06 +0530 Subject: [PATCH 14/49] fix: Fetch image from user if available (#19030) --- erpnext/hr/doctype/employee/employee.json | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/erpnext/hr/doctype/employee/employee.json b/erpnext/hr/doctype/employee/employee.json index ee0b2a265a..9291820524 100644 --- a/erpnext/hr/doctype/employee/employee.json +++ b/erpnext/hr/doctype/employee/employee.json @@ -171,6 +171,8 @@ "read_only": 1 }, { + "fetch_from": "user_id.user_image", + "fetch_if_empty": 1, "fieldname": "image", "fieldtype": "Attach Image", "hidden": 1, @@ -780,7 +782,7 @@ "icon": "fa fa-user", "idx": 24, "image_field": "image", - "modified": "2019-09-06 15:54:36.735147", + "modified": "2019-09-12 14:21:12.711280", "modified_by": "Administrator", "module": "HR", "name": "Employee", From f8899827e0aff2c258e4d404f0f1019237307e2a Mon Sep 17 00:00:00 2001 From: Suraj Shetty <13928957+surajshetty3416@users.noreply.github.com> Date: Fri, 13 Sep 2019 12:27:00 +0530 Subject: [PATCH 15/49] fix: Add Exotel Settings to integration module (#19025) * fix: Add Exotel Settings to integration module * fix: Add description --- erpnext/config/integrations.py | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/erpnext/config/integrations.py b/erpnext/config/integrations.py index 52c9ab8e46..f8b3257b5c 100644 --- a/erpnext/config/integrations.py +++ b/erpnext/config/integrations.py @@ -40,6 +40,11 @@ def get_data(): "type": "doctype", "name": "Plaid Settings", "description": _("Connect your bank accounts to ERPNext"), + }, + { + "type": "doctype", + "name": "Exotel Settings", + "description": _("Connect your Exotel Account to ERPNext and track call logs"), } ] } From b3c732daf5fddcfa43bcb3ca8dbd633cc8b357d5 Mon Sep 17 00:00:00 2001 From: Chinmay Pai Date: Fri, 13 Sep 2019 15:48:08 +0530 Subject: [PATCH 16/49] refactor(plaid): move configuration from site_config to doctype (#18712) * feat(plaid): move plaid from site_config to doctype plaid requires accessing site_config and cloud users cannot access site_config and hence, plaid integration doesn't work on the cloud. Moving all the configuration from site_config to the Plaid Settings doctype fixes this issue. Signed-off-by: Chinmay D. Pai * feat(plaid): make changes to plaid_settings and add patch * remove all references for get()-ing plaid variables from frappe.conf and replace them with values from doctype * add patch to move all existing plaid settings variable values from frappe.conf to plaid_settings doctype Signed-off-by: Chinmay D. Pai * fix(plaid): use get_single_value for Plaid Settings Co-Authored-By: Himanshu * chore: reload plaid_settings before running patch Signed-off-by: Chinmay D. Pai * chore: remove useless semicolon fuck codacy Signed-off-by: Chinmay D. Pai --- .../doctype/plaid_settings/plaid_connector.py | 29 +-- .../doctype/plaid_settings/plaid_settings.js | 34 +-- .../plaid_settings/plaid_settings.json | 235 +++++++----------- .../doctype/plaid_settings/plaid_settings.py | 9 +- erpnext/patches.txt | 1 + .../v12_0/move_plaid_settings_to_doctype.py | 22 ++ 6 files changed, 147 insertions(+), 183 deletions(-) create mode 100644 erpnext/patches/v12_0/move_plaid_settings_to_doctype.py diff --git a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py index fbb0ebc2c8..532e19cffd 100644 --- a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py +++ b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_connector.py @@ -3,30 +3,31 @@ # For license information, please see license.txt from __future__ import unicode_literals -import frappe from frappe import _ -import requests +from frappe.utils.password import get_decrypted_password from plaid import Client from plaid.errors import APIError, ItemError +import frappe +import requests + class PlaidConnector(): def __init__(self, access_token=None): - if not(frappe.conf.get("plaid_client_id") and frappe.conf.get("plaid_secret") and frappe.conf.get("plaid_public_key")): - frappe.throw(_("Please complete your Plaid API configuration before synchronizing your account")) + plaid_settings = frappe.get_single("Plaid Settings") self.config = { - "plaid_client_id": frappe.conf.get("plaid_client_id"), - "plaid_secret": frappe.conf.get("plaid_secret"), - "plaid_public_key": frappe.conf.get("plaid_public_key"), - "plaid_env": frappe.conf.get("plaid_env") + "plaid_client_id": plaid_settings.plaid_client_id, + "plaid_secret": get_decrypted_password("Plaid Settings", "Plaid Settings", 'plaid_secret'), + "plaid_public_key": plaid_settings.plaid_public_key, + "plaid_env": plaid_settings.plaid_env } - self.client = Client(client_id=self.config["plaid_client_id"], - secret=self.config["plaid_secret"], - public_key=self.config["plaid_public_key"], - environment=self.config["plaid_env"] - ) + self.client = Client(client_id=self.config.get("plaid_client_id"), + secret=self.config.get("plaid_secret"), + public_key=self.config.get("plaid_public_key"), + environment=self.config.get("plaid_env") + ) self.access_token = access_token @@ -78,4 +79,4 @@ class PlaidConnector(): transactions.extend(response['transactions']) return transactions except Exception: - frappe.log_error(frappe.get_traceback(), _("Plaid transactions sync error")) \ No newline at end of file + frappe.log_error(frappe.get_traceback(), _("Plaid transactions sync error")) diff --git a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js index ace4fbf9e3..0ffbb877ea 100644 --- a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js +++ b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js @@ -4,8 +4,18 @@ frappe.provide("erpnext.integrations"); frappe.ui.form.on('Plaid Settings', { - link_new_account: function(frm) { - new erpnext.integrations.plaidLink(frm); + enabled: function(frm) { + frm.toggle_reqd('plaid_client_id', frm.doc.enabled); + frm.toggle_reqd('plaid_secret', frm.doc.enabled); + frm.toggle_reqd('plaid_public_key', frm.doc.enabled); + frm.toggle_reqd('plaid_env', frm.doc.enabled); + }, + refresh: function(frm) { + if(frm.doc.enabled) { + frm.add_custom_button('Link a new bank account', () => { + new erpnext.integrations.plaidLink(frm); + }); + } } }); @@ -19,20 +29,10 @@ erpnext.integrations.plaidLink = class plaidLink { init_config() { const me = this; - frappe.xcall('erpnext.erpnext_integrations.doctype.plaid_settings.plaid_settings.plaid_configuration') - .then(result => { - if (result !== "disabled") { - if (result.plaid_env == undefined || result.plaid_public_key == undefined) { - frappe.throw(__("Please add valid Plaid api keys in site_config.json first")); - } - me.plaid_env = result.plaid_env; - me.plaid_public_key = result.plaid_public_key; - me.client_name = result.client_name; - me.init_plaid(); - } else { - frappe.throw(__("Please save your document before adding a new account")); - } - }); + me.plaid_env = me.frm.doc.plaid_env; + me.plaid_public_key = me.frm.doc.plaid_public_key; + me.client_name = frappe.boot.sitename; + me.init_plaid(); } init_plaid() { @@ -104,4 +104,4 @@ erpnext.integrations.plaidLink = class plaidLink { }); }, __("Select a company"), __("Continue")); } -}; \ No newline at end of file +}; diff --git a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.json b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.json index ed51c4e8f8..9903048d0b 100644 --- a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.json +++ b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.json @@ -1,161 +1,96 @@ { - "allow_copy": 0, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 0, - "allow_rename": 0, - "beta": 0, - "creation": "2018-10-25 10:02:48.656165", - "custom": 0, - "docstatus": 0, - "doctype": "DocType", - "document_type": "", - "editable_grid": 1, - "engine": "InnoDB", + "creation": "2018-10-25 10:02:48.656165", + "doctype": "DocType", + "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "enabled", + "column_break_2", + "automatic_sync", + "section_break_4", + "plaid_client_id", + "plaid_secret", + "column_break_7", + "plaid_public_key", + "plaid_env" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 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 - }, + "default": "0", + "fieldname": "enabled", + "fieldtype": "Check", + "label": "Enabled" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:doc.enabled==1", - "fieldname": "automatic_sync", - "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": "Synchronize all accounts every hour", - "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", + "depends_on": "eval:doc.enabled==1", + "fieldname": "automatic_sync", + "fieldtype": "Check", + "label": "Synchronize all accounts every hour" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "depends_on": "eval:(doc.enabled==1)&&(!doc.__islocal)", - "fieldname": "link_new_account", - "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": "Link a new bank 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 + "depends_on": "eval:doc.enabled==1", + "fieldname": "plaid_client_id", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Plaid Client ID", + "reqd": 1 + }, + { + "depends_on": "eval:doc.enabled==1", + "fieldname": "plaid_secret", + "fieldtype": "Password", + "in_list_view": 1, + "label": "Plaid Secret", + "reqd": 1 + }, + { + "depends_on": "eval:doc.enabled==1", + "fieldname": "plaid_public_key", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Plaid Public Key", + "reqd": 1 + }, + { + "depends_on": "eval:doc.enabled==1", + "fieldname": "plaid_env", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Plaid Environment", + "reqd": 1 + }, + { + "fieldname": "column_break_2", + "fieldtype": "Column Break" + }, + { + "fieldname": "section_break_4", + "fieldtype": "Section Break" + }, + { + "fieldname": "column_break_7", + "fieldtype": "Column Break" } - ], - "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-12-14 12:51:12.331395", - "modified_by": "Administrator", - "module": "ERPNext Integrations", - "name": "Plaid Settings", - "name_case": "", - "owner": "Administrator", + ], + "issingle": 1, + "modified": "2019-08-13 17:00:06.939422", + "modified_by": "Administrator", + "module": "ERPNext Integrations", + "name": "Plaid Settings", + "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": "System Manager", - "set_user_permissions": 0, - "share": 1, - "submit": 0, + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "role": "System Manager", + "share": 1, "write": 1 } - ], - "quick_entry": 0, - "read_only": 0, - "read_only_onload": 0, - "show_name_in_global_search": 0, - "sort_field": "modified", - "sort_order": "DESC", - "track_changes": 0, - "track_seen": 0, - "track_views": 0 + ], + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file diff --git a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py index 8d31e24cd6..4af1d74094 100644 --- a/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py +++ b/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.py @@ -16,8 +16,13 @@ class PlaidSettings(Document): @frappe.whitelist() def plaid_configuration(): - if frappe.db.get_value("Plaid Settings", None, "enabled") == "1": - return {"plaid_public_key": frappe.conf.get("plaid_public_key") or None, "plaid_env": frappe.conf.get("plaid_env") or None, "client_name": frappe.local.site } + if frappe.db.get_single_value("Plaid Settings", "enabled"): + plaid_settings = frappe.get_single("Plaid Settings") + return { + "plaid_public_key": plaid_settings.plaid_public_key, + "plaid_env": plaid_settings.plaid_env, + "client_name": frappe.local.site + } else: return "disabled" diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 2f74d54dd2..7c1d8a034d 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -625,6 +625,7 @@ erpnext.patches.v12_0.add_default_buying_selling_terms_in_company erpnext.patches.v12_0.update_ewaybill_field_position erpnext.patches.v12_0.create_accounting_dimensions_in_missing_doctypes erpnext.patches.v11_1.set_status_for_material_request_type_manufacture +erpnext.patches.v12_0.move_plaid_settings_to_doctype execute:frappe.reload_doc('desk', 'doctype','dashboard_chart_link') execute:frappe.reload_doc('desk', 'doctype','dashboard') execute:frappe.reload_doc('desk', 'doctype','dashboard_chart_source') diff --git a/erpnext/patches/v12_0/move_plaid_settings_to_doctype.py b/erpnext/patches/v12_0/move_plaid_settings_to_doctype.py new file mode 100644 index 0000000000..8e60d33f85 --- /dev/null +++ b/erpnext/patches/v12_0/move_plaid_settings_to_doctype.py @@ -0,0 +1,22 @@ +# Copyright (c) 2017, Frappe and Contributors +# License: GNU General Public License v3. See license.txt + +from __future__ import unicode_literals +import frappe + +def execute(): + frappe.reload_doc("erpnext_integrations", "doctype", "plaid_settings") + plaid_settings = frappe.get_single("Plaid Settings") + if plaid_settings.enabled: + if not (frappe.conf.plaid_client_id and frappe.conf.plaid_env \ + and frappe.conf.plaid_public_key and frappe.conf.plaid_secret): + plaid_settings.enabled = 0 + else: + plaid_settings.update({ + "plaid_client_id": frappe.conf.plaid_client_id, + "plaid_public_key": frappe.conf.plaid_public_key, + "plaid_env": frappe.conf.plaid_env, + "plaid_secret": frappe.conf.plaid_secret + }) + plaid_settings.flags.ignore_mandatory = True + plaid_settings.save() From 93a9c081162a54db3faa77694f177e64798ab907 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Fri, 13 Sep 2019 15:48:50 +0530 Subject: [PATCH 17/49] fix: Allocate payment amount in reference table on change of payment amount (#19041) --- erpnext/accounts/doctype/payment_entry/payment_entry.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.js b/erpnext/accounts/doctype/payment_entry/payment_entry.js index f17b2cbeda..172d5372a6 100644 --- a/erpnext/accounts/doctype/payment_entry/payment_entry.js +++ b/erpnext/accounts/doctype/payment_entry/payment_entry.js @@ -720,7 +720,7 @@ frappe.ui.form.on('Payment Entry', { $.each(frm.doc.references || [], function(i, row) { row.allocated_amount = 0 //If allocate payment amount checkbox is unchecked, set zero to allocate amount - if(frappe.flags.allocate_payment_amount){ + if(frappe.flags.allocate_payment_amount != 0){ if(row.outstanding_amount > 0 && allocated_positive_outstanding > 0) { if(row.outstanding_amount >= allocated_positive_outstanding) { row.allocated_amount = allocated_positive_outstanding; From 3d433efdfe7cc97ce801cb6d8909e8fd8879a176 Mon Sep 17 00:00:00 2001 From: marination Date: Fri, 13 Sep 2019 16:28:11 +0530 Subject: [PATCH 18/49] fix[minor]: Changed error message in GSTR-1 Report Error message didn't prompt where the user has to add the missing value(GSTIN No.) --- erpnext/regional/report/gstr_1/gstr_1.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/regional/report/gstr_1/gstr_1.py b/erpnext/regional/report/gstr_1/gstr_1.py index 43e232bf72..922619cc42 100644 --- a/erpnext/regional/report/gstr_1/gstr_1.py +++ b/erpnext/regional/report/gstr_1/gstr_1.py @@ -722,7 +722,7 @@ def get_company_gstin_number(company): if gstin: return gstin[0]["gstin"] else: - frappe.throw(_("No GST No. found for the Company.")) + frappe.throw(_("Please set valid GSTIN No. in Company Address")) def download_json_file(filename, report_type, data): ''' download json content in a file ''' From 4a323463f76fcfeafb95dd97c016506857599511 Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Fri, 13 Sep 2019 18:36:57 +0530 Subject: [PATCH 19/49] fix: for pos, paid amount has not considered the tax amount due to which outstanding amount showing for the pos invoices (#19039) --- erpnext/accounts/page/pos/pos.js | 11 ++--------- 1 file changed, 2 insertions(+), 9 deletions(-) diff --git a/erpnext/accounts/page/pos/pos.js b/erpnext/accounts/page/pos/pos.js index 2173e7dfb7..0cd8bfefb8 100755 --- a/erpnext/accounts/page/pos/pos.js +++ b/erpnext/accounts/page/pos/pos.js @@ -1691,20 +1691,13 @@ erpnext.pos.PointOfSale = erpnext.taxes_and_totals.extend({ if(this.si_docs) { this.si_docs.forEach((row) => { - existing_pos_list.push(Object.keys(row)); + existing_pos_list.push(Object.keys(row)[0]); }); } if (this.frm.doc.offline_pos_name - && in_list(existing_pos_list, this.frm.doc.offline_pos_name)) { + && in_list(existing_pos_list, cstr(this.frm.doc.offline_pos_name))) { this.update_invoice() - //to retrieve and set the default payment - invoice_data[this.frm.doc.offline_pos_name] = this.frm.doc; - invoice_data[this.frm.doc.offline_pos_name].payments[0].amount = this.frm.doc.net_total - invoice_data[this.frm.doc.offline_pos_name].payments[0].base_amount = this.frm.doc.net_total - - this.frm.doc.paid_amount = this.frm.doc.net_total - this.frm.doc.outstanding_amount = 0 } else if(!this.frm.doc.offline_pos_name) { this.frm.doc.offline_pos_name = frappe.datetime.now_datetime(); this.frm.doc.posting_date = frappe.datetime.get_today(); From a9435cc6b0fb2656cb6776ddc74c9ab894c7213b Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Mon, 16 Sep 2019 11:14:33 +0530 Subject: [PATCH 20/49] fix: user can able to change rate and discount even if they don't have permission --- erpnext/accounts/page/pos/pos.js | 10 ++++++++-- 1 file changed, 8 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/page/pos/pos.js b/erpnext/accounts/page/pos/pos.js index 2173e7dfb7..2caa8ce651 100755 --- a/erpnext/accounts/page/pos/pos.js +++ b/erpnext/accounts/page/pos/pos.js @@ -1624,7 +1624,7 @@ erpnext.pos.PointOfSale = erpnext.taxes_and_totals.extend({ setTimeout(function () { w.print(); w.close(); - }, 1000) + }, 1000); }, submit_invoice: function () { @@ -1681,6 +1681,12 @@ erpnext.pos.PointOfSale = erpnext.taxes_and_totals.extend({ $(this.wrapper).find('.pos-bill').css('pointer-events', pointer_events); $(this.wrapper).find('.pos-items-section').css('pointer-events', pointer_events); this.set_primary_action(); + + $(this.wrapper).find('#pos-item-disc').prop('disabled', + this.pos_profile_data.allow_user_to_edit_discount ? false : true); + + $(this.wrapper).find('#pos-item-price').prop('disabled', + this.pos_profile_data.allow_user_to_edit_rate ? false : true); }, create_invoice: function () { @@ -1898,7 +1904,7 @@ erpnext.pos.PointOfSale = erpnext.taxes_and_totals.extend({ serial_no = me.item_serial_no[key][0]; } - if (this.items[0].has_serial_no && serial_no == "") { + if (this.items && this.items[0].has_serial_no && serial_no == "") { this.refresh(); frappe.throw(__(repl("Error: Serial no is mandatory for item %(item)s", { 'item': this.items[0].item_code From 74fdfff5b59e4bb28ce7c4e2e56a97650ca44742 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 16 Sep 2019 13:06:37 +0530 Subject: [PATCH 21/49] fix: Set todo status as Closed if task completed (#19059) --- erpnext/projects/doctype/task/task.py | 10 +++++----- 1 file changed, 5 insertions(+), 5 deletions(-) diff --git a/erpnext/projects/doctype/task/task.py b/erpnext/projects/doctype/task/task.py index c98b64d288..90e9f05f22 100755 --- a/erpnext/projects/doctype/task/task.py +++ b/erpnext/projects/doctype/task/task.py @@ -9,7 +9,7 @@ import frappe from frappe import _, throw from frappe.utils import add_days, cstr, date_diff, get_link_to_form, getdate from frappe.utils.nestedset import NestedSet - +from frappe.desk.form.assign_to import close_all_assignments, clear class CircularReferenceError(frappe.ValidationError): pass class EndDateCannotBeGreaterThanProjectEndDateError(frappe.ValidationError): pass @@ -45,8 +45,7 @@ class Task(NestedSet): 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))) - from frappe.desk.form.assign_to import clear - clear(self.doctype, self.name) + close_all_assignments(self.doctype, self.name) def validate_progress(self): if (self.progress or 0) > 100: @@ -77,8 +76,9 @@ class Task(NestedSet): self.populate_depends_on() def unassign_todo(self): - if self.status in ("Completed", "Cancelled"): - from frappe.desk.form.assign_to import clear + if self.status == "Completed": + close_all_assignments(self.doctype, self.name) + if self.status == "Cancelled": clear(self.doctype, self.name) def update_total_expense_claim(self): From c2a9b14c96f98987c1e720ca796592a36dbb2669 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 16 Sep 2019 13:26:37 +0530 Subject: [PATCH 22/49] fix: Invalid reference doctypes for accounting dimensions (#19027) * fix: Invalid reference doctypes for accounting dimensions * fix: Add server side validation for accounting doctypes * fix: set fieldname and label before insert --- .../accounting_dimension/accounting_dimension.js | 6 +++++- .../accounting_dimension/accounting_dimension.py | 10 ++++++++++ 2 files changed, 15 insertions(+), 1 deletion(-) diff --git a/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js b/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js index 88b11dd678..a36f4214d7 100644 --- a/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js +++ b/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.js @@ -5,9 +5,13 @@ frappe.ui.form.on('Accounting Dimension', { refresh: function(frm) { frm.set_query('document_type', () => { + let invalid_doctypes = frappe.model.core_doctypes_list; + invalid_doctypes.push('Accounting Dimension', 'Project', + 'Cost Center', 'Accounting Dimension Detail'); + return { filters: { - name: ['not in', ['Accounting Dimension', 'Project', 'Cost Center', 'Accounting Dimension Detail']] + name: ['not in', invalid_doctypes] } }; }); diff --git a/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py b/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py index 1f418de47b..59d7557b2a 100644 --- a/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py +++ b/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py @@ -11,10 +11,20 @@ from frappe.custom.doctype.custom_field.custom_field import create_custom_field from frappe import scrub from frappe.utils import cstr from frappe.utils.background_jobs import enqueue +from frappe.model import core_doctypes_list class AccountingDimension(Document): def before_insert(self): self.set_fieldname_and_label() + + def validate(self): + if self.document_type in core_doctypes_list + ('Accounting Dimension', 'Project', + 'Cost Center', 'Accounting Dimension Detail') : + + msg = _("Not allowed to create accounting dimension for {0}").format(self.document_type) + frappe.throw(msg) + + def after_insert(self): if frappe.flags.in_test: make_dimension_in_accounting_doctypes(doc=self) else: From a2a9b39794373825965eac22dfb2ab1b44943dbd Mon Sep 17 00:00:00 2001 From: Sammish Thundiyil Date: Mon, 16 Sep 2019 10:59:25 +0300 Subject: [PATCH 23/49] modified: erpnext/accounts/doctype/account/account.json (#19032) --- erpnext/accounts/doctype/account/account.json | 982 ++++-------------- 1 file changed, 225 insertions(+), 757 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.json b/erpnext/accounts/doctype/account/account.json index 460c025b69..48df8a190f 100644 --- a/erpnext/accounts/doctype/account/account.json +++ b/erpnext/accounts/doctype/account/account.json @@ -1,792 +1,260 @@ { - "allow_copy": 1, - "allow_events_in_timeline": 0, - "allow_guest_to_view": 0, - "allow_import": 1, - "allow_rename": 0, - "beta": 0, - "creation": "2013-01-30 12:49:46", - "custom": 0, - "description": "Heads (or groups) against which Accounting Entries are made and balances are maintained.", - "docstatus": 0, - "doctype": "DocType", - "document_type": "Setup", - "editable_grid": 0, + "allow_copy": 1, + "allow_import": 1, + "creation": "2013-01-30 12:49:46", + "description": "Heads (or groups) against which Accounting Entries are made and balances are maintained.", + "doctype": "DocType", + "document_type": "Setup", + "engine": "InnoDB", + "field_order": [ + "properties", + "column_break0", + "disabled", + "account_name", + "account_number", + "is_group", + "company", + "root_type", + "report_type", + "account_currency", + "inter_company_account", + "column_break1", + "parent_account", + "account_type", + "tax_rate", + "freeze_account", + "balance_must_be", + "lft", + "rgt", + "old_parent", + "include_in_gross" + ], "fields": [ { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "properties", - "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", - "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": "properties", + "fieldtype": "Section Break", + "oldfieldtype": "Section Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break0", - "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_break0", + "fieldtype": "Column Break", "width": "50%" - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "account_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": "Account Name", - "length": 0, - "no_copy": 1, - "oldfieldname": "account_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": 0 - }, + "fieldname": "account_name", + "fieldtype": "Data", + "in_list_view": 1, + "label": "Account Name", + "no_copy": 1, + "oldfieldname": "account_name", + "oldfieldtype": "Data", + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "account_number", - "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": "Account Number", - "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 - }, + "fieldname": "account_number", + "fieldtype": "Data", + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Account Number", + "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": "is_group", - "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 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 - }, + "default": "0", + "fieldname": "is_group", + "fieldtype": "Check", + "label": "Is Group" + }, { - "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": 0, - "print_hide_if_no_value": 0, - "read_only": 1, - "remember_last_selected_value": 1, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "company", + "fieldtype": "Link", + "in_standard_filter": 1, + "label": "Company", + "oldfieldname": "company", + "oldfieldtype": "Link", + "options": "Company", + "read_only": 1, + "remember_last_selected_value": 1, + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "root_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": "Root Type", - "length": 0, - "no_copy": 0, - "options": "\nAsset\nLiability\nIncome\nExpense\nEquity", - "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": "root_type", + "fieldtype": "Select", + "in_standard_filter": 1, + "label": "Root Type", + "options": "\nAsset\nLiability\nIncome\nExpense\nEquity", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "report_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": "Report Type", - "length": 0, - "no_copy": 0, - "options": "\nBalance Sheet\nProfit and Loss", - "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": "report_type", + "fieldtype": "Select", + "in_standard_filter": 1, + "label": "Report Type", + "options": "\nBalance Sheet\nProfit and Loss", + "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.is_group==0", - "fieldname": "account_currency", - "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": "Currency", - "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 - }, + "depends_on": "eval:doc.is_group==0", + "fieldname": "account_currency", + "fieldtype": "Link", + "label": "Currency", + "options": "Currency" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "0", - "fieldname": "inter_company_account", - "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": "Inter Company 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 - }, + "default": "0", + "fieldname": "inter_company_account", + "fieldtype": "Check", + "label": "Inter Company Account" + }, { - "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, - "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", "width": "50%" - }, + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "parent_account", - "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": "Parent Account", - "length": 0, - "no_copy": 0, - "oldfieldname": "parent_account", - "oldfieldtype": "Link", - "options": "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": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "parent_account", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Parent Account", + "oldfieldname": "parent_account", + "oldfieldtype": "Link", + "options": "Account", + "reqd": 1, + "search_index": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "Setting Account Type helps in selecting this Account in transactions.", - "fieldname": "account_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": "Account Type", - "length": 0, - "no_copy": 0, - "oldfieldname": "account_type", - "oldfieldtype": "Select", - "options": "\nAccumulated Depreciation\nAsset Received But Not Billed\nBank\nCash\nChargeable\nCapital Work in Progress\nCost of Goods Sold\nDepreciation\nEquity\nExpense Account\nExpenses Included In Asset Valuation\nExpenses Included In Valuation\nFixed Asset\nIncome Account\nPayable\nReceivable\nRound Off\nStock\nStock Adjustment\nStock Received But Not Billed\nTax\nTemporary", - "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": "Setting Account Type helps in selecting this Account in transactions.", + "fieldname": "account_type", + "fieldtype": "Select", + "in_standard_filter": 1, + "label": "Account Type", + "oldfieldname": "account_type", + "oldfieldtype": "Select", + "options": "\nAccumulated Depreciation\nAsset Received But Not Billed\nBank\nCash\nChargeable\nCapital Work in Progress\nCost of Goods Sold\nDepreciation\nEquity\nExpense Account\nExpenses Included In Asset Valuation\nExpenses Included In Valuation\nFixed Asset\nIncome Account\nPayable\nReceivable\nRound Off\nStock\nStock Adjustment\nStock Received But Not Billed\nTax\nTemporary" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "Rate at which this tax is applied", - "fieldname": "tax_rate", - "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": "Rate", - "length": 0, - "no_copy": 0, - "oldfieldname": "tax_rate", - "oldfieldtype": "Currency", - "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": "Rate at which this tax is applied", + "fieldname": "tax_rate", + "fieldtype": "Float", + "label": "Rate", + "oldfieldname": "tax_rate", + "oldfieldtype": "Currency" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "description": "If the account is frozen, entries are allowed to restricted users.", - "fieldname": "freeze_account", - "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": "Frozen", - "length": 0, - "no_copy": 0, - "oldfieldname": "freeze_account", - "oldfieldtype": "Select", - "options": "No\nYes", - "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": "If the account is frozen, entries are allowed to restricted users.", + "fieldname": "freeze_account", + "fieldtype": "Select", + "label": "Frozen", + "oldfieldname": "freeze_account", + "oldfieldtype": "Select", + "options": "No\nYes" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "balance_must_be", - "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": "Balance must be", - "length": 0, - "no_copy": 0, - "options": "\nDebit\nCredit", - "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": "balance_must_be", + "fieldtype": "Select", + "label": "Balance must be", + "options": "\nDebit\nCredit" + }, { - "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": 0, - "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": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "lft", + "fieldtype": "Int", + "hidden": 1, + "label": "Lft", + "print_hide": 1, + "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": "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": 0, - "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": 1, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "rgt", + "fieldtype": "Int", + "hidden": 1, + "label": "Rgt", + "print_hide": 1, + "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": "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": 0, - "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": "old_parent", + "fieldtype": "Data", + "hidden": 1, + "label": "Old Parent", + "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": "eval:(doc.report_type == 'Profit and Loss' && !doc.is_group)", - "fieldname": "include_in_gross", - "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": "Include in gross", - "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", + "depends_on": "eval:(doc.report_type == 'Profit and Loss' && !doc.is_group)", + "fieldname": "include_in_gross", + "fieldtype": "Check", + "label": "Include in gross" + }, + { + "bold": 1, + "default": "0", + "fieldname": "disabled", + "fieldtype": "Check", + "label": "Disable" } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "icon": "fa fa-money", - "idx": 1, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2019-03-04 14:42:07.208893", - "modified_by": "Administrator", - "module": "Accounts", - "name": "Account", - "owner": "Administrator", + ], + "icon": "fa fa-money", + "idx": 1, + "modified": "2019-08-23 03:40:58.441295", + "modified_by": "Administrator", + "module": "Accounts", + "name": "Account", + "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": "Accounts User", - "set_user_permissions": 0, - "share": 1, - "submit": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts User", + "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": "Auditor", - "set_user_permissions": 0, - "share": 0, - "submit": 0, - "write": 0 - }, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Auditor" + }, { - "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": 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": 1, - "share": 1, - "submit": 0, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "import": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "set_user_permissions": 1, + "share": 1, "write": 1 } - ], - "quick_entry": 0, - "read_only": 0, - "read_only_onload": 0, - "search_fields": "account_number", - "show_name_in_global_search": 1, - "sort_order": "ASC", - "track_changes": 1, - "track_seen": 0, - "track_views": 0 + ], + "search_fields": "account_number", + "show_name_in_global_search": 1, + "sort_field": "modified", + "sort_order": "ASC", + "track_changes": 1 } \ No newline at end of file From 72dcb511772d2c884d23c7220be392009ccef32c Mon Sep 17 00:00:00 2001 From: Rushabh Mehta Date: Mon, 16 Sep 2019 14:47:43 +0530 Subject: [PATCH 24/49] fix(minor): opportunity_from may not be selected (#19063) --- .../crm/doctype/opportunity/opportunity_list.js | 14 ++++++++------ 1 file changed, 8 insertions(+), 6 deletions(-) diff --git a/erpnext/crm/doctype/opportunity/opportunity_list.js b/erpnext/crm/doctype/opportunity/opportunity_list.js index af53bf7fbf..24b05145fd 100644 --- a/erpnext/crm/doctype/opportunity/opportunity_list.js +++ b/erpnext/crm/doctype/opportunity/opportunity_list.js @@ -18,12 +18,14 @@ frappe.listview_settings['Opportunity'] = { listview.call_for_selected_items(method, {"status": "Closed"}); }); - listview.page.fields_dict.opportunity_from.get_query = function() { - return { - "filters": { - "name": ["in", ["Customer", "Lead"]], - } + if(listview.page.fields_dict.opportunity_from) { + listview.page.fields_dict.opportunity_from.get_query = function() { + return { + "filters": { + "name": ["in", ["Customer", "Lead"]], + } + }; }; - }; + } } }; From 57835f0a3763416ba86f4b43aac146444602a01b Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 16 Sep 2019 14:48:16 +0530 Subject: [PATCH 25/49] fix: Company is required to get bin details (#19058) --- .../manufacturing/doctype/production_plan/production_plan.js | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/erpnext/manufacturing/doctype/production_plan/production_plan.js b/erpnext/manufacturing/doctype/production_plan/production_plan.js index 2406235324..2aeea5827d 100644 --- a/erpnext/manufacturing/doctype/production_plan/production_plan.js +++ b/erpnext/manufacturing/doctype/production_plan/production_plan.js @@ -272,11 +272,12 @@ frappe.ui.form.on("Production Plan Item", { frappe.ui.form.on("Material Request Plan Item", { warehouse: function(frm, cdt, cdn) { const row = locals[cdt][cdn]; - if (row.warehouse && row.item_code) { + if (row.warehouse && row.item_code && frm.doc.company) { frappe.call({ method: "erpnext.manufacturing.doctype.production_plan.production_plan.get_bin_details", args: { row: row, + company: frm.doc.company, for_warehouse: row.warehouse }, callback: function(r) { From 8cc2f83bd58abe898804a3b7257db541179b1be7 Mon Sep 17 00:00:00 2001 From: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> Date: Mon, 16 Sep 2019 14:49:12 +0530 Subject: [PATCH 26/49] fix: Fetch scrap items from BOM if purpose is repack (#19056) --- erpnext/stock/doctype/stock_entry/stock_entry.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py index 0825557f18..0c440e61d5 100644 --- a/erpnext/stock/doctype/stock_entry/stock_entry.py +++ b/erpnext/stock/doctype/stock_entry/stock_entry.py @@ -812,7 +812,7 @@ class StockEntry(StockController): self.add_to_stock_entry_detail(item_dict) - if self.purpose != "Send to Subcontractor" and self.purpose == "Manufacture": + if self.purpose != "Send to Subcontractor" and self.purpose in ["Manufacture", "Repack"]: scrap_item_dict = self.get_bom_scrap_material(self.fg_completed_qty) for item in itervalues(scrap_item_dict): if self.pro_doc and self.pro_doc.scrap_warehouse: From 2818b5bbe7990022c3e811ea8a212c48577f3847 Mon Sep 17 00:00:00 2001 From: Rucha Mahabal Date: Mon, 16 Sep 2019 15:16:38 +0530 Subject: [PATCH 27/49] fix: 'link to material request' button not showing any message if no Material Request found (#19064) --- erpnext/public/js/controllers/buying.js | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/public/js/controllers/buying.js b/erpnext/public/js/controllers/buying.js index 118aee9a8c..02c30587f6 100644 --- a/erpnext/public/js/controllers/buying.js +++ b/erpnext/public/js/controllers/buying.js @@ -293,7 +293,7 @@ erpnext.buying.BuyingController = erpnext.TransactionController.extend({ items: my_items }, callback: function(r) { - if(!r.message) { + if(!r.message || r.message.length == 0) { frappe.throw(__("No pending Material Requests found to link for the given items.")) } else { From 8beca68948410e8d71bc905848dbea08b3d0bd76 Mon Sep 17 00:00:00 2001 From: Faris Ansari Date: Mon, 16 Sep 2019 15:20:10 +0530 Subject: [PATCH 28/49] feat: Scan Barcode using Camera in mobile (#19033) * feat: Scan Barcode using Camera in mobile * fix: Use input-group for scan button * fix: Muted camera button --- erpnext/public/js/controllers/transaction.js | 26 ++++++++++++++++++-- 1 file changed, 24 insertions(+), 2 deletions(-) diff --git a/erpnext/public/js/controllers/transaction.js b/erpnext/public/js/controllers/transaction.js index 844db996a2..a9b19eddd7 100644 --- a/erpnext/public/js/controllers/transaction.js +++ b/erpnext/public/js/controllers/transaction.js @@ -277,8 +277,30 @@ erpnext.TransactionController = erpnext.taxes_and_totals.extend({ this.set_dynamic_labels(); this.setup_sms(); this.setup_quality_inspection(); - this.frm.fields_dict["scan_barcode"] && this.frm.fields_dict["scan_barcode"].set_value(""); - this.frm.fields_dict["scan_barcode"] && this.frm.fields_dict["scan_barcode"].set_new_description(""); + let scan_barcode_field = this.frm.get_field('scan_barcode'); + if (scan_barcode_field) { + scan_barcode_field.set_value(""); + scan_barcode_field.set_new_description(""); + + if (frappe.is_mobile()) { + if (scan_barcode_field.$input_wrapper.find('.input-group').length) return; + + let $input_group = $('
'); + scan_barcode_field.$input_wrapper.find('.control-input').append($input_group); + $input_group.append(scan_barcode_field.$input); + $(` + + `) + .on('click', '.btn', () => { + frappe.barcode.scan_barcode().then(barcode => { + scan_barcode_field.set_value(barcode); + }); + }) + .appendTo($input_group); + } + } }, scan_barcode: function() { From 40c5bf9e947e89fbb2434dae62bc2243bafa8c7b Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Mon, 16 Sep 2019 16:42:42 +0530 Subject: [PATCH 29/49] fix: naming series added in the asset movement --- erpnext/assets/doctype/asset/asset.py | 1 + .../asset_movement/asset_movement.json | 836 ++++-------------- 2 files changed, 182 insertions(+), 655 deletions(-) diff --git a/erpnext/assets/doctype/asset/asset.py b/erpnext/assets/doctype/asset/asset.py index 8f208e2cdb..306fb140d9 100644 --- a/erpnext/assets/doctype/asset/asset.py +++ b/erpnext/assets/doctype/asset/asset.py @@ -345,6 +345,7 @@ class Asset(AccountsController): if asset_movement: doc = frappe.get_doc('Asset Movement', asset_movement) + doc.naming_series = 'ACC-ASM-.YYYY.-' doc.submit() def make_gl_entries(self): diff --git a/erpnext/assets/doctype/asset_movement/asset_movement.json b/erpnext/assets/doctype/asset_movement/asset_movement.json index b4b6fc305e..68076e1f74 100644 --- a/erpnext/assets/doctype/asset_movement/asset_movement.json +++ b/erpnext/assets/doctype/asset_movement/asset_movement.json @@ -1,685 +1,211 @@ { - "allow_copy": 0, - "allow_guest_to_view": 0, - "allow_import": 1, - "allow_rename": 0, - "autoname": "ACC-ASM-.YYYY.-.#####", - "beta": 0, - "creation": "2016-04-25 18:00:23.559973", - "custom": 0, - "docstatus": 0, - "doctype": "DocType", - "document_type": "", - "editable_grid": 0, + "allow_import": 1, + "autoname": "naming_series:", + "creation": "2016-04-25 18:00:23.559973", + "doctype": "DocType", + "field_order": [ + "naming_series", + "company", + "purpose", + "asset", + "transaction_date", + "column_break_4", + "quantity", + "select_serial_no", + "serial_no", + "section_break_7", + "source_location", + "target_location", + "column_break_10", + "from_employee", + "to_employee", + "reference", + "reference_doctype", + "reference_name", + "amended_from" + ], "fields": [ { - "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": 1, - "in_standard_filter": 1, - "label": "Company", - "length": 0, - "no_copy": 0, - "options": "Company", - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 1, - "report_hide": 0, - "reqd": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "company", + "fieldtype": "Link", + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Company", + "options": "Company", + "remember_last_selected_value": 1, + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "Transfer", - "fieldname": "purpose", - "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": "Purpose", - "length": 0, - "no_copy": 0, - "options": "\nIssue\nReceipt\nTransfer", - "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 - }, + "default": "Transfer", + "fieldname": "purpose", + "fieldtype": "Select", + "label": "Purpose", + "options": "\nIssue\nReceipt\nTransfer", + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "asset", - "fieldtype": "Link", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 1, - "in_list_view": 1, - "in_standard_filter": 1, - "label": "Asset", - "length": 0, - "no_copy": 0, - "options": "Asset", - "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": "asset", + "fieldtype": "Link", + "in_global_search": 1, + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Asset", + "options": "Asset", + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "transaction_date", - "fieldtype": "Datetime", - "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": "Transaction Date", - "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": 1, - "search_index": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "transaction_date", + "fieldtype": "Datetime", + "in_list_view": 1, + "label": "Transaction Date", + "reqd": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_4", - "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_4", + "fieldtype": "Column Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "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 - }, + "fieldname": "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": "select_serial_no", - "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": "Select Serial No", - "length": 0, - "no_copy": 0, - "options": "Serial No", - "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": "select_serial_no", + "fieldtype": "Link", + "label": "Select Serial No", + "options": "Serial No" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "serial_no", - "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": "Serial No", - "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": "serial_no", + "fieldtype": "Small Text", + "label": "Serial No" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "section_break_7", - "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_7", + "fieldtype": "Section Break" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_from": "", - "fieldname": "source_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": "Source 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": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "source_location", + "fieldtype": "Link", + "label": "Source Location", + "options": "Location" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "target_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": "Target 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": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0 - }, + "fieldname": "target_location", + "fieldtype": "Link", + "label": "Target Location", + "options": "Location" + }, { - "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, - "columns": 0, - "fieldname": "from_employee", - "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": "From Employee", - "length": 0, - "no_copy": 0, - "options": "Employee", - "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": "from_employee", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "From Employee", + "options": "Employee" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "to_employee", - "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": "To Employee", - "length": 0, - "no_copy": 0, - "options": "Employee", - "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": "to_employee", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "To Employee", + "options": "Employee" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "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, - "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": "reference", + "fieldtype": "Section Break", + "label": "Reference" + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "reference_doctype", - "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": "Reference DocType", - "length": 0, - "no_copy": 1, - "options": "DocType", - "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 - }, + "fieldname": "reference_doctype", + "fieldtype": "Link", + "label": "Reference DocType", + "no_copy": 1, + "options": "DocType", + "read_only": 1 + }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "reference_name", - "fieldtype": "Dynamic 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": "Reference Name", - "length": 0, - "no_copy": 1, - "options": "reference_doctype", - "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 - }, + "fieldname": "reference_name", + "fieldtype": "Dynamic Link", + "label": "Reference Name", + "no_copy": 1, + "options": "reference_doctype", + "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": 0, - "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, - "options": "Asset Movement", - "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", + "label": "Amended From", + "no_copy": 1, + "options": "Asset Movement", + "print_hide": 1, + "read_only": 1 + }, + { + "default": "ACC-ASM-.YYYY.-", + "fieldname": "naming_series", + "fieldtype": "Select", + "label": "Series", + "options": "ACC-ASM-.YYYY.-", + "reqd": 1 } - ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, - "idx": 0, - "image_view": 0, - "in_create": 0, - "is_submittable": 1, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2018-08-21 16:15:40.563655", - "modified_by": "Administrator", - "module": "Assets", - "name": "Asset Movement", - "name_case": "", - "owner": "Administrator", + ], + "is_submittable": 1, + "modified": "2019-09-16 16:27:53.887634", + "modified_by": "Administrator", + "module": "Assets", + "name": "Asset Movement", + "owner": "Administrator", "permissions": [ { - "amend": 1, - "cancel": 1, - "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": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "System Manager", + "share": 1, + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "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": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Accounts Manager", + "share": 1, + "submit": 1, "write": 1 - }, + }, { - "amend": 1, - "cancel": 1, - "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": 1, + "amend": 1, + "cancel": 1, + "create": 1, + "delete": 1, + "email": 1, + "export": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Stock Manager", + "share": 1, + "submit": 1, "write": 1 } - ], - "quick_entry": 0, - "read_only": 0, - "read_only_onload": 0, - "show_name_in_global_search": 0, - "sort_field": "modified", - "sort_order": "DESC", - "track_changes": 0, - "track_seen": 0, - "track_views": 0 + ], + "sort_field": "modified", + "sort_order": "DESC" } \ No newline at end of file From 7e8e4783a10943d06b648899c20d043ba34133e9 Mon Sep 17 00:00:00 2001 From: Chinmay Pai Date: Mon, 16 Sep 2019 19:14:42 +0530 Subject: [PATCH 30/49] fix: remove function call from kwarg (#19072) this commit fixes mail not being sent for leave applications Signed-off-by: Chinmay D. Pai --- erpnext/hr/doctype/leave_application/leave_application.py | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/erpnext/hr/doctype/leave_application/leave_application.py b/erpnext/hr/doctype/leave_application/leave_application.py index d4da9c1ee6..737f602883 100755 --- a/erpnext/hr/doctype/leave_application/leave_application.py +++ b/erpnext/hr/doctype/leave_application/leave_application.py @@ -439,7 +439,7 @@ def get_leave_details(employee, date): return ret @frappe.whitelist() -def get_leave_balance_on(employee, leave_type, date, to_date=nowdate(), consider_all_leaves_in_the_allocation_period=False): +def get_leave_balance_on(employee, leave_type, date, to_date=None, consider_all_leaves_in_the_allocation_period=False): ''' Returns leave balance till date :param employee: employee name @@ -449,6 +449,9 @@ def get_leave_balance_on(employee, leave_type, date, to_date=nowdate(), consider :param consider_all_leaves_in_the_allocation_period: consider all leaves taken till the allocation end date ''' + if not to_date: + to_date = nowdate() + allocation_records = get_leave_allocation_records(employee, date, leave_type) allocation = allocation_records.get(leave_type, frappe._dict()) @@ -753,4 +756,4 @@ def get_leave_approver(employee): leave_approver = frappe.db.get_value('Department Approver', {'parent': department, 'parentfield': 'leave_approvers', 'idx': 1}, 'approver') - return leave_approver \ No newline at end of file + return leave_approver From dce04b7335e0f646365f5e55997a61e8d5c382f3 Mon Sep 17 00:00:00 2001 From: Mangesh-Khairnar Date: Mon, 16 Sep 2019 19:40:27 +0530 Subject: [PATCH 31/49] fix: filter for payment order (#19070) --- erpnext/accounts/doctype/payment_order/payment_order.js | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/doctype/payment_order/payment_order.js b/erpnext/accounts/doctype/payment_order/payment_order.js index ce9cfe527c..d6d494668a 100644 --- a/erpnext/accounts/doctype/payment_order/payment_order.js +++ b/erpnext/accounts/doctype/payment_order/payment_order.js @@ -66,10 +66,10 @@ frappe.ui.form.on('Payment Order', { get_query_filters: { bank: frm.doc.bank, docstatus: 1, - payment_type: ("!=", "Receive"), + payment_type: ["!=", "Receive"], bank_account: frm.doc.company_bank_account, paid_from: frm.doc.account, - payment_order_status: ["=", "Initiated"], + payment_order_status: ["=", "Initiated"] } }); }, From 76df7820066038dc084b7719d6c4a45113719027 Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Mon, 16 Sep 2019 19:43:17 +0530 Subject: [PATCH 32/49] fix: Decimal point issue for e-invoice (#19068) --- erpnext/regional/italy/e-invoice.xml | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/erpnext/regional/italy/e-invoice.xml b/erpnext/regional/italy/e-invoice.xml index 9978dc0da2..0a5bb296a5 100644 --- a/erpnext/regional/italy/e-invoice.xml +++ b/erpnext/regional/italy/e-invoice.xml @@ -1,5 +1,11 @@ {%- macro format_float(value, precision=2) -%} -{{ value|round(frappe.utils.cint(precision)) }} +{%- if frappe.utils.cint(precision) == 3 %} +{{ "%.3f" % value|abs }} +{%- elif frappe.utils.cint(precision) == 4 -%} +{{ "%.4f" % value|abs }} +{%- else -%} +{{ "%.2f" % value|abs }} +{%- endif %} {%- endmacro -%} {%- macro render_address(address) %} From bac4b93639ca533ff6fe44140600a618ff3e01db Mon Sep 17 00:00:00 2001 From: Marica Date: Mon, 16 Sep 2019 19:44:28 +0530 Subject: [PATCH 33/49] fix: Displaying manufacturer part no along with manufacturer and added Manufacturers validation in Item master (#19066) Manufacturer Link field options in Items Table of transactions will also display manufacturer part no. Manufacturers table in Item master will check for duplicate entries. --- erpnext/controllers/queries.py | 18 +++++++++--------- erpnext/stock/doctype/item/item.py | 9 ++++++++- 2 files changed, 17 insertions(+), 10 deletions(-) diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py index 19ec053e74..19dea080b1 100644 --- a/erpnext/controllers/queries.py +++ b/erpnext/controllers/queries.py @@ -440,17 +440,17 @@ def get_batch_numbers(doctype, txt, searchfield, start, page_len, filters): @frappe.whitelist() def item_manufacturer_query(doctype, txt, searchfield, start, page_len, filters): - search_txt = "{0}%".format(txt) + item_filters = [ + ['manufacturer', 'like', '%' + txt + '%'], + ['item_code', '=', filters.get("item_code")] + ] - item_filters = { - 'manufacturer': ('like', search_txt), - 'item_code': filters.get("item_code") - } - - return frappe.get_all("Item Manufacturer", - fields = "manufacturer", - filters = item_filters, + item_manufacturers = frappe.get_all( + "Item Manufacturer", + fields=["manufacturer", "manufacturer_part_no"], + filters=item_filters, limit_start=start, limit_page_length=page_len, as_list=1 ) + return item_manufacturers diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py index 518fe74889..164c659fe8 100644 --- a/erpnext/stock/doctype/item/item.py +++ b/erpnext/stock/doctype/item/item.py @@ -125,6 +125,7 @@ class Item(WebsiteGenerator): self.validate_auto_reorder_enabled_in_stock_settings() self.cant_change() self.update_show_in_website() + self.validate_manufacturer() if not self.get("__islocal"): self.old_item_group = frappe.db.get_value(self.doctype, self.name, "item_group") @@ -144,6 +145,13 @@ class Item(WebsiteGenerator): if cint(frappe.db.get_single_value('Stock Settings', 'clean_description_html')): self.description = clean_html(self.description) + def validate_manufacturer(self): + list_man = [(x.manufacturer, x.manufacturer_part_no) for x in self.get('manufacturers')] + set_man = set(list_man) + + if len(list_man) != len(set_man): + frappe.throw(_("Duplicate entry in Manufacturers table")) + def validate_customer_provided_part(self): if self.is_customer_provided_item: if self.is_purchase_item: @@ -921,7 +929,6 @@ def validate_cancelled_item(item_code, docstatus=None, verbose=1): msg = _("Item {0} is cancelled").format(item_code) _msgprint(msg, verbose) - def _msgprint(msg, verbose): if verbose: msgprint(msg, raise_exception=True) From b50b5095adb9c9cab634b4e4af8200a4c5e2e9f5 Mon Sep 17 00:00:00 2001 From: Nabin Hait Date: Mon, 16 Sep 2019 19:44:37 +0530 Subject: [PATCH 34/49] fix: Added field disabled instead of enabled in cost center (#19065) --- .../accounts/doctype/cost_center/cost_center.json | 13 ++++++------- 1 file changed, 6 insertions(+), 7 deletions(-) diff --git a/erpnext/accounts/doctype/cost_center/cost_center.json b/erpnext/accounts/doctype/cost_center/cost_center.json index ff55c21497..5149be216b 100644 --- a/erpnext/accounts/doctype/cost_center/cost_center.json +++ b/erpnext/accounts/doctype/cost_center/cost_center.json @@ -2,7 +2,6 @@ "allow_copy": 1, "allow_import": 1, "allow_rename": 1, - "autoname": "field:cost_center_name", "creation": "2013-01-23 19:57:17", "description": "Track separate Income and Expense for product verticals or divisions.", "doctype": "DocType", @@ -16,7 +15,7 @@ "company", "cb0", "is_group", - "enabled", + "disabled", "lft", "rgt", "old_parent" @@ -117,15 +116,15 @@ }, { "default": "0", - "fieldname": "enabled", + "fieldname": "disabled", "fieldtype": "Check", - "label": "Enabled" + "label": "Disabled" } ], "icon": "fa fa-money", "idx": 1, - "modified": "2019-08-22 15:05:05.559862", - "modified_by": "sammish.thundiyil@gmail.com", + "modified": "2019-09-16 14:44:17.103548", + "modified_by": "Administrator", "module": "Accounts", "name": "Cost Center", "owner": "Administrator", @@ -168,4 +167,4 @@ "show_name_in_global_search": 1, "sort_field": "modified", "sort_order": "ASC" -} +} \ No newline at end of file From bc001d2d9ac70632f82f0005f22109873892e604 Mon Sep 17 00:00:00 2001 From: Suraj Shetty <13928957+surajshetty3416@users.noreply.github.com> Date: Mon, 16 Sep 2019 19:57:04 +0530 Subject: [PATCH 35/49] feat: Add stock ageing data to stock balance report (#19036) * feat: Add stock ageing data to stock balance report * fix: Use fifo queue warehouse wise * fix: "Stock Ledger Entry" get query * fix: Remove unwanted quotes in item details query * fix: Check if no SLE was passed * fix: Codacy * fix: Add logic to include additional UOM columns * fix: Show stock ageing data optionally --- .../stock/report/stock_ageing/stock_ageing.py | 21 ++--- .../report/stock_balance/stock_balance.js | 11 ++- .../report/stock_balance/stock_balance.py | 83 ++++++++++++------- erpnext/stock/utils.py | 34 +++++++- 4 files changed, 105 insertions(+), 44 deletions(-) diff --git a/erpnext/stock/report/stock_ageing/stock_ageing.py b/erpnext/stock/report/stock_ageing/stock_ageing.py index 83a1d7b62b..e83bf1db2f 100644 --- a/erpnext/stock/report/stock_ageing/stock_ageing.py +++ b/erpnext/stock/report/stock_ageing/stock_ageing.py @@ -131,19 +131,20 @@ def get_columns(filters): return columns -def get_fifo_queue(filters): +def get_fifo_queue(filters, sle=None): item_details = {} - transfered_item_details = {} + transferred_item_details = {} serial_no_batch_purchase_details = {} - sle = get_stock_ledger_entries(filters) + if sle == None: + sle = get_stock_ledger_entries(filters) for d in sle: - key = (d.name, d.warehouse) if filters.get('show_warehouse_wise_stock') else d.name + key = (d.name, d.warehouse) if filters.get('show_warehouse_wise_stock') else d.name item_details.setdefault(key, {"details": d, "fifo_queue": []}) fifo_queue = item_details[key]["fifo_queue"] - transfered_item_details.setdefault((d.voucher_no, d.name), []) + transferred_item_details.setdefault((d.voucher_no, d.name), []) if d.voucher_type == "Stock Reconciliation": d.actual_qty = flt(d.qty_after_transaction) - flt(item_details[key].get("qty_after_transaction", 0)) @@ -151,10 +152,10 @@ def get_fifo_queue(filters): serial_no_list = get_serial_nos(d.serial_no) if d.serial_no else [] if d.actual_qty > 0: - if transfered_item_details.get((d.voucher_no, d.name)): - batch = transfered_item_details[(d.voucher_no, d.name)][0] + if transferred_item_details.get((d.voucher_no, d.name)): + batch = transferred_item_details[(d.voucher_no, d.name)][0] fifo_queue.append(batch) - transfered_item_details[((d.voucher_no, d.name))].pop(0) + transferred_item_details[((d.voucher_no, d.name))].pop(0) else: if serial_no_list: for serial_no in serial_no_list: @@ -178,11 +179,11 @@ def get_fifo_queue(filters): # if batch qty > 0 # not enough or exactly same qty in current batch, clear batch qty_to_pop -= batch[0] - transfered_item_details[(d.voucher_no, d.name)].append(fifo_queue.pop(0)) + transferred_item_details[(d.voucher_no, d.name)].append(fifo_queue.pop(0)) else: # all from current batch batch[0] -= qty_to_pop - transfered_item_details[(d.voucher_no, d.name)].append([qty_to_pop, batch[1]]) + transferred_item_details[(d.voucher_no, d.name)].append([qty_to_pop, batch[1]]) qty_to_pop = 0 item_details[key]["qty_after_transaction"] = d.qty_after_transaction diff --git a/erpnext/stock/report/stock_balance/stock_balance.js b/erpnext/stock/report/stock_balance/stock_balance.js index 3829d6a5b4..537fa7c04b 100644 --- a/erpnext/stock/report/stock_balance/stock_balance.js +++ b/erpnext/stock/report/stock_balance/stock_balance.js @@ -41,7 +41,7 @@ frappe.query_reports["Stock Balance"] = { "get_query": function() { return { query: "erpnext.controllers.queries.item_query", - } + }; } }, { @@ -57,7 +57,7 @@ frappe.query_reports["Stock Balance"] = { filters: { 'warehouse_type': warehouse_type } - } + }; } } }, @@ -79,5 +79,10 @@ frappe.query_reports["Stock Balance"] = { "label": __("Show Variant Attributes"), "fieldtype": "Check" }, + { + "fieldname": 'show_stock_ageing_data', + "label": __('Show Stock Ageing Data'), + "fieldtype": 'Check' + }, ] -} +}; diff --git a/erpnext/stock/report/stock_balance/stock_balance.py b/erpnext/stock/report/stock_balance/stock_balance.py index 8b6590d08e..e5ae70c8d4 100644 --- a/erpnext/stock/report/stock_balance/stock_balance.py +++ b/erpnext/stock/report/stock_balance/stock_balance.py @@ -4,10 +4,12 @@ from __future__ import unicode_literals import frappe from frappe import _ -from frappe.utils import flt, cint, getdate, now -from erpnext.stock.utils import update_included_uom_in_report +from frappe.utils import flt, cint, getdate, now, date_diff +from erpnext.stock.utils import add_additional_uom_columns from erpnext.stock.report.stock_ledger.stock_ledger import get_item_group_condition +from erpnext.stock.report.stock_ageing.stock_ageing import get_fifo_queue, get_average_age + from six import iteritems def execute(filters=None): @@ -15,11 +17,18 @@ def execute(filters=None): validate_filters(filters) + from_date = filters.get('from_date') + to_date = filters.get('to_date') + include_uom = filters.get("include_uom") - columns = get_columns() + columns = get_columns(filters) items = get_items(filters) sle = get_stock_ledger_entries(filters, items) + if filters.get('show_stock_ageing_data'): + filters['show_warehouse_wise_stock'] = True + item_wise_fifo_queue = get_fifo_queue(filters, sle) + # if no stock ledger entry found return if not sle: return columns, [] @@ -29,7 +38,7 @@ def execute(filters=None): item_reorder_detail_map = get_item_reorder_details(item_map.keys()) data = [] - conversion_factors = [] + conversion_factors = {} for (company, item, warehouse) in sorted(iwb_map): if item_map.get(item): qty_dict = iwb_map[(company, item, warehouse)] @@ -39,36 +48,41 @@ def execute(filters=None): item_reorder_level = item_reorder_detail_map[item + warehouse]["warehouse_reorder_level"] item_reorder_qty = item_reorder_detail_map[item + warehouse]["warehouse_reorder_qty"] - report_data = [item, item_map[item]["item_name"], - item_map[item]["item_group"], - item_map[item]["brand"], - item_map[item]["description"], warehouse, - item_map[item]["stock_uom"], qty_dict.bal_qty, - qty_dict.bal_val, qty_dict.opening_qty, - qty_dict.opening_val, qty_dict.in_qty, - qty_dict.in_val, qty_dict.out_qty, - qty_dict.out_val, qty_dict.val_rate, - item_reorder_level, - item_reorder_qty, - company - ] - - if filters.get('show_variant_attributes', 0) == 1: - variants_attributes = get_variants_attributes() - report_data += [item_map[item].get(i) for i in variants_attributes] + report_data = { + 'item_code': item, + 'warehouse': warehouse, + 'company': company, + 'reorder_level': item_reorder_qty, + 'reorder_qty': item_reorder_qty, + } + report_data.update(item_map[item]) + report_data.update(qty_dict) if include_uom: - conversion_factors.append(item_map[item].conversion_factor) + conversion_factors.setdefault(item, item_map[item].conversion_factor) + + if filters.get('show_stock_ageing_data'): + fifo_queue = item_wise_fifo_queue[(item, warehouse)].get('fifo_queue') + + stock_ageing_data = { + 'average_age': 0, + 'earliest_age': 0, + 'latest_age': 0 + } + if fifo_queue: + fifo_queue = sorted(fifo_queue, key=lambda fifo_data: fifo_data[1]) + stock_ageing_data['average_age'] = get_average_age(fifo_queue, to_date) + stock_ageing_data['earliest_age'] = date_diff(to_date, fifo_queue[0][1]) + stock_ageing_data['latest_age'] = date_diff(to_date, fifo_queue[-1][1]) + + report_data.update(stock_ageing_data) data.append(report_data) - if filters.get('show_variant_attributes', 0) == 1: - columns += ["{}:Data:100".format(i) for i in get_variants_attributes()] - - update_included_uom_in_report(columns, data, include_uom, conversion_factors) + add_additional_uom_columns(columns, data, include_uom, conversion_factors) return columns, data -def get_columns(): +def get_columns(filters): """return columns""" columns = [ @@ -93,6 +107,14 @@ def get_columns(): {"label": _("Company"), "fieldname": "company", "fieldtype": "Link", "options": "Company", "width": 100} ] + if filters.get('show_stock_ageing_data'): + columns += [{'label': _('Average Age'), 'fieldname': 'average_age', 'width': 100}, + {'label': _('Earliest Age'), 'fieldname': 'earliest_age', 'width': 100}, + {'label': _('Latest Age'), 'fieldname': 'latest_age', 'width': 100}] + + if filters.get('show_variant_attributes'): + columns += [{'label': att_name, 'fieldname': att_name, 'width': 100} for att_name in get_variants_attributes()] + return columns def get_conditions(filters): @@ -130,11 +152,12 @@ def get_stock_ledger_entries(filters, items): return frappe.db.sql(""" select sle.item_code, warehouse, sle.posting_date, sle.actual_qty, sle.valuation_rate, - sle.company, sle.voucher_type, sle.qty_after_transaction, sle.stock_value_difference + sle.company, sle.voucher_type, sle.qty_after_transaction, sle.stock_value_difference, + sle.item_code as name, sle.voucher_no from `tabStock Ledger Entry` sle force index (posting_sort_index) where sle.docstatus < 2 %s %s - order by sle.posting_date, sle.posting_time, sle.creation""" % + order by sle.posting_date, sle.posting_time, sle.creation, sle.actual_qty""" % #nosec (item_conditions_sql, conditions), as_dict=1) def get_item_warehouse_map(filters, sle): @@ -226,7 +249,7 @@ def get_item_details(items, sle, filters): cf_field = cf_join = "" if filters.get("include_uom"): cf_field = ", ucd.conversion_factor" - cf_join = "left join `tabUOM Conversion Detail` ucd on ucd.parent=item.name and ucd.uom='%s'" \ + cf_join = "left join `tabUOM Conversion Detail` ucd on ucd.parent=item.name and ucd.uom=%s" \ % frappe.db.escape(filters.get("include_uom")) res = frappe.db.sql(""" diff --git a/erpnext/stock/utils.py b/erpnext/stock/utils.py index aec37d4e94..4c663e393f 100644 --- a/erpnext/stock/utils.py +++ b/erpnext/stock/utils.py @@ -281,4 +281,36 @@ def update_included_uom_in_report(columns, result, include_uom, conversion_facto def get_available_serial_nos(item_code, warehouse): return frappe.get_all("Serial No", filters = {'item_code': item_code, - 'warehouse': warehouse, 'delivery_document_no': ''}) or [] \ No newline at end of file + 'warehouse': warehouse, 'delivery_document_no': ''}) or [] + +def add_additional_uom_columns(columns, result, include_uom, conversion_factors): + if not include_uom or not conversion_factors: + return + + convertible_column_map = {} + for col_idx in list(reversed(range(0, len(columns)))): + col = columns[col_idx] + if isinstance(col, dict) and col.get('convertible') in ['rate', 'qty']: + next_col = col_idx + 1 + columns.insert(next_col, col.copy()) + columns[next_col]['fieldname'] += '_alt' + convertible_column_map[col.get('fieldname')] = frappe._dict({ + 'converted_col': columns[next_col]['fieldname'], + 'for_type': col.get('convertible') + }) + if col.get('convertible') == 'rate': + columns[next_col]['label'] += ' (per {})'.format(include_uom) + else: + columns[next_col]['label'] += ' ({})'.format(include_uom) + + for row_idx, row in enumerate(result): + for convertible_col, data in convertible_column_map.items(): + conversion_factor = conversion_factors[row.get('item_code')] or 1 + for_type = data.for_type + value_before_conversion = row.get(convertible_col) + if for_type == 'rate': + row[data.converted_col] = flt(value_before_conversion) * conversion_factor + else: + row[data.converted_col] = flt(value_before_conversion) / conversion_factor + + result[row_idx] = row \ No newline at end of file From abd434f65682b8c07f1976571643d95a020cbb5f Mon Sep 17 00:00:00 2001 From: Frappe PR Bot Date: Mon, 16 Sep 2019 19:57:27 +0530 Subject: [PATCH 36/49] feat: Updated translation (#19077) --- erpnext/translations/af.csv | 287 ++++++++++++++++++++------------ erpnext/translations/am.csv | 285 ++++++++++++++++++++------------ erpnext/translations/ar.csv | 287 ++++++++++++++++++++------------ erpnext/translations/bg.csv | 287 ++++++++++++++++++++------------ erpnext/translations/bn.csv | 273 ++++++++++++++++++++----------- erpnext/translations/bs.csv | 287 ++++++++++++++++++++------------ erpnext/translations/ca.csv | 287 ++++++++++++++++++++------------ erpnext/translations/cs.csv | 287 ++++++++++++++++++++------------ erpnext/translations/da.csv | 287 ++++++++++++++++++++------------ erpnext/translations/da_dk.csv | 4 +- erpnext/translations/de.csv | 287 ++++++++++++++++++++------------ erpnext/translations/el.csv | 287 ++++++++++++++++++++------------ erpnext/translations/es.csv | 287 ++++++++++++++++++++------------ erpnext/translations/es_pe.csv | 25 +-- erpnext/translations/et.csv | 287 ++++++++++++++++++++------------ erpnext/translations/fa.csv | 269 +++++++++++++++++++----------- erpnext/translations/fi.csv | 287 ++++++++++++++++++++------------ erpnext/translations/fr.csv | 287 ++++++++++++++++++++------------ erpnext/translations/gu.csv | 269 +++++++++++++++++++----------- erpnext/translations/he.csv | 65 +++----- erpnext/translations/hi.csv | 287 ++++++++++++++++++++------------ erpnext/translations/hr.csv | 287 ++++++++++++++++++++------------ erpnext/translations/hu.csv | 286 ++++++++++++++++++++------------ erpnext/translations/id.csv | 287 ++++++++++++++++++++------------ erpnext/translations/is.csv | 287 ++++++++++++++++++++------------ erpnext/translations/it.csv | 287 ++++++++++++++++++++------------ erpnext/translations/ja.csv | 287 ++++++++++++++++++++------------ erpnext/translations/km.csv | 281 +++++++++++++++++++------------ erpnext/translations/kn.csv | 272 +++++++++++++++++++----------- erpnext/translations/ko.csv | 290 ++++++++++++++++++++------------ erpnext/translations/ku.csv | 265 +++++++++++++++++++----------- erpnext/translations/lo.csv | 286 ++++++++++++++++++++------------ erpnext/translations/lt.csv | 285 ++++++++++++++++++++------------ erpnext/translations/lv.csv | 287 ++++++++++++++++++++------------ erpnext/translations/mk.csv | 272 +++++++++++++++++++----------- erpnext/translations/ml.csv | 270 +++++++++++++++++++----------- erpnext/translations/mr.csv | 273 ++++++++++++++++++++----------- erpnext/translations/ms.csv | 287 ++++++++++++++++++++------------ erpnext/translations/my.csv | 287 ++++++++++++++++++++------------ erpnext/translations/nl.csv | 287 ++++++++++++++++++++------------ erpnext/translations/no.csv | 287 ++++++++++++++++++++------------ erpnext/translations/pl.csv | 287 ++++++++++++++++++++------------ erpnext/translations/ps.csv | 274 +++++++++++++++++++------------ erpnext/translations/pt.csv | 287 ++++++++++++++++++++------------ erpnext/translations/pt_br.csv | 62 +++---- erpnext/translations/ro.csv | 287 ++++++++++++++++++++------------ erpnext/translations/ru.csv | 287 ++++++++++++++++++++------------ erpnext/translations/si.csv | 272 +++++++++++++++++++----------- erpnext/translations/sk.csv | 287 ++++++++++++++++++++------------ erpnext/translations/sl.csv | 287 ++++++++++++++++++++------------ erpnext/translations/sq.csv | 271 +++++++++++++++++++----------- erpnext/translations/sr.csv | 287 ++++++++++++++++++++------------ erpnext/translations/sr_ba.csv | 0 erpnext/translations/sr_sp.csv | 22 +-- erpnext/translations/sv.csv | 287 ++++++++++++++++++++------------ erpnext/translations/sw.csv | 285 ++++++++++++++++++++------------ erpnext/translations/ta.csv | 271 +++++++++++++++++++----------- erpnext/translations/te.csv | 271 +++++++++++++++++++----------- erpnext/translations/th.csv | 287 ++++++++++++++++++++------------ erpnext/translations/tr.csv | 291 +++++++++++++++++++++------------ erpnext/translations/uk.csv | 287 ++++++++++++++++++++------------ erpnext/translations/ur.csv | 272 +++++++++++++++++++----------- erpnext/translations/uz.csv | 287 ++++++++++++++++++++------------ erpnext/translations/vi.csv | 287 ++++++++++++++++++++------------ erpnext/translations/zh.csv | 287 ++++++++++++++++++++------------ erpnext/translations/zh_tw.csv | 264 ++++++++++++++++++------------ 66 files changed, 10915 insertions(+), 6229 deletions(-) create mode 100644 erpnext/translations/sr_ba.csv diff --git a/erpnext/translations/af.csv b/erpnext/translations/af.csv index f840c509c1..374675d822 100644 --- a/erpnext/translations/af.csv +++ b/erpnext/translations/af.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Stel Verskaffer in kennis apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Kies asseblief Party-tipe eerste DocType: Item,Customer Items,Kliënt Items +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,laste DocType: Project,Costing and Billing,Koste en faktuur apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Vorderingsrekening geldeenheid moet dieselfde wees as maatskappy geldeenheid {0} DocType: QuickBooks Migrator,Token Endpoint,Token Eindpunt @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Standaard eenheid van maatreël DocType: SMS Center,All Sales Partner Contact,Alle verkope vennote kontak DocType: Department,Leave Approvers,Laat aanvaar DocType: Employee,Bio / Cover Letter,Bio / Dekbrief +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Soek items ... DocType: Patient Encounter,Investigations,ondersoeke DocType: Restaurant Order Entry,Click Enter To Add,Klik op Enter om by te voeg apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Ontbrekende waarde vir Wagwoord-, API-sleutel- of Shopify-URL" DocType: Employee,Rented,gehuur apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Alle rekeninge apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Kan nie werknemer oorplaas met status links nie -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",Gestopte Produksie Orde kan nie gekanselleer word nie. Staak dit eers om te kanselleer DocType: Vehicle Service,Mileage,kilometers apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Wil jy hierdie bate regtig skrap? DocType: Drug Prescription,Update Schedule,Dateer skedule op @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,kliënt DocType: Purchase Receipt Item,Required By,Vereis deur DocType: Delivery Note,Return Against Delivery Note,Keer terug na afleweringsnota DocType: Asset Category,Finance Book Detail,Finansiële boekbesonderhede +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Al die waardevermindering is bespreek DocType: Purchase Order,% Billed,% Gefaktureer apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Betaalnommer apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Wisselkoers moet dieselfde wees as {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Batch Item Vervaldatum apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bank Konsep DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Totale laat inskrywings DocType: Mode of Payment Account,Mode of Payment Account,Betaalmetode apps/erpnext/erpnext/config/healthcare.py,Consultation,konsultasie DocType: Accounts Settings,Show Payment Schedule in Print,Wys betalingskedule in druk @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Op apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primêre kontakbesonderhede apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Open probleme DocType: Production Plan Item,Production Plan Item,Produksieplan Item +DocType: Leave Ledger Entry,Leave Ledger Entry,Verlaat Grootboekinskrywing apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Gebruiker {0} is reeds toegewys aan Werknemer {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} veld is beperk tot grootte {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Mak DocType: Purchase Invoice Item,Item Weight Details,Item Gewig Besonderhede DocType: Asset Maintenance Log,Periodicity,periodisiteit apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Fiskale jaar {0} word vereis +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Netto wins / verlies DocType: Employee Group Table,ERPNext User ID,ERPVolgende gebruikers-ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Die minimum afstand tussen rye plante vir optimale groei apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Kies die pasiënt om die voorgeskrewe prosedure te kry @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Verkooppryslys DocType: Patient,Tobacco Current Use,Tabak huidige gebruik apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Verkoopprys -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Stoor u dokument voordat u 'n nuwe rekening byvoeg 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Pens DocType: Exchange Rate Revaluation Account,Gain/Loss,Wins / verlies DocType: Crop,Perennial,meerjarige DocType: Program,Is Published,Word gepubliseer +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Wys afleweringsnotas apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Om oorfakturering toe te laat, moet u "Toelae vir oorfakturering" in rekeninginstellings of die item opdateer." DocType: Patient Appointment,Procedure,prosedure DocType: Accounts Settings,Use Custom Cash Flow Format,Gebruik aangepaste kontantvloeiformaat @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Verlaat beleidsbesonderhede DocType: BOM,Item Image (if not slideshow),Item Image (indien nie skyfievertoning nie) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Ry # {0}: Bewerking {1} is nie voltooi vir {2} aantal voltooide goedere in werkorde {3}. Opdateer asseblief operasionele status via Job Card {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} is verpligtend om betalings te genereer, stel die veld in en probeer weer" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Uurtarief / 60) * Werklike operasietyd apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ry # {0}: Verwysingsdokumenttipe moet een van koste-eis of joernaalinskrywing wees apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Kies BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Terugbetaling oor aantal periodes apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Hoeveelheid om te produseer kan nie minder wees as Nul nie DocType: Stock Entry,Additional Costs,Addisionele koste +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kliënt> Kliëntegroep> Gebied apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Rekening met bestaande transaksie kan nie na groep omskep word nie. DocType: Lead,Product Enquiry,Produk Ondersoek DocType: Education Settings,Validate Batch for Students in Student Group,Valideer bondel vir studente in studentegroep @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Onder Graduate apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Stel asb. Standaard sjabloon vir verlofstatus kennisgewing in MH-instellings in. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Teiken DocType: BOM,Total Cost,Totale koste +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Toekenning verval! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maksimum draadjies wat deur gestuur word DocType: Salary Slip,Employee Loan,Werknemerslening DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Stuur betalingsversoek-e-pos @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Eiendo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Rekeningstaat apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,farmaseutiese DocType: Purchase Invoice Item,Is Fixed Asset,Is vaste bate +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Toon toekomstige betalings DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Hierdie bankrekening is reeds gesinchroniseer DocType: Homepage,Homepage Section,Tuisblad Afdeling @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,kunsmis apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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. -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 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Ten minste een manier van betaling is nodig vir POS faktuur. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Joernale nr. Is nodig vir 'n bondeltjie {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bankstaat Transaksie Faktuur Item @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Kies Terme en Voorwaardes apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Uitwaarde DocType: Bank Statement Settings Item,Bank Statement Settings Item,Bank Statement Settings Item DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce-instellings +DocType: Leave Ledger Entry,Transaction Name,Naam van transaksie DocType: Production Plan,Sales Orders,Verkoopsbestellings apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Veelvuldige lojaliteitsprogram vir die kliënt. Kies asseblief handmatig. DocType: Purchase Taxes and Charges,Valuation,waardasie @@ -460,6 +468,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Vertoon slegs kliënt van hierdie kliëntegroepe DocType: Sales Invoice,Is Opening Entry,Is toegangsinskrywing @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Noem as nie-standaard ontvangbare rekening van toepassing is 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 DocType: Supplier Scorecard,Criteria Setup,Kriteria Opstel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Vir die pakhuis word vereis voor indiening +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 DocType: Codification Table,Medical Code,Mediese Kode apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Koppel Amazon met ERPNext @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankrekeninge bygevoeg -DocType: Delivery Stop,Contact Name,Kontak naam +DocType: Call Log,Contact Name,Kontak naam DocType: Plaid Settings,Synchronize all accounts every hour,Sinkroniseer alle rekeninge elke uur DocType: Course Assessment Criteria,Course Assessment Criteria,Kursus assesseringskriteria DocType: Pricing Rule Detail,Rule Applied,Reël toegepas @@ -529,7 +539,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Onbekende nommer DocType: Website Filter Field,Website Filter Field,Webwerf-filterveld apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Voorsieningstipe DocType: Material Request Item,Min Order Qty,Minimum aantal bestellings @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Totale hoofbedrag DocType: Student Guardian,Relation,verhouding DocType: Quiz Result,Correct,korrekte DocType: Student Guardian,Mother,moeder -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Voeg eers eersteklaarde appi-sleutels in die site_config.json by DocType: Restaurant Reservation,Reservation End Time,Besprekings eindtyd DocType: Crop,Biennial,tweejaarlikse ,BOM Variance Report,BOM Variance Report @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Betaling teen {0} {1} kan nie groter wees as Uitstaande bedrag nie {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Vanlyn POS-instellings DocType: Stock Entry Detail,Reference Purchase Receipt,Verwysingskoopbewys DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-Reco-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variant Van -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Voltooide hoeveelheid kan nie groter wees as 'Hoeveelheid om te vervaardig' nie +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Voltooide hoeveelheid kan nie groter wees as 'Hoeveelheid om te vervaardig' nie +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Tydperk gebaseer op DocType: Period Closing Voucher,Closing Account Head,Sluitingsrekeninghoof DocType: Employee,External Work History,Eksterne werkgeskiedenis apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Omsendbriefverwysingsfout apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Studenteverslagkaart apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Van Pin-kode +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Wys verkoopspersoon DocType: Appointment Type,Is Inpatient,Is binnepasiënt apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Voog 1 Naam DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,In Woorde (Uitvoer) sal sigbaar wees sodra jy die Afleweringsnota stoor. @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Dimensie Naam apps/erpnext/erpnext/healthcare/setup.py,Resistant,bestand apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Stel asseblief die kamer prys op () +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: Journal Entry,Multi Currency,Multi Geld DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktuur Tipe apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Geldig vanaf die datum moet minder wees as die geldige tot op datum @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,toegelaat DocType: Workstation,Rent Cost,Huur koste 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Komende kalendergebeure apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variant Attributes @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Versoek vir kwotasie 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Wys verkoopspersoon in druk 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 @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Skep 'n nuwe kliënt apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Verlenging Aan apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","As verskeie prysreglemente voortduur, word gebruikers gevra om Prioriteit handmatig in te stel om konflik op te los." -DocType: Purchase Invoice,Scan Barcode,Skandeer strepieskode apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Skep bestellings ,Purchase Register,Aankoopregister apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pasiënt nie gevind nie @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Kanaalmaat DocType: Account,Old Parent,Ou Ouer apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Verpligte vak - Akademiese Jaar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} word nie geassosieer met {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Salaris Komponent vir tydlaar-gebaseerde betaalstaat. DocType: Driver,Applicable for external driver,Toepasbaar vir eksterne bestuurder DocType: Sales Order Item,Used for Production Plan,Gebruik vir Produksieplan +DocType: BOM,Total Cost (Company Currency),Totale koste (geldeenheid van die onderneming) DocType: Loan,Total Payment,Totale betaling apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Kan nie transaksie vir voltooide werkorder kanselleer nie. DocType: Manufacturing Settings,Time Between Operations (in mins),Tyd tussen bedrywighede (in mins) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Stel ander in kennis DocType: Vital Signs,Blood Pressure (systolic),Bloeddruk (sistolies) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} is {2} DocType: Item Price,Valid Upto,Geldige Upto +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. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Veranderings in {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Kies asseblief Maatskappy DocType: Employee Skill,Employee Skill,Vaardigheid van werknemers apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Verskilrekening @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Risiko faktore DocType: Patient,Occupational Hazards and Environmental Factors,Beroepsgevare en omgewingsfaktore apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Voorraadinskrywings wat reeds vir werkorder geskep is apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Kyk vorige bestellings +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} gesprekke DocType: Vital Signs,Respiratory rate,Respiratoriese tempo apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Bestuur van onderaanneming DocType: Vital Signs,Body Temperature,Liggaamstemperatuur @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Geregistreerde samestelling apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,hallo apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Skuif item DocType: Employee Incentive,Incentive Amount,Aansporingsbedrag +,Employee Leave Balance Summary,Werkopsommingsaldo-opsomming DocType: Serial No,Warranty Period (Days),Garantie Periode (Dae) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Totale Krediet / Debiet Bedrag moet dieselfde wees as gekoppelde Joernaal Inskrywing DocType: Installation Note Item,Installation Note Item,Installasie Nota Item @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,opgeblase DocType: Salary Slip,Salary Slip Timesheet,Salaris Slip Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Verskaffer Pakhuis verplig vir onderaanneming Aankoop Ontvangs DocType: Item Price,Valid From,Geldig vanaf +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Jou gradering: DocType: Sales Invoice,Total Commission,Totale Kommissie DocType: Tax Withholding Account,Tax Withholding Account,Belastingverhoudingsrekening DocType: Pricing Rule,Sales Partner,Verkoopsvennoot @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle verskaffer s 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 +DocType: Item,Website Image,Webwerfbeeld apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Teiken pakhuis in ry {0} moet dieselfde wees as Werkorder apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Waardasietarief is verpligtend indien Openingsvoorraad ingeskryf is 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 @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},A 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Voltooi asseblief u Plaid API-opstelling voordat u u rekening synchroniseer 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 DocType: Job Applicant,Resume Attachment,Hersien aanhangsel @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,Produksieplan DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Openingsfaktuurskeppingsinstrument DocType: Salary Component,Round to the Nearest Integer,Rond tot die naaste heelgetal apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Verkope terug -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota: Totale toegekende blare {0} moet nie minder wees as reeds goedgekeurde blare {1} vir die tydperk nie DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Stel aantal in Transaksies gebaseer op Serial No Input ,Total Stock Summary,Totale voorraadopsomming apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made., apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Hoofbedrag DocType: Loan Application,Total Payable Interest,Totale betaalbare rente apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Totaal Uitstaande: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Oop kontak DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Verkoopsfaktuur Tydblad 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} @@ -1080,6 +1099,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Standaard faktuur naamgewi 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 DocType: Restaurant Reservation,Restaurant Reservation,Restaurant bespreking +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,U items apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Voorstel Skryf DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling Inskrywing Aftrek DocType: Service Level Priority,Service Level Priority,Prioriteit op diensvlak @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Lotnommer Serie apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Nog 'n verkoopspersoon {0} bestaan uit dieselfde werknemer-ID DocType: Employee Advance,Claimed Amount,Eisbedrag +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Toewysing verval 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 @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,Joernaal DocType: Fee Validity,Max number of visit,Maksimum aantal besoeke DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Verpligtend vir wins- en verliesrekening ,Hotel Room Occupancy,Hotel kamer besetting -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Tydblad geskep: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Stel asb. Kontant- of bankrekening in die betalingsmetode {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Inskryf DocType: GST Settings,GST Settings,GST instellings @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),Kommissie Koers (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Kies asseblief Program DocType: Project,Estimated Cost,Geskatte koste DocType: Request for Quotation,Link to material requests,Skakel na materiaal versoeke +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,publiseer apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Ruimte ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Kredietkaartinskrywing @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Huidige bates apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} is nie 'n voorraaditem nie apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Deel asseblief u terugvoering aan die opleiding deur op 'Training Feedback' te klik en dan 'New' +DocType: Call Log,Caller Information,Bellerinligting DocType: Mode of Payment Account,Default Account,Verstek rekening apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Kies asseblief Sample Retention Warehouse in Voorraadinstellings apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Kies asseblief die Meervoudige Tier Program tipe vir meer as een versameling reëls. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Outomatiese Materiaal Versoeke Genereer DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Werksure waaronder Halfdag gemerk is. (Nul om uit te skakel) DocType: Job Card,Total Completed Qty,Totale voltooide hoeveelheid +DocType: HR Settings,Auto Leave Encashment,Verlaat omhulsel outomaties apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,verloor apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,U kan nie huidige voucher insleutel in die kolom "Teen Journal Entry 'nie DocType: Employee Benefit Application Detail,Max Benefit Amount,Maksimum Voordeelbedrag @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,intekenaar DocType: Item Attribute Value,Item Attribute Value,Item Attribuutwaarde apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Geldwissel moet van toepassing wees vir koop of verkoop. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Slegs vervalste toekenning kan gekanselleer word DocType: Item,Maximum sample quantity that can be retained,Maksimum monster hoeveelheid wat behou kan word apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Ry {0} # Item {1} kan nie meer as {2} oorgedra word teen die bestelling {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Verkoopsveldtogte. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Onbekende beller DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1400,6 +1425,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Gesondheids apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Naam DocType: Expense Claim Detail,Expense Claim Type,Koste eis Tipe DocType: Shopping Cart Settings,Default settings for Shopping Cart,Verstek instellings vir die winkelwagentje +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Stoor item apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Nuwe koste apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignoreer bestaande bestel bestel apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Voeg tydslaaie by @@ -1412,6 +1438,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Hersien uitnodiging gestuur DocType: Shift Assignment,Shift Assignment,Shift Opdrag DocType: Employee Transfer Property,Employee Transfer Property,Werknemersoordragseiendom +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Die veld Aandele / Aanspreekrekening kan nie leeg wees nie apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Van tyd af moet minder as tyd wees apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,biotegnologie apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1493,11 +1520,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kursusskedule DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B-verslag DocType: Request for Quotation Supplier,Quote Status,Aanhaling Status DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Voltooiingsstatus +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Die totale betalingsbedrag mag nie groter wees as {} DocType: Daily Work Summary Group,Select Users,Kies gebruikers DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotel Kamerprys item DocType: Loyalty Program Collection,Tier Name,Tier Naam @@ -1535,6 +1564,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST Bed DocType: Lab Test Template,Result Format,Resultaatformaat DocType: Expense Claim,Expenses,uitgawes DocType: Service Level,Support Hours,Ondersteuningstye +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Afleweringsnotas DocType: Item Variant Attribute,Item Variant Attribute,Item Variant Attribute ,Purchase Receipt Trends,Aankoopontvangstendense DocType: Payroll Entry,Bimonthly,tweemaandelikse @@ -1557,7 +1587,6 @@ DocType: Sales Team,Incentives,aansporings DocType: SMS Log,Requested Numbers,Gevraagde Getalle DocType: Volunteer,Evening,aand DocType: Quiz,Quiz Configuration,Vasvra-opstelling -DocType: Customer,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 @@ -1604,7 +1633,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Wisselk ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Kan nie tydgleuf in die volgende {0} dae vir operasie {1} vind nie DocType: Work Order,Plan material for sub-assemblies,Beplan materiaal vir sub-gemeentes 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 @@ -1619,9 +1647,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,U moet outomaties herbestel in Voorraadinstellings om herbestelvlakke te handhaaf. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Kanselleer materiaalbesoeke {0} voordat u hierdie onderhoudsbesoek kanselleer DocType: Pricing Rule,Rate or Discount,Tarief of Korting +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bankbesonderhede DocType: Vital Signs,One Sided,Eenkantig apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Reeksnommer {0} behoort nie aan item {1} nie -DocType: Purchase Receipt Item Supplied,Required Qty,Vereiste aantal +DocType: Purchase Order Item Supplied,Required Qty,Vereiste aantal DocType: Marketplace Settings,Custom Data,Aangepaste data apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Pakhuise met bestaande transaksies kan nie na grootboek omskep word nie. DocType: Service Day,Service Day,Diensdag @@ -1649,7 +1678,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Rekening Geld DocType: Lab Test,Sample ID,Voorbeeld ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Gee asseblief 'n afwykende rekening in die maatskappy -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,verskeidenheid DocType: Supplier,Default Payable Accounts,Verstekbetaalbare rekeninge apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Werknemer {0} is nie aktief of bestaan nie @@ -1690,8 +1718,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Versoek vir inligting DocType: Course Activity,Activity Date,Aktiwiteitsdatum apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} van {} -,LeaderBoard,leader DocType: Sales Invoice Item,Rate With Margin (Company Currency),Tarief Met Margin (Maatskappy Geld) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,kategorieë apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sinkroniseer vanlyn fakture DocType: Payment Request,Paid,betaal DocType: Service Level,Default Priority,Standaardprioriteit @@ -1726,11 +1754,11 @@ DocType: Agriculture Task,Agriculture Task,Landboutaak apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Indirekte Inkomste DocType: Student Attendance Tool,Student Attendance Tool,Studente Bywoning Gereedskap DocType: Restaurant Menu,Price List (Auto created),Pryslys (Outomaties geskep) +DocType: Pick List Item,Picked Qty,Gekose Aantal DocType: Cheque Print Template,Date Settings,Datum instellings 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 -,Company Name,maatskappynaam 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. @@ -1749,7 +1777,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Laaste poging 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}" -DocType: BOM,Raw Material Cost(Company Currency),Grondstof Koste (Maatskappy Geld) 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 @@ -1816,6 +1843,7 @@ DocType: Travel Itinerary,Train,trein ,Delayed Item Report,Vertraagde itemverslag apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Kwalifiserende ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Inpatient Behuising +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Publiseer u eerste items DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tyd na die beëindiging van die skof waartydens u uitklok vir die bywoning oorweeg word. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Spesifiseer asseblief 'n {0} @@ -1931,6 +1959,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Alle BOM's apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Skep 'n intermaatskappyjoernaalinskrywing DocType: Company,Parent Company,Ouer maatskappy apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotelkamers van tipe {0} is nie beskikbaar op {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Vergelyk BOM's vir veranderinge in grondstowwe en werking apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokument {0} suksesvol onduidelik DocType: Healthcare Practitioner,Default Currency,Verstek Geld apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Versoen hierdie rekening @@ -1965,6 +1994,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-vorm faktuur besonderhede DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalingsversoeningfaktuur DocType: Clinical Procedure,Procedure Template,Prosedure Sjabloon +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publiseer items apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Bydrae% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Soos vir die aankoop instellings as aankoop bestelling benodig == 'JA', dan moet die aankooporder eers vir item {0}" ,HSN-wise-summary of outward supplies,HSN-wyse-opsomming van uiterlike voorrade @@ -1977,7 +2007,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Stel asseblief 'Add Additional Discount On' DocType: Party Tax Withholding Config,Applicable Percent,Toepaslike persentasie ,Ordered Items To Be Billed,Bestelde items wat gefaktureer moet word -DocType: Employee Checkin,Exit Grace Period Consequence,Gevolg van die genadetydperk apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Van Reeks moet minder wees as To Range DocType: Global Defaults,Global Defaults,Globale verstek apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Projek vennootskappe Uitnodiging @@ -1985,13 +2014,11 @@ DocType: Salary Slip,Deductions,aftrekkings DocType: Setup Progress Action,Action Name,Aksie Naam apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Beginjaar apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Skep lening -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Begin datum van huidige faktuur se tydperk DocType: Shift Type,Process Attendance After,Prosesbywoning na ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Los sonder betaling DocType: Payment Request,Outward,uiterlike -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Kapasiteitsbeplanning fout apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Staat / UT belasting ,Trial Balance for Party,Proefbalans vir die Party ,Gross and Net Profit Report,Bruto en netto winsverslag @@ -2010,7 +2037,6 @@ DocType: Payroll Entry,Employee Details,Werknemersbesonderhede 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} -DocType: Setup Progress Action,Domains,domeine 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} @@ -2053,7 +2079,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Totale Oue 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.",Betaalmetode is nie gekonfigureer nie. Kontroleer asseblief of die rekening op Betalingsmodus of op POS-profiel gestel is. apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Dieselfde item kan nie verskeie kere ingevoer word nie. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Verdere rekeninge kan onder Groepe gemaak word, maar inskrywings kan gemaak word teen nie-groepe" -DocType: Email Campaign,Lead,lood +DocType: Call Log,Lead,lood DocType: Email Digest,Payables,krediteure DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,E-posveldtog vir @@ -2065,6 +2091,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Items bestel om te bestel om gefaktureer te word 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 DocType: Purchase Invoice Item,Net Rate,Netto tarief apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Kies asseblief 'n kliënt DocType: Leave Policy,Leave Allocations,Verlof toekennings @@ -2078,6 +2105,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Beslote uitgawe na dae ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Jy moet 'n gebruiker wees met Stelselbestuurder en Itembestuurderrolle om gebruikers by Marketplace te voeg. +DocType: Attendance,Early Exit,Vroeë uitgang DocType: Job Opening,Staffing Plan,Personeelplan apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON kan slegs gegenereer word uit 'n ingediende dokument apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Belasting en voordele vir werknemers @@ -2098,6 +2126,7 @@ DocType: Maintenance Team Member,Maintenance Role,Onderhoudsrol apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dupliseer ry {0} met dieselfde {1} DocType: Marketplace Settings,Disable Marketplace,Deaktiveer Marketplace DocType: Quality Meeting,Minutes,Minute +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,U voorgestelde items ,Trial Balance,Proefbalans apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Vertoning voltooi apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskale jaar {0} nie gevind nie @@ -2107,8 +2136,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotel besprekingsgebruike 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 DocType: Contract,Fulfilment Deadline,Vervaldatum +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Naby jou DocType: Student,O-,O- -DocType: Shift Type,Consequence,gevolg DocType: Subscription Settings,Subscription Settings,Subskripsie-instellings DocType: Purchase Invoice,Update Auto Repeat Reference,Dateer outomaties herhaal verwysing apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Opsionele vakansie lys nie vasgestel vir verlofperiode nie {0} @@ -2119,7 +2148,6 @@ DocType: Maintenance Visit Purpose,Work Done,Werk gedoen apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Spesifiseer asb. Ten minste een eienskap in die tabel Eienskappe DocType: Announcement,All Students,Alle studente apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Item {0} moet 'n nie-voorraaditem wees -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankdeatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Bekyk Grootboek DocType: Grading Scale,Intervals,tussenposes DocType: Bank Statement Transaction Entry,Reconciled Transactions,Versoende transaksies @@ -2155,6 +2183,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Geleentheidspunt DocType: Quality Action,Quality Review,Kwaliteit hersiening @@ -2181,7 +2210,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Kry uitstaande fakture -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Verkoopsbestelling {0} is nie geldig nie +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Aankooporders help om jou aankope te beplan en op te volg apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab Test Voorskrifte @@ -2206,6 +2235,7 @@ DocType: Employee Onboarding,Notify users by email,Stel gebruikers per e-pos in DocType: Travel Request,International,internasionale DocType: Training Event,Training Event,Opleidingsgebeurtenis DocType: Item,Auto re-order,Outo herbestel +DocType: Attendance,Late Entry,Laat ingang apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Totaal behaal DocType: Employee,Place of Issue,Plek van uitreiking DocType: Promotional Scheme,Promotional Scheme Price Discount,Promosieskema-prysafslag @@ -2252,6 +2282,7 @@ DocType: Serial No,Serial No Details,Rekeningnommer DocType: Purchase Invoice Item,Item Tax Rate,Item Belastingkoers apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Van Party Naam apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Netto salarisbedrag +DocType: Pick List,Delivery against Sales Order,Aflewering teen verkoopsbestelling DocType: Student Group Student,Group Roll Number,Groeprolnommer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",Vir {0} kan slegs kredietrekeninge gekoppel word teen 'n ander debietinskrywing apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Afleweringsnotasie {0} is nie ingedien nie @@ -2323,7 +2354,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Hierdie waarde word gebruik vir pro rata temporis berekening apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Jy moet winkelwagentjie aktiveer DocType: Payment Entry,Writeoff,Afskryf DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2337,6 +2367,7 @@ DocType: Delivery Trip,Total Estimated Distance,Totale beraamde afstand DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Rekeninge ontvangbaar onbetaalde rekening DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Nie toegelaat om rekeningkundige dimensie te skep vir {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Dateer asseblief u status op vir hierdie opleidingsgebeurtenis DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Voeg of Trek af @@ -2346,7 +2377,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Onaktiewe verkoopitems DocType: Quality Review,Additional Information,Bykomende inligting apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Totale bestellingswaarde -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Diensvlakooreenkoms herstel. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Kos apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Veroudering Reeks 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS sluitingsbewysbesonderhede @@ -2393,6 +2423,7 @@ 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 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 DocType: Healthcare Practitioner,Contacts and Address,Kontakte en adres DocType: Shift Type,Determine Check-in and Check-out,Bepaal die in-en uitklok @@ -2412,7 +2443,6 @@ DocType: Student Admission,Eligibility and Details,Geskiktheid en besonderhede apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Ingesluit in die bruto wins apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Netto verandering in vaste bate apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Aantal -DocType: Company,Client Code,Kliëntkode apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Heffing van tipe 'Werklik' in ry {0} kan nie in Item Rate ingesluit word nie apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Vanaf Datetime @@ -2480,6 +2510,7 @@ DocType: Journal Entry Account,Account Balance,Rekening balans apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Kliënt word vereis teen ontvangbare rekening {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totale Belasting en Heffings (Maatskappy Geld) DocType: Weather,Weather Parameter,Weer Parameter @@ -2542,6 +2573,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Drempel vir werksure vir apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Daar kan verskeie versamelingsfaktore gebaseer wees op die totale besteding. Maar die omskakelingsfaktor vir verlossing sal altyd dieselfde wees vir al die vlakke. apps/erpnext/erpnext/config/help.py,Item Variants,Item Varianten apps/erpnext/erpnext/public/js/setup_wizard.js,Services,dienste +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,E-pos Salarisstrokie aan Werknemer DocType: Cost Center,Parent Cost Center,Ouer Koste Sentrum @@ -2552,7 +2584,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","K DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Voer afleweringsnotas van Shopify op gestuur apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Wys gesluit DocType: Issue Priority,Issue Priority,Prioriteit vir kwessies -DocType: Leave Type,Is Leave Without Pay,Is Leave Without Pay +DocType: Leave Ledger Entry,Is Leave Without Pay,Is Leave Without Pay apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Bate-kategorie is verpligtend vir vaste bate-item DocType: Fee Validity,Fee Validity,Fooi Geldigheid @@ -2601,6 +2633,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Beskikbare joernaal apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Dateer afdrukformaat op DocType: Bank Account,Is Company Account,Is Maatskappyrekening apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Verlof tipe {0} is nie opsluitbaar nie +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Kredietlimiet is reeds gedefinieër vir die maatskappy {0} DocType: Landed Cost Voucher,Landed Cost Help,Landed Cost Help DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Kies Posadres @@ -2625,6 +2658,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Tweerigting DocType: Item,Manufacturers,vervaardigers @@ -2661,7 +2695,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Bankversoeningstaat DocType: Patient Encounter,Medical Coding,Mediese kodering DocType: Healthcare Settings,Reminder Message,Herinnering Boodskap -,Lead Name,Lood Naam +DocType: Call Log,Lead Name,Lood Naam ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,prospektering @@ -2693,12 +2727,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Verskaffer Pakhuis DocType: Opportunity,Contact Mobile No,Kontak Mobielnr apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Kies Maatskappy ,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: 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- 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.,Gebruiker {0} het geen standaard POS-profiel nie. Gaan standaard by ry {1} vir hierdie gebruiker. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Vergaderminute van gehalte +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Verskaffer> Verskaffer tipe apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Werknemer verwysing DocType: Student Group,Set 0 for no limit,Stel 0 vir geen limiet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Die dag (en) waarop u aansoek doen om verlof, is vakansiedae. Jy hoef nie aansoek te doen vir verlof nie." @@ -2732,12 +2768,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Netto verandering in kontant DocType: Assessment Plan,Grading Scale,Graderingskaal apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Eenheid van maat {0} is meer as een keer in die Faktor Tabel ingevoer -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Reeds afgehandel apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Voorraad in die hand apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Voeg asseblief die oorblywende voordele {0} by die program as \ pro-rata-komponent apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Stel fiskale kode vir die '% s' van die openbare administrasie in -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Betaling Versoek bestaan reeds {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Koste van uitgereikte items DocType: Healthcare Practitioner,Hospital,hospitaal apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Hoeveelheid moet nie meer wees as {0} @@ -2782,6 +2816,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Menslike hulpbronne apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Boonste Inkomste DocType: Item Manufacturer,Item Manufacturer,Item Vervaardiger +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Skep nuwe lei DocType: BOM Operation,Batch Size,Bondel grote apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,verwerp DocType: Journal Entry Account,Debit in Company Currency,Debiet in Maatskappy Geld @@ -2802,9 +2837,11 @@ DocType: Bank Transaction,Reconciled,versoen DocType: Expense Claim,Total Amount Reimbursed,Totale Bedrag vergoed apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Dit is gebaseer op logs teen hierdie Voertuig. Sien die tydlyn hieronder vir besonderhede apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Betaaldatum kan nie minder wees as werknemer se toetredingsdatum nie +DocType: Pick List,Item Locations,Item Lokasies apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} geskep apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Werksopnames vir aanwysing {0} reeds oop \ of verhuring voltooi volgens Personeelplan {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,U kan tot 200 items publiseer. DocType: Vital Signs,Constipated,hardlywig apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Teen Verskafferfaktuur {0} gedateer {1} DocType: Customer,Default Price List,Standaard pryslys @@ -2896,6 +2933,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Skuif die werklike begin DocType: Tally Migration,Is Day Book Data Imported,Word dagboekdata ingevoer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Bemarkingsuitgawes +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} eenhede van {1} is nie beskikbaar nie. ,Item Shortage Report,Item kortverslag 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 @@ -2918,6 +2956,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 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 DocType: Material Request,Transferred,oorgedra DocType: Vehicle,Doors,deure @@ -2996,7 +3035,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Kliënt se Item Kode DocType: Stock Reconciliation,Stock Reconciliation,Voorraadversoening DocType: Territory,Territory Name,Territorium Naam DocType: Email Digest,Purchase Orders to Receive,Aankooporders om te ontvang -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Werk-in-Progress-pakhuis word vereis voor indiening +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Werk-in-Progress-pakhuis word vereis voor indiening apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,U kan slegs Planne met dieselfde faktuursiklus in 'n intekening hê DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data DocType: Purchase Order Item,Warehouse and Reference,Pakhuis en verwysing @@ -3070,6 +3109,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Afleweringsinstellings apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Haal data apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maksimum verlof toegelaat in die verlof tipe {0} is {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publiseer 1 item DocType: SMS Center,Create Receiver List,Skep Ontvanger Lys DocType: Student Applicant,LMS Only,Slegs LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Beskikbaar vir gebruik Datum moet na aankoopdatum wees @@ -3103,6 +3143,7 @@ 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 DocType: Vital Signs,Furry,Harige apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Stel asseblief 'Wins / Verliesrekening op Bateverkope' in Maatskappy {0} +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} @@ -3114,6 +3155,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Kyk na alle uitgawes vanaf {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kwaliteit vergadering tafel +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/templates/pages/help.html,Visit the forums,Besoek die forums DocType: Student,Student Mobile Number,Student Mobiele Nommer DocType: Item,Has Variants,Het Varianten @@ -3124,9 +3166,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Naam van die Maandelikse Verspreiding DocType: Quality Procedure Process,Quality Procedure Process,Kwaliteit prosedure proses apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Lotnommer is verpligtend +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Kies eers kliënt DocType: Sales Person,Parent Sales Person,Ouer Verkoopspersoon apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Geen items wat ontvang moet word is agterstallig nie apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Die verkoper en die koper kan nie dieselfde wees nie +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Nog geen kyke DocType: Project,Collect Progress,Versamel vordering DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Kies die program eerste @@ -3148,11 +3192,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,bereik DocType: Student Admission,Application Form Route,Aansoekvorm Roete apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Die einddatum van die ooreenkoms mag nie minder wees as vandag nie. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter om in te dien DocType: Healthcare Settings,Patient Encounters in valid days,Pasiënt ontmoetings in geldige dae apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Verlof tipe {0} kan nie toegeken word nie aangesien dit verlof is sonder betaling 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},Ry {0}: Toegewysde bedrag {1} moet minder wees as of gelykstaande wees aan faktuur uitstaande bedrag {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In Woorde sal sigbaar wees sodra jy die Verkoopsfaktuur stoor. DocType: Lead,Follow Up,Volg op +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Kostesentrum: {0} bestaan nie DocType: Item,Is Sales Item,Is verkoopitem apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Itemgroep Boom apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Item {0} is nie opgestel vir Serial Nos. Check Item Master @@ -3196,9 +3242,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Voorsien Aantal DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-KPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Materiaal Versoek Item -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Kanselleer eers die aankoopbewys {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Boom van itemgroepe. DocType: Production Plan,Total Produced Qty,Totale vervaardigde hoeveelheid +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Nog geen resensies apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Kan nie rynommer groter as of gelyk aan huidige rynommer vir hierdie laai tipe verwys nie DocType: Asset,Sold,verkoop ,Item-wise Purchase History,Item-wyse Aankoop Geskiedenis @@ -3217,7 +3263,7 @@ DocType: Designation,Required Skills,Vereiste vaardighede DocType: Inpatient Record,O Positive,O Positief apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,beleggings DocType: Issue,Resolution Details,Besluit Besonderhede -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Transaksie Tipe +DocType: Leave Ledger Entry,Transaction Type,Transaksie Tipe DocType: Item Quality Inspection Parameter,Acceptance Criteria,Aanvaarding kriteria apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Vul asseblief die Materiaal Versoeke in die tabel hierbo in apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Geen terugbetalings beskikbaar vir Joernaalinskrywings nie @@ -3258,6 +3304,7 @@ DocType: Bank Account,Bank Account No,Bankrekeningnommer DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Werknemersbelastingvrystelling Bewysvoorlegging DocType: Patient,Surgical History,Chirurgiese Geskiedenis DocType: Bank Statement Settings Item,Mapped Header,Gekoppelde kop +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 mensehulpbronne> HR-instellings 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. 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} @@ -3325,7 +3372,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Voeg Briefhoof DocType: Program Enrollment,Self-Driving Vehicle,Selfritvoertuig 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. -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totale toegekende blare {0} kan nie minder wees as reeds goedgekeurde blare {1} vir die tydperk nie DocType: Contract Fulfilment Checklist,Requirement,vereiste DocType: Journal Entry,Accounts Receivable,Rekeninge ontvangbaar DocType: Quality Goal,Objectives,doelwitte @@ -3348,7 +3394,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Enkele transaksiedrem DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Hierdie waarde word opgedateer in die verstekverkooppryslys. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,U mandjie is leeg DocType: Email Digest,New Expenses,Nuwe uitgawes -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC Bedrag apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Kan nie die roete optimaliseer nie, aangesien die bestuurder se adres ontbreek." DocType: Shareholder,Shareholder,aandeelhouer DocType: Purchase Invoice,Additional Discount Amount,Bykomende kortingsbedrag @@ -3385,6 +3430,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Onderhoudstaak apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Stel asseblief B2C-limiet in GST-instellings. DocType: Marketplace Settings,Marketplace Settings,Marketplace-instellings DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Pakhuis waar u voorraad van verwerpte items handhaaf +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Publiseer {0} items 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,Kan wisselkoers vir {0} tot {1} nie vind vir sleuteldatum {2}. Maak asseblief 'n Geldruilrekord handmatig DocType: POS Profile,Price List,Pryslys 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. @@ -3421,6 +3467,7 @@ DocType: Salary Component,Deduction,aftrekking DocType: Item,Retain Sample,Behou monster apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Ry {0}: Van tyd tot tyd is verpligtend. DocType: Stock Reconciliation Item,Amount Difference,Bedrag Verskil +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Hierdie bladsy hou die items dop wat u by verkopers wil koop. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Itemprys bygevoeg vir {0} in Pryslys {1} DocType: Delivery Stop,Order Information,Bestel inligting apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Voer asseblief die werknemer se ID van hierdie verkoopspersoon in @@ -3449,6 +3496,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Assesseringsplan Naam apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Teikenbesonderhede apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Van toepassing as die onderneming SpA, SApA of SRL is" @@ -3501,7 +3549,6 @@ DocType: Company,Transactions Annual History,Transaksies Jaarlikse Geskiedenis 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-bo 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 @@ -3553,6 +3600,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Wins vir die jaar 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 @@ -3606,12 +3654,10 @@ DocType: Supplier Scorecard,Scoring Setup,Scoring opstel apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,elektronika 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Geen GST-nommer vir die maatskappy gevind nie. 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 DocType: Question,Single Correct Answer,Enkel korrekte antwoord -DocType: Employee,Contact Details,Kontakbesonderhede DocType: C-Form,Received Date,Ontvang Datum DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","As jy 'n standaard sjabloon geskep het in die Verkoopsbelasting- en Heffingsjabloon, kies een en klik op die knoppie hieronder." DocType: BOM Scrap Item,Basic Amount (Company Currency),Basiese Bedrag (Maatskappy Geld) @@ -3641,12 +3687,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Website Operasie DocType: Bank Statement Transaction Payment Item,outstanding_amount,uitstaande bedrag DocType: Supplier Scorecard,Supplier Score,Verskaffer telling apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Bylae Toelating +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Die totale bedrag vir die aanvraag vir betaling kan nie meer as {0} bedrag wees nie DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kumulatiewe Transaksiedrempel DocType: Promotional Scheme Price Discount,Discount Type,Afslagtipe -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Totaal gefaktureerde Amt DocType: Purchase Invoice Item,Is Free Item,Is gratis item +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Persentasie mag u meer oordra teen die bestelhoeveelheid. Byvoorbeeld: As u 100 eenhede bestel het. en u toelae 10% is, mag u 110 eenhede oorplaas." DocType: Supplier,Warn RFQs,Waarsku RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,Verken +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Verken DocType: BOM,Conversion Rate,Omskakelingskoers apps/erpnext/erpnext/www/all-products/index.html,Product Search,Produksoektog ,Bank Remittance,Bankoorbetaling @@ -3658,6 +3705,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Totale bedrag betaal DocType: Asset,Insurance End Date,Versekering Einddatum apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Kies asseblief Studentetoelating wat verpligtend is vir die betaalde studenteversoeker +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Begrotingslys DocType: Campaign,Campaign Schedules,Veldtogskedules DocType: Job Card Time Log,Completed Qty,Voltooide aantal @@ -3680,6 +3728,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Nuwe adre DocType: Quality Inspection,Sample Size,Steekproefgrootte apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Vul asseblief die kwitansie dokument in apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Al die items is reeds gefaktureer +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Blare geneem apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Spesifiseer asseblief 'n geldige 'From Case No.' 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,"Verdere kostepunte kan onder Groepe gemaak word, maar inskrywings kan gemaak word teen nie-groepe" 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,Totale toegekende blare is meer dae as die maksimum toekenning van {0} verloftipe vir werknemer {1} in die tydperk @@ -3779,6 +3828,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Sluit alle 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 DocType: Leave Block List,Allow Users,Laat gebruikers toe 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: 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. @@ -3832,6 +3883,7 @@ DocType: Support Search Source,Result Title Field,Resultaat Titel Veld apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Oproepopsomming DocType: Sample Collection,Collected Time,Versamelde Tyd DocType: Employee Skill Map,Employee Skills,Werknemervaardighede +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Brandstofuitgawes DocType: Company,Sales Monthly History,Verkope Maandelikse Geskiedenis apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Stel ten minste een ry in die tabel Belasting en heffings DocType: Asset Maintenance Task,Next Due Date,Volgende vervaldatum @@ -3841,6 +3893,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Vital Sig DocType: Payment Entry,Payment Deductions or Loss,Betaling aftrekkings of verlies DocType: Soil Analysis,Soil Analysis Criterias,Grondanalisiekriteria apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standaardkontrakvoorwaardes vir Verkope of Aankope. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Rye is verwyder in {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Begin inklok voor die begin van die skof (in minute) DocType: BOM Item,Item operation,Item operasie apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Groep per Voucher @@ -3866,11 +3919,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Salaris Slip van werknemer {0} wat reeds vir hierdie tydperk geskep is apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,farmaseutiese apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,U kan slegs Verlof-inskrywing vir 'n geldige invoegingsbedrag indien +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Items deur apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Koste van gekoopte items DocType: Employee Separation,Employee Separation Template,Medewerkers skeiding sjabloon DocType: Selling Settings,Sales Order Required,Verkope bestelling benodig apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Word 'n Verkoper -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Die aantal voorvalle waarna die gevolg uitgevoer word. ,Procurement Tracker,Verkrygingsopspoorder DocType: Purchase Invoice,Credit To,Krediet aan apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC omgekeer @@ -3883,6 +3936,7 @@ DocType: Quality Meeting,Agenda,agenda DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Onderhoudskedule Detail DocType: Supplier Scorecard,Warn for new Purchase Orders,Waarsku vir nuwe aankoopbestellings DocType: Quality Inspection Reading,Reading 9,Lees 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Koppel u Exotel-rekening aan ERPNext en spoor oproeplogboeke DocType: Supplier,Is Frozen,Is bevrore DocType: Tally Migration,Processed Files,Verwerkte lêers apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Groepknooppakhuis mag nie vir transaksies kies nie @@ -3892,6 +3946,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM nommer vir ' DocType: Upload Attendance,Attendance To Date,Bywoning tot datum 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 @@ -3916,7 +3971,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,versoeker apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Ongeldige verwysing {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Reëls vir die toepassing van verskillende promosieskemas. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan nie groter wees as beplande quanitity ({2}) in Produksie Orde {3} DocType: Shipping Rule,Shipping Rule Label,Poslys van die skeepsreël DocType: Journal Entry Account,Payroll Entry,Betaalstaatinskrywing apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,View Fees Records @@ -3928,6 +3982,7 @@ DocType: Contract,Fulfilment Status,Vervulling Status DocType: Lab Test Sample,Lab Test Sample,Lab Test Voorbeeld DocType: Item Variant Settings,Allow Rename Attribute Value,Laat die kenmerk waarde toe apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Vinnige Blaar Inskrywing +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Toekomstige betalingsbedrag apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,U kan nie koers verander as BOM enige item genoem het nie DocType: Restaurant,Invoice Series Prefix,Faktuurreeksvoorvoegsel DocType: Employee,Previous Work Experience,Vorige werkservaring @@ -3957,6 +4012,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Projek Status DocType: UOM,Check this to disallow fractions. (for Nos),Kontroleer dit om breuke te ontbreek. (vir Nos) DocType: Student Admission Program,Naming Series (for Student Applicant),Naming Series (vir Studente Aansoeker) +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} 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 @@ -3972,6 +4028,7 @@ DocType: Fiscal Year,Year End Date,Jaarindeinde DocType: Task Depends On,Task Depends On,Taak hang af apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,geleentheid DocType: Options,Option,Opsie +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},U kan nie boekhou-inskrywings maak in die geslote rekeningkundige periode {0} DocType: Operation,Default Workstation,Verstek werkstasie DocType: Payment Entry,Deductions or Loss,Aftrekkings of verlies apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} is gesluit @@ -3980,6 +4037,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Kry huidige voorraad DocType: Purchase Invoice,ineligible,onbevoeg apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Boom van die materiaal +DocType: BOM,Exploded Items,Ontplofde items DocType: Student,Joining Date,Aansluitingsdatum ,Employees working on a holiday,Werknemers wat op vakansie werk ,TDS Computation Summary,TDS Computation Opsomming @@ -4012,6 +4070,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basiese tarief (soos p DocType: SMS Log,No of Requested SMS,Geen versoekte SMS nie apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Verlof sonder betaal stem nie ooreen met goedgekeurde Verlof aansoek rekords apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Volgende stappe +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Gestoorde items DocType: Travel Request,Domestic,binnelandse apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Verskaf asseblief die gespesifiseerde items teen die beste moontlike tariewe apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Werknemeroordrag kan nie voor die Oordragdatum ingedien word nie @@ -4064,7 +4123,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Bate Kategorie Rekening apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Die waarde {0} is reeds aan 'n bestaande item {2} toegeken. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Ry # {0} (Betaal Tabel): Bedrag moet positief wees -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Kan nie meer item {0} produseer as hoeveelheid van die bestelling {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Kan nie meer item {0} produseer as hoeveelheid van die bestelling {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Niks is by die bruto ingesluit nie apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Daar bestaan reeds 'n e-Way-wetsontwerp vir hierdie dokument apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Kies kenmerkwaardes @@ -4099,12 +4158,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Aktiveer verskillende gevolge vir vroeë uitgang ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Werknemervoordeel Aansoek apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Bykomende salarisonderdele bestaan. DocType: Purchase Invoice,Unregistered,ongeregistreerde -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Verskaf asseblief eerste notas DocType: Student Applicant,Application Date,Aansoek Datum DocType: Salary Component,Amount based on formula,Bedrag gebaseer op formule DocType: Purchase Invoice,Currency and Price List,Geld en pryslys @@ -4133,6 +4190,7 @@ DocType: Purchase Receipt,Time at which materials were received,Tyd waarteen mat DocType: Products Settings,Products per Page,Produkte per bladsy 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Die toegekende bedrag kan nie negatief wees nie DocType: Sales Order,Billing Status,Rekeningstatus apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Gee 'n probleem aan @@ -4142,6 +4200,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-Bo 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,Ry # {0}: Tydskrifinskrywings {1} het nie rekening {2} of alreeds teen 'n ander geskenkbewys aangepas nie DocType: Supplier Scorecard Criteria,Criteria Weight,Kriteria Gewig +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Rekening: {0} is nie toegelaat onder betalingstoelae nie DocType: Production Plan,Ignore Existing Projected Quantity,Ignoreer die bestaande geprojekteerde hoeveelheid apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Laat Goedkeuring Kennisgewing DocType: Buying Settings,Default Buying Price List,Verstek kooppryslys @@ -4150,6 +4209,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,Tipe van betaling apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Kies asseblief 'n bondel vir item {0}. Kan nie 'n enkele bondel vind wat aan hierdie vereiste voldoen nie @@ -4178,6 +4238,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Winkelwagentjie instellin DocType: Journal Entry,Accounting Entries,Rekeningkundige Inskrywings 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." +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 DocType: Journal Entry,Paid Loan,Betaalde lening 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 @@ -4194,12 +4255,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Besonderhede apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Geen tydskrifte nie DocType: GoCardless Mandate,GoCardless Customer,GoCardless kliënt apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Verlof tipe {0} kan nie deurstuur word nie +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Itemkode> Itemgroep> Merk apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Onderhoudskedule word nie vir al die items gegenereer nie. Klik asseblief op 'Generate Schedule' ,To Produce,Te produseer DocType: Leave Encashment,Payroll,betaalstaat 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","Vir ry {0} in {1}. Om {2} in Item-koers in te sluit, moet rye {3} ook ingesluit word" DocType: Healthcare Service Unit,Parent Service Unit,Ouer Diens Eenheid DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikasie van die pakket vir die aflewering (vir druk) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Diensvlakooreenkoms is teruggestel. DocType: Bin,Reserved Quantity,Gereserveerde hoeveelheid apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Voer asseblief 'n geldige e-posadres in DocType: Volunteer Skill,Volunteer Skill,Vrywilligheidsvaardigheid @@ -4220,7 +4283,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Prys of produkkorting apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Vir ry {0}: Gee beplande hoeveelheid DocType: Account,Income Account,Inkomsterekening -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kliënt> Kliëntegroep> Gebied DocType: Payment Request,Amount in customer's currency,Bedrag in kliënt se geldeenheid apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,aflewering apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Strukture ken ... @@ -4243,6 +4305,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,U sal rekords verloor van voorheen gegenereerde fakture. Is jy seker jy wil hierdie intekening herbegin? @@ -4298,11 +4361,10 @@ DocType: Additional Salary,HR User,HR gebruiker DocType: Bank Guarantee,Reference Document Name,Verwysings dokument naam DocType: Purchase Invoice,Taxes and Charges Deducted,Belasting en heffings afgetrek DocType: Support Settings,Issues,kwessies -DocType: Shift Type,Early Exit Consequence after,Gevolg van vroeë uitgang na DocType: Loyalty Program,Loyalty Program Name,Lojaliteitsprogram Naam apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Status moet een van {0} wees apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Herinnering om GSTIN gestuur te werk -DocType: Sales Invoice,Debit To,Debiet aan +DocType: Discounted Invoice,Debit To,Debiet aan DocType: Restaurant Menu Item,Restaurant Menu Item,Restaurant Menu Item DocType: Delivery Note,Required only for sample item.,Slegs benodig vir monsteritem. DocType: Stock Ledger Entry,Actual Qty After Transaction,Werklike hoeveelheid na transaksie @@ -4385,6 +4447,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Parameter Naam apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Slegs verlof aansoeke met status 'Goedgekeur' en 'Afgekeur' kan ingedien word apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Skep dimensies ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Studentegroepnaam is verpligtend in ry {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Omkring kredietlimiet_kontroleer DocType: Homepage,Products to be shown on website homepage,Produkte wat op die tuisblad van die webwerf gewys word DocType: HR Settings,Password Policy,Wagwoordbeleid apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Dit is 'n wortelkundegroep en kan nie geredigeer word nie. @@ -4431,10 +4494,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),As m apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Stel asseblief die standaardkliënt in Restaurantinstellings ,Salary Register,Salarisregister DocType: Company,Default warehouse for Sales Return,Standaard pakhuis vir verkoopsopgawe -DocType: Warehouse,Parent Warehouse,Ouer Warehouse +DocType: Pick List,Parent Warehouse,Ouer Warehouse DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definieer verskillende leningstipes DocType: Bin,FCFS Rate,FCFS-tarief @@ -4471,6 +4534,7 @@ DocType: Travel Itinerary,Lodging Required,Akkommodasie benodig DocType: Promotional Scheme,Price Discount Slabs,Prys Afslagblaaie DocType: Stock Reconciliation Item,Current Serial No,Huidige reeksnommer DocType: Employee,Attendance and Leave Details,Besoeke en verlofbesonderhede +,BOM Comparison Tool,BOM-vergelykingshulpmiddel ,Requested,versoek apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Geen opmerkings DocType: Asset,In Maintenance,In Onderhoud @@ -4493,6 +4557,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Verstek diensvlakooreenkoms DocType: SG Creation Tool Course,Course Code,Kursuskode apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Meer as een keuse vir {0} word nie toegelaat nie +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Aantal grondstowwe word bepaal op grond van die hoeveelheid van die finale produk DocType: Location,Parent Location,Ouer Plek DocType: POS Settings,Use POS in Offline Mode,Gebruik POS in aflyn modus apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prioriteit is verander na {0}. @@ -4511,7 +4576,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Sample Retention Warehouse DocType: Company,Default Receivable Account,Verstek ontvangbare rekening apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Geprojekteerde hoeveelheid formule DocType: Sales Invoice,Deemed Export,Geagte Uitvoer -DocType: Stock Entry,Material Transfer for Manufacture,Materiaal Oordrag vir Vervaardiging +DocType: Pick List,Material Transfer for Manufacture,Materiaal Oordrag vir Vervaardiging 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.,Afslagpersentasie kan óf teen 'n Pryslys óf vir alle Pryslys toegepas word. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Rekeningkundige Inskrywing vir Voorraad DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4554,7 +4619,6 @@ DocType: Training Event,Theory,teorie apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Waarskuwing: Materiaal Gevraagde hoeveelheid is minder as minimum bestelhoeveelheid apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Rekening {0} is gevries DocType: Quiz Question,Quiz Question,Vraestelvraag -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Verskaffer> Verskaffer tipe 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" @@ -4585,6 +4649,7 @@ 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 DocType: Account,Expense Account,Uitgawe rekening apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,sagteware apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Kleur @@ -4622,6 +4687,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Bestuur verkoopsve 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 DocType: Fee Validity,Visited yet,Nog besoek +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,U kan tot 8 items bevat. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Pakhuise met bestaande transaksie kan nie na groep omskep word nie. 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. @@ -4629,7 +4695,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4654,7 +4719,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Gesprek in ure DocType: Contract,Signee Details,Signee Besonderhede apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} het tans 'n {1} Verskaffer Scorecard en RFQs aan hierdie verskaffer moet met omsigtigheid uitgereik word. DocType: Certified Consultant,Non Profit Manager,Nie-winsgewende bestuurder -DocType: BOM,Total Cost(Company Currency),Totale koste (Maatskappy Geld) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Rekeningnommer {0} geskep DocType: Homepage,Company Description for website homepage,Maatskappybeskrywing vir webwerf tuisblad DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",Vir die gerief van kliënte kan hierdie kodes gebruik word in drukformate soos fakture en afleweringsnotas @@ -4682,7 +4746,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Aankoopon DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktiveer Geskeduleerde Sink apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Tot Dattyd apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Logs vir die instandhouding van sms-leweringstatus -DocType: Shift Type,Early Exit Consequence,Gevolg van vroeë uitgang DocType: Accounts Settings,Make Payment via Journal Entry,Betaal via Joernaal Inskrywing apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Moenie meer as 500 items op 'n slag skep nie apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Gedruk Op @@ -4739,6 +4802,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Gekruiste Gekru 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Datum van vestiging apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,'N Akademiese term met hierdie' Akademiese Jaar '{0} en' Termynnaam '{1} bestaan reeds. Verander asseblief hierdie inskrywings en probeer weer. @@ -4800,6 +4864,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Kliëntipe DocType: Compensatory Leave Request,Leave Allocation,Verlof toekenning DocType: Payment Request,Recipient Message And Payment Details,Ontvangersboodskap en Betaalbesonderhede +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Kies 'n afleweringsnota DocType: Support Search Source,Source DocType,Bron DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Maak 'n nuwe kaartjie oop DocType: Training Event,Trainer Email,Trainer E-pos @@ -4920,6 +4985,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Vanaf datum' moet na 'tot datum' wees apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Geen personeelplanne vir hierdie aanwysing gevind nie apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} van Item {1} is gedeaktiveer. @@ -4941,7 +5007,7 @@ DocType: Clinical Procedure,Patient,pasiënt apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Bypass krediet tjek by verkope bestelling DocType: Employee Onboarding Activity,Employee Onboarding Activity,Werknemer aan boord Aktiwiteit DocType: Location,Check if it is a hydroponic unit,Kyk of dit 'n hidroponiese eenheid is -DocType: Stock Reconciliation Item,Serial No and Batch,Serial No and Batch +DocType: Pick List Item,Serial No and Batch,Serial No and Batch DocType: Warranty Claim,From Company,Van Maatskappy DocType: GSTR 3B Report,January,Januarie apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Som van punte van assesseringskriteria moet {0} wees. @@ -4965,7 +5031,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Korting 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Geen {0} gevind vir intermaatskappy transaksies nie. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Krediet Vir rekening moet 'n balansstaatrekening wees @@ -4998,11 +5063,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kostesentrum 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,oorblywende DocType: Appraisal,Appraisal,evaluering DocType: Loan,Loan Account,Leningsrekening apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Geldig uit en tot geldige velde is verpligtend vir die kumulatiewe +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",Vir item {0} op ry {1} stem die reeksnommers nie ooreen met die gekose hoeveelheid nie DocType: Purchase Invoice,GST Details,GST Besonderhede apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Dit is gebaseer op transaksies teen hierdie Gesondheidsorgpraktisyn. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-pos gestuur aan verskaffer {0} @@ -5066,6 +5133,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Die bruto gewig van die pakket. Gewoonlik netto gewig + verpakkingsmateriaal gewig. (vir druk) DocType: Assessment Plan,Program,program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Gebruikers met hierdie rol word toegelaat om gevriesde rekeninge te stel en rekeningkundige inskrywings teen bevrore rekeninge te skep / te verander +DocType: Plaid Settings,Plaid Environment,Plaid omgewing ,Project Billing Summary,Projekrekeningopsomming DocType: Vital Signs,Cuts,sny DocType: Serial No,Is Cancelled,Is gekanselleer @@ -5127,7 +5195,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota: Stelsel sal nie oorlewering en oorboeking vir Item {0} nagaan nie aangesien hoeveelheid of bedrag 0 is DocType: Issue,Opening Date,Openingsdatum apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Slaan asseblief eers die pasiënt op -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Maak nuwe kontak apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Bywoning is suksesvol gemerk. DocType: Program Enrollment,Public Transport,Publieke vervoer DocType: Sales Invoice,GST Vehicle Type,GST Voertuigtipe @@ -5153,6 +5220,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Wetsontwerp DocType: POS Profile,Write Off Account,Skryf Rekening DocType: Patient Appointment,Get prescribed procedures,Kry voorgeskrewe prosedures DocType: Sales Invoice,Redemption Account,Aflossingsrekening +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Voeg eers items in die tabel met itemlokasies by DocType: Pricing Rule,Discount Amount,Korting Bedrag DocType: Pricing Rule,Period Settings,Periode-instellings DocType: Purchase Invoice,Return Against Purchase Invoice,Keer terug teen aankoopfaktuur @@ -5185,7 +5253,6 @@ DocType: Assessment Plan,Assessment Plan,Assesseringsplan DocType: Travel Request,Fully Sponsored,Volledig Sponsored apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Reverse Journal Entry apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Skep werkkaart -DocType: Shift Type,Consequence after,Gevolg na DocType: Quality Procedure Process,Process Description,Prosesbeskrywing apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Kliënt {0} is geskep. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Tans is geen voorraad beskikbaar in enige pakhuis nie @@ -5220,6 +5287,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Opruimingsdatum DocType: Delivery Settings,Dispatch Notification Template,Versending Kennisgewings Sjabloon apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Assesseringsverslag apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Kry Werknemers +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 @@ -5313,7 +5381,6 @@ DocType: Stock Settings,Use Naming Series,Gebruik Naming Series apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Geen aksie apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Waardasietoelae kan nie as Inklusief gemerk word nie DocType: POS Profile,Update Stock,Werk Voorraad -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Verskillende UOM vir items sal lei tot foutiewe (Totale) Netto Gewigwaarde. Maak seker dat die netto gewig van elke item in dieselfde UOM is. DocType: Certification Application,Payment Details,Betaling besonderhede apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM-koers @@ -5348,7 +5415,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Dit is 'n wortelverkoper en kan nie geredigeer word nie. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Indien gekies, sal die waarde wat in hierdie komponent gespesifiseer of bereken word, nie bydra tot die verdienste of aftrekkings nie. Die waarde daarvan kan egter verwys word deur ander komponente wat bygevoeg of afgetrek kan word." -DocType: Asset Settings,Number of Days in Fiscal Year,Aantal dae in fiskale jaar ,Stock Ledger,Voorraad Grootboek DocType: Company,Exchange Gain / Loss Account,Uitruil wins / verlies rekening DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials @@ -5383,6 +5449,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Kolom in banklêer apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Laat aansoek {0} bestaan reeds teen die student {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,In wagtyd vir die opdatering van die jongste prys in alle materiaal. Dit kan 'n paar minute neem. +DocType: Pick List,Get Item Locations,Kry artikelplekke apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Naam van nuwe rekening. Nota: skep asseblief nie rekeninge vir kliënte en verskaffers nie DocType: POS Profile,Display Items In Stock,Wys items op voorraad apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Landverstandige standaard adres sjablonen @@ -5406,6 +5473,7 @@ DocType: Crop,Materials Required,Materiaal benodig apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Geen studente gevind DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Maandelikse HRA Vrystelling DocType: Clinical Procedure,Medical Department,Mediese Departement +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Totale vroeë uitgange DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Verskaffer Scorecard Scoring Criteria apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Invoice Posting Date apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,verkoop @@ -5417,11 +5485,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Skrap die werknemer {0} \ om hierdie dokument te kanselleer" DocType: Program Enrollment,School House,Skoolhuis DocType: Serial No,Out of AMC,Uit AMC DocType: Opportunity,Opportunity Amount,Geleentheid Bedrag +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Jou profiel apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Aantal afskrywings wat bespreek word, kan nie groter wees as die totale aantal afskrywings nie" DocType: Purchase Order,Order Confirmation Date,Bestelling Bevestigingsdatum DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5515,7 +5582,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Daar is teenstrydighede tussen die koers, aantal aandele en die bedrag wat bereken word" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,U is nie die hele dag teenwoordig tussen verlofverlofdae nie apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Voer asseblief die maatskappy se naam weer in om te bevestig -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Totaal Uitstaande Amt DocType: Journal Entry,Printing Settings,Druk instellings DocType: Payment Order,Payment Order Type,Betaalorder tipe DocType: Employee Advance,Advance Account,Voorskotrekening @@ -5604,7 +5670,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Jaar Naam apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Daar is meer vakansiedae as werksdae hierdie maand. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Die volgende items {0} word nie gemerk as {1} item nie. U kan hulle as {1} item in die Item-meester aktiveer -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Produk Bundel Item DocType: Sales Partner,Sales Partner Name,Verkope Vennoot Naam apps/erpnext/erpnext/hooks.py,Request for Quotations,Versoek vir kwotasies @@ -5613,19 +5678,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,Normale toetsitems DocType: QuickBooks Migrator,Company Settings,Maatskappyinstellings DocType: Additional Salary,Overwrite Salary Structure Amount,Oorskryf Salarisstruktuurbedrag -apps/erpnext/erpnext/config/hr.py,Leaves,blare +DocType: Leave Ledger Entry,Leaves,blare DocType: Student Language,Student Language,Studente Taal DocType: Cash Flow Mapping,Is Working Capital,Is bedryfskapitaal apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Bewys indien apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Bestelling / Kwotasie% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Teken Pasiënt Vitale op DocType: Fee Schedule,Institution,instelling -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: Asset,Partially Depreciated,Gedeeltelik afgeskryf DocType: Issue,Opening Time,Openingstyd apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Van en tot datums benodig apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Sekuriteite en kommoditeitsuitruilings -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Oproepopsomming deur {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Docs Search apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standaard eenheid van maatstaf vir variant '{0}' moet dieselfde wees as in Sjabloon '{1}' DocType: Shipping Rule,Calculate Based On,Bereken Gebaseer Op @@ -5671,6 +5734,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimum toelaatbare waarde DocType: Journal Entry Account,Employee Advance,Werknemersvooruitgang DocType: Payroll Entry,Payroll Frequency,Payroll Frequency +DocType: Plaid Settings,Plaid Client ID,Ingelegde kliënt-ID DocType: Lab Test Template,Sensitivity,sensitiwiteit DocType: Plaid Settings,Plaid Settings,Plaid-instellings apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Sinkronisering is tydelik gedeaktiveer omdat maksimum terugskrywings oorskry is @@ -5688,6 +5752,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Kies asseblief die Posdatum eerste apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Openingsdatum moet voor sluitingsdatum wees DocType: Travel Itinerary,Flight,Flight +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Terug huistoe DocType: Leave Control Panel,Carry Forward,Voort te sit apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Kostesentrum met bestaande transaksies kan nie na grootboek omgeskakel word nie DocType: Budget,Applicable on booking actual expenses,Van toepassing op bespreking werklike uitgawes @@ -5743,6 +5808,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Skep kwotasie apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Jy is nie gemagtig om bladsye op Blokdata te keur nie apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Versoek vir {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Al hierdie items is reeds gefaktureer +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Geen uitstaande fakture is gevind vir die {0} {1} wat die filters wat u gespesifiseer het, kwalifiseer nie." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Stel Nuwe Release Date DocType: Company,Monthly Sales Target,Maandelikse verkoopsdoel apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Geen uitstaande fakture gevind nie @@ -5789,6 +5855,7 @@ DocType: Water Analysis,Type of Sample,Soort monster DocType: Batch,Source Document Name,Bron dokument naam DocType: Production Plan,Get Raw Materials For Production,Kry grondstowwe vir produksie DocType: Job Opening,Job Title,Werkstitel +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Toekomstige betaling ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} dui aan dat {1} nie 'n kwotasie sal verskaf nie, maar al die items \ is aangehaal. Opdateer die RFQ kwotasie status." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimum steekproewe - {0} is reeds behou vir bondel {1} en item {2} in bondel {3}. @@ -5799,12 +5866,10 @@ 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: Company,Product Code,Produk-kode DocType: Quality Review Table,Objective,Doel DocType: Supplier Scorecard,Per Month,Per maand DocType: Education Settings,Make Academic Term Mandatory,Maak akademiese termyn verpligtend -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Hoeveelheid tot Vervaardiging moet groter as 0 wees. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Bereken Voorgestelde Waardeverminderingskedule gebaseer op Fiskale Jaar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Hoeveelheid tot Vervaardiging moet groter as 0 wees. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Besoek verslag vir onderhoudsoproep. DocType: Stock Entry,Update Rate and Availability,Update tarief en beskikbaarheid 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.,"Persentasie wat u mag ontvang of meer lewer teen die hoeveelheid bestel. Byvoorbeeld: As jy 100 eenhede bestel het. en u toelae is 10%, dan mag u 110 eenhede ontvang." @@ -5815,7 +5880,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Die datum van vrylating moet in die toekoms wees DocType: BOM,Website Description,Webwerf beskrywing apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Netto verandering in ekwiteit -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Kanselleer eers Aankoopfaktuur {0} apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Nie toegelaat. Skakel asseblief die dienseenheidstipe uit apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-pos adres moet uniek wees, bestaan reeds vir {0}" DocType: Serial No,AMC Expiry Date,AMC Vervaldatum @@ -5859,6 +5923,7 @@ DocType: Pricing Rule,Price Discount Scheme,Pryskortingskema apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Onderhoudstatus moet gekanselleer of voltooi word om in te dien DocType: Amazon MWS Settings,US,VSA DocType: Holiday List,Add Weekly Holidays,Voeg weeklikse vakansies by +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Rapporteer item DocType: Staffing Plan Detail,Vacancies,vakatures DocType: Hotel Room,Hotel Room,Hotelkamer apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Rekening {0} behoort nie aan maatskappy {1} @@ -5910,12 +5975,15 @@ DocType: Email Digest,Open Quotations,Oop Kwotasies 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Skrap die werknemer {0} \ om hierdie dokument te kanselleer" 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 @@ -5929,6 +5997,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,vakante DocType: Patient,Alcohol Past Use,Alkohol Gebruik DocType: Fertilizer Content,Fertilizer Content,Kunsmis Inhoud +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,geen beskrywing apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Billing State DocType: Quality Goal,Monitoring Frequency,Monitor frekwensie @@ -5946,6 +6015,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Eindig Op datum kan nie voor volgende kontak datum wees nie. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Joernaalinskrywings DocType: Journal Entry,Pay To / Recd From,Betaal na / Recd From +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Publiseer item DocType: Naming Series,Setup Series,Opstelreeks DocType: Payment Reconciliation,To Invoice Date,Na faktuur datum DocType: Bank Account,Contact HTML,Kontak HTML @@ -5967,6 +6037,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Kleinhandel DocType: Student Attendance,Absent,afwesig DocType: Staffing Plan,Staffing Plan Detail,Personeelplanbesonderhede DocType: Employee Promotion,Promotion Date,Bevorderingsdatum +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Verloftoewysing% s word gekoppel aan verlofaansoek% s 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} @@ -6001,9 +6072,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Faktuur {0} bestaan nie meer nie DocType: Guardian Interest,Guardian Interest,Voogbelang DocType: Volunteer,Availability,beskikbaarheid +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Verlof-aansoek word gekoppel aan verlof-toekennings {0}. Verlof aansoek kan nie as verlof sonder betaling opgestel word nie apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Stel verstekwaardes vir POS-fakture DocType: Employee Training,Training,opleiding DocType: Project,Time to send,Tyd om te stuur +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Hierdie bladsy hou u items waarin kopers belangstelling getoon het, dop." DocType: Timesheet,Employee Detail,Werknemersbesonderhede 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 @@ -6099,12 +6172,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Openingswaarde DocType: Salary Component,Formula,formule apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serie # -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 mensehulpbronne> HR-instellings 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/setup/doctype/company/company.py,Sales Account,Verkooprekening DocType: Purchase Invoice Item,Total Weight,Totale Gewig +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}" @@ -6128,6 +6201,7 @@ DocType: Company,Default Employee Advance Account,Verstekpersoneelvoorskotrekeni apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Soek item (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Rekening met bestaande transaksie kan nie uitgevee word nie +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Waarom dink hierdie artikel moet verwyder word? DocType: Vehicle,Last Carbon Check,Laaste Carbon Check apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Regskoste apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Kies asseblief die hoeveelheid op ry @@ -6147,6 +6221,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Afbreek DocType: Travel Itinerary,Vegetarian,Vegetariese DocType: Patient Encounter,Encounter Date,Ontmoeting Datum +DocType: Work Order,Update Consumed Material Cost In Project,Opdatering van verbruikte materiaal in die projek apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Rekening: {0} met valuta: {1} kan nie gekies word nie DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdata DocType: Purchase Receipt Item,Sample Quantity,Monster Hoeveelheid @@ -6201,7 +6276,7 @@ DocType: GSTR 3B Report,April,April DocType: Plant Analysis,Collection Datetime,Versameling Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Totale bedryfskoste -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Nota: Item {0} het verskeie kere ingeskryf +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Nota: Item {0} het verskeie kere ingeskryf apps/erpnext/erpnext/config/buying.py,All Contacts.,Alle kontakte. DocType: Accounting Period,Closed Documents,Geslote Dokumente DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Bestuur Aanstellingsfaktuur stuur outomaties vir Patient Encounter in en kanselleer @@ -6283,9 +6358,7 @@ DocType: Member,Membership Type,Lidmaatskap Tipe ,Reqd By Date,Reqd By Datum apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,krediteure DocType: Assessment Plan,Assessment Name,Assesseringsnaam -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Wys PDC in Print apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Ry # {0}: Volgnommer is verpligtend -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Geen uitstaande fakture vir die {0} {1} is gevind nie . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item Wise Tax Detail DocType: Employee Onboarding,Job Offer,Werksaanbod apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Instituut Afkorting @@ -6343,6 +6416,7 @@ DocType: Serial No,Out of Warranty,Buite waarborg DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapped Data Type DocType: BOM Update Tool,Replace,vervang apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Geen produkte gevind. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Publiseer meer items apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Hierdie diensvlakooreenkoms is spesifiek vir kliënt {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} teen verkoopsfaktuur {1} DocType: Antibiotic,Laboratory User,Laboratoriumgebruiker @@ -6365,7 +6439,6 @@ DocType: Payment Order Reference,Bank Account Details,Bankrekeningbesonderhede DocType: Purchase Order Item,Blanket Order,Dekensbestelling 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Produksie bestelling is {0} DocType: BOM Item,BOM No,BOM Nr 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 @@ -6438,6 +6511,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Buitelandse belasbare lewerings (nulkoers) DocType: BOM,Materials Required (Exploded),Materiaal benodig (ontplof) 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/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 @@ -6495,7 +6569,6 @@ DocType: Pricing Rule,Same Item,Dieselfde item DocType: Stock Ledger Entry,Stock Ledger Entry,Voorraad Grootboek Inskrywing DocType: Quality Action Resolution,Quality Action Resolution,Kwaliteit-aksie-resolusie apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} op Halfdag Verlof op {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Dieselfde item is verskeie kere ingevoer DocType: Department,Leave Block List,Los blokkie lys DocType: Purchase Invoice,Tax ID,Belasting ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Item {0} is nie opgestel vir Serial Nos. Kolom moet leeg wees @@ -6533,7 +6606,7 @@ 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 DocType: Purchase Invoice,Return,terugkeer -DocType: Accounting Dimension,Disable,afskakel +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 DocType: Task,Pending Review,Hangende beoordeling apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Wysig in volle bladsy vir meer opsies soos bates, reeksnommers, bondels ens." @@ -6644,7 +6717,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Gekombineerde faktuur gedeelte moet gelyk wees aan 100% DocType: Item Default,Default Expense Account,Verstek uitgawes rekening DocType: GST Account,CGST Account,CGST rekening -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Itemkode> Itemgroep> Merk apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student e-pos ID DocType: Employee,Notice (days),Kennisgewing (dae) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS sluitingsbewysfakture @@ -6655,6 +6727,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Kies items om die faktuur te stoor DocType: Employee,Encashment Date,Bevestigingsdatum DocType: Training Event,Internet,internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Verkoperinligting DocType: Special Test Template,Special Test Template,Spesiale Toets Sjabloon DocType: Account,Stock Adjustment,Voorraadaanpassing apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Verstekaktiwiteitskoste bestaan vir aktiwiteitstipe - {0} @@ -6666,7 +6739,6 @@ 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 -DocType: Company,Bank Remittance Settings,Instellings vir bankbesoldiging apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gemiddelde koers 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 @@ -6694,6 +6766,7 @@ DocType: Grading Scale Interval,Threshold,Drumpel apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filter werknemers volgens (opsioneel) DocType: BOM Update Tool,Current BOM,Huidige BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Saldo (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Aantal eindprodukte apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Voeg serienommer by DocType: Work Order Item,Available Qty at Source Warehouse,Beskikbare hoeveelheid by Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,waarborg @@ -6772,7 +6845,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Hier kan u hoogte, gewig, allergieë, mediese sorg, ens. Handhaaf" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Skep rekeninge ... DocType: Leave Block List,Applies to Company,Van toepassing op Maatskappy -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Kan nie kanselleer nie aangesien ingevoerde Voorraadinskrywing {0} bestaan +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Kan nie kanselleer nie aangesien ingevoerde Voorraadinskrywing {0} bestaan DocType: Loan,Disbursement Date,Uitbetalingsdatum DocType: Service Level Agreement,Agreement Details,Ooreenkoms besonderhede apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Die begindatum van die ooreenkoms kan nie groter wees as of gelyk aan die einddatum nie. @@ -6781,6 +6854,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Mediese Rekord DocType: Vehicle,Vehicle,voertuig DocType: Purchase Invoice,In Words,In Woorde +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Tot op datum moet dit voor die datum wees apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Voer die naam van die bank of leningsinstelling in voordat u dit ingedien het. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} moet ingedien word DocType: POS Profile,Item Groups,Itemgroepe @@ -6852,7 +6926,6 @@ DocType: Customer,Sales Team Details,Verkoopspanbesonderhede apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Vee permanent uit? DocType: Expense Claim,Total Claimed Amount,Totale eisbedrag apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potensiële geleenthede vir verkoop. -DocType: Plaid Settings,Link a new bank account,Koppel 'n nuwe bankrekening apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} is 'n ongeldige bywoningstatus. DocType: Shareholder,Folio no.,Folio nr. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ongeldige {0} @@ -6868,7 +6941,6 @@ DocType: Production Plan,Material Requested,Materiaal aangevra DocType: Warehouse,PIN,SPELD DocType: Bin,Reserved Qty for sub contract,Gereserveerde hoeveelheid vir subkontrak DocType: Patient Service Unit,Patinet Service Unit,Patinet Diens Eenheid -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Genereer tekslêer DocType: Sales Invoice,Base Change Amount (Company Currency),Basisveranderingsbedrag (Maatskappygeld) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Geen rekeningkundige inskrywings vir die volgende pakhuise nie apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Slegs {0} op voorraad vir item {1} @@ -6882,6 +6954,7 @@ DocType: Item,No of Months,Aantal maande DocType: Item,Max Discount (%),Maksimum afslag (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Kredietdae kan nie 'n negatiewe nommer wees nie apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Laai 'n verklaring op +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Rapporteer hierdie item DocType: Purchase Invoice Item,Service Stop Date,Diensstopdatum apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Laaste bestelbedrag DocType: Cash Flow Mapper,e.g Adjustments for:,bv. Aanpassings vir: @@ -6975,16 +7048,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Werknemersbelastingvrystellingskategorie apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Die bedrag moet nie minder as nul wees nie. DocType: Sales Invoice,C-Form Applicable,C-vorm van toepassing -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Operasie Tyd moet groter wees as 0 vir Operasie {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Operasie Tyd moet groter wees as 0 vir Operasie {0} DocType: Support Search Source,Post Route String,Postroete apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Pakhuis is verpligtend apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Kon nie webwerf skep nie DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Gesprek Detail apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Toelating en inskrywing -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Retensie Voorraad Inskrywing reeds geskep of monster hoeveelheid nie verskaf nie +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Retensie Voorraad Inskrywing reeds geskep of monster hoeveelheid nie verskaf nie DocType: Program,Program Abbreviation,Program Afkorting -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Produksie bestelling kan nie teen 'n Item Sjabloon verhoog word nie apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Groep deur voucher (gekonsolideer) DocType: HR Settings,Encrypt Salary Slips in Emails,Enkripteer salarisstrokies in e-pos DocType: Question,Multiple Correct Answer,Meervoudige korrekte antwoord @@ -7031,7 +7103,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Word nul beoordeel of vr DocType: Employee,Educational Qualification,opvoedkundige kwalifikasie DocType: Workstation,Operating Costs,Bedryfskoste apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Geld vir {0} moet {1} wees -DocType: Employee Checkin,Entry Grace Period Consequence,Gevolg van ingangsperiode DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Merk bywoning gebaseer op 'Werknemer-aanmelding' vir werknemers wat aan hierdie skof toegewys is. DocType: Asset,Disposal Date,Vervreemdingsdatum DocType: Service Level,Response and Resoution Time,Reaksie en ontslag tyd @@ -7079,6 +7150,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,voltooiingsdatum DocType: Purchase Invoice Item,Amount (Company Currency),Bedrag (Maatskappy Geld) DocType: Program,Is Featured,Word aangebied +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Haal ... DocType: Agriculture Analysis Criteria,Agriculture User,Landbou gebruiker apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Geldig tot datum kan nie voor transaksiedatum wees nie apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} eenhede van {1} benodig in {2} op {3} {4} vir {5} om hierdie transaksie te voltooi. @@ -7111,7 +7183,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Totale Betaalde Amt 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 @@ -7135,6 +7206,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anoniem apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Ontvang van DocType: Lead,Converted,Omgeskakel DocType: Item,Has Serial No,Het 'n serienummer +DocType: Stock Entry Detail,PO Supplied Item,PO verskaf item 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} @@ -7249,7 +7321,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Sinkbelasting en Heffings 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Verstek BOM vir {0} nie gevind nie +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Tik items om hulle hier te voeg @@ -7283,7 +7355,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Onderhoud Datum DocType: Purchase Invoice Item,Rejected Serial No,Afgekeurde reeksnommer apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,"Jaar begin datum of einddatum oorvleuel met {0}. Om te voorkom, stel asseblief die maatskappy in" -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Vermeld asseblief die Lood Naam in Lood {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Begindatum moet minder wees as einddatum vir item {0} DocType: Shift Type,Auto Attendance Settings,Instellings vir outo-bywoning @@ -7293,9 +7364,11 @@ DocType: Upload Attendance,Upload Attendance,Oplaai Bywoning apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM en Vervaardiging Hoeveelhede word benodig apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Veroudering Reeks 2 DocType: SG Creation Tool Course,Max Strength,Maksimum sterkte +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
",Rekening {0} bestaan reeds in kinderonderneming {1}. Die volgende velde het verskillende waardes; hulle moet dieselfde wees:
  • {2}
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Voorinstellings installeer DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Geen afleweringsnota gekies vir kliënt {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Rye bygevoeg in {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Werknemer {0} het geen maksimum voordeelbedrag nie apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Kies items gebaseer op Afleweringsdatum DocType: Grant Application,Has any past Grant Record,Het enige vorige Grant-rekord @@ -7339,6 +7412,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Studente Besonderhede DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Dit is die standaard UOM wat gebruik word vir items en verkoopsbestellings. Die terugvallende UOM is "Nos". DocType: Purchase Invoice Item,Stock Qty,Voorraad Aantal +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 DocType: Loan,Repayment Period in Months,Terugbetalingsperiode in maande @@ -7367,6 +7441,7 @@ DocType: Authorization Rule,Customerwise Discount,Kliënte afslag apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Tydrooster vir take. DocType: Purchase Invoice,Against Expense Account,Teen koste rekening apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installasie Nota {0} is reeds ingedien +DocType: BOM,Raw Material Cost (Company Currency),Grondstofkoste (geldeenheid van die onderneming) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Huis huur betaal dae oorvleuel met {0} DocType: GSTR 3B Report,October,Oktober DocType: Bank Reconciliation,Get Payment Entries,Kry betalinginskrywings @@ -7413,15 +7488,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Beskikbaar vir gebruik datum is nodig DocType: Request for Quotation,Supplier Detail,Verskaffer Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Fout in formule of toestand: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Gefaktureerde bedrag +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Gefaktureerde bedrag apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kriteria gewigte moet tot 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Bywoning apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Voorraaditems DocType: Sales Invoice,Update Billed Amount in Sales Order,Werk gefaktureerde bedrag in verkoopsbestelling op +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Kontak verkoper 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,In Woorde sal sigbaar wees sodra jy die Aankoopbestelling stoor. @@ -7435,6 +7512,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Pryslysmeester. DocType: Task,Review Date,Hersieningsdatum DocType: BOM,Allow Alternative Item,Laat alternatiewe item toe +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Die aankoopbewys het geen item waarvoor die behoudmonster geaktiveer is nie. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktuur groot totaal DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Reeks vir Bate Waardevermindering Inskrywing (Joernaal Inskrywing) DocType: Membership,Member Since,Lid sedert @@ -7444,6 +7522,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Op Netto Totaal 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},Waarde vir kenmerk {0} moet binne die omvang van {1} tot {2} in die inkremente van {3} vir Item {4} DocType: Pricing Rule,Product Discount Scheme,Produkafslagskema +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Die oproeper het geen kwessie geopper nie. DocType: Restaurant Reservation,Waitlisted,waglys DocType: Employee Tax Exemption Declaration Category,Exemption Category,Vrystellingskategorie apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Geld kan nie verander word nadat inskrywings gebruik gemaak is van 'n ander geldeenheid nie @@ -7457,7 +7536,6 @@ DocType: Customer Group,Parent Customer Group,Ouer Kliëntegroep apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON kan slegs gegenereer word uit verkoopsfaktuur apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Maksimum pogings vir hierdie vasvra bereik! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,inskrywing -DocType: Purchase Invoice,Contact Email,Kontak e-pos apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Fooi skepping hangende DocType: Project Template Task,Duration (Days),Duur (dae) DocType: Appraisal Goal,Score Earned,Telling verdien @@ -7482,7 +7560,6 @@ DocType: Landed Cost Item,Landed Cost Item,Landed Koste Item 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Bedrag vir 'n enkele transaksie oorskry die maksimum toegelate bedrag, skep 'n aparte betalingsbevel deur die transaksies te verdeel" 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 @@ -7650,6 +7727,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Beski DocType: Quality Inspection Reading,Reading 3,Lees 3 DocType: Stock Entry,Source Warehouse Address,Bron pakhuis adres DocType: GL Entry,Voucher Type,Voucher Type +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Toekomstige betalings 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 @@ -7676,6 +7754,7 @@ 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." DocType: Sales Invoice,Customer GSTIN,Kliënt GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Lys van siektes wat op die veld bespeur word. Wanneer dit gekies word, sal dit outomaties 'n lys take byvoeg om die siekte te hanteer" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Dit is 'n wortelgesondheidsdiens-eenheid en kan nie geredigeer word nie. DocType: Asset Repair,Repair Status,Herstel Status 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." @@ -7690,6 +7769,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Verantwoord Veranderingsbedrag DocType: QuickBooks Migrator,Connecting to QuickBooks,Koppel aan QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Totale wins / verlies +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Skep kieslys apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ry {0}: Party / Rekening stem nie ooreen met {1} / {2} in {3} {4} DocType: Employee Promotion,Employee Promotion,Werknemersbevordering DocType: Maintenance Team Member,Maintenance Team Member,Onderhoudspanlid @@ -7772,6 +7852,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netto salaris kan nie negatief wees nie @@ -7803,7 +7884,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Kwaliteit doel DocType: BOM,Item to be manufactured or repacked,Item wat vervaardig of herverpak moet word apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Sintaksfout in toestand: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Geen probleem word deur die kliënt geopper nie. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Hoofvakke / Opsionele Vakke apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Stel asseblief Verskaffersgroep in Koopinstellings. @@ -7896,8 +7976,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Kredietdae apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Kies asseblief Pasiënt om Lab Tests te kry DocType: Exotel Settings,Exotel Settings,Exotel-instellings -DocType: Leave Type,Is Carry Forward,Is vorentoe +DocType: Leave Ledger Entry,Is Carry Forward,Is vorentoe DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Werksure waaronder Afwesig gemerk is. (Nul om uit te skakel) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Stuur n boodskap apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Kry items van BOM 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 diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv index bf65538bee..6808df4598 100644 --- a/erpnext/translations/am.csv +++ b/erpnext/translations/am.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,አቅራቢውን አሳውቅ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,ለመጀመሪያ ጊዜ ፓርቲ አይነት ይምረጡ DocType: Item,Customer Items,የደንበኛ ንጥሎች +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,ግዴታዎች DocType: Project,Costing and Billing,ዋጋና አከፋፈል apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},የቅድሚያ መለያ ሂሳብ እንደ ኩባንያ ምንዛሬ መሆን አለበት {0} DocType: QuickBooks Migrator,Token Endpoint,የማስመሰያ የመጨረሻ ነጥብ @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,ይለኩ ነባሪ ክፍል DocType: SMS Center,All Sales Partner Contact,ሁሉም የሽያጭ ባልደረባ ያግኙን DocType: Department,Leave Approvers,Approvers ውጣ DocType: Employee,Bio / Cover Letter,የህይወት ታሪክ / ደብዳቤ +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,እቃዎችን ይፈልጉ ... DocType: Patient Encounter,Investigations,ምርመራዎች DocType: Restaurant Order Entry,Click Enter To Add,ለማከል አስገባን ጠቅ ያድርጉ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","ለይለፍ ቃል, ኤፒአይ ቁልፍ ወይም የዩቲዩብ ሽያጭ እሴት ይጎድላል" DocType: Employee,Rented,ተከራይቷል apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,ሁሉም መለያዎች apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,ሰራተኛ በአቋም ሁኔታ ወደ ግራ ማስተላለፍ አይቻልም -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","አቁሟል የምርት ትዕዛዝ ሊሰረዝ አይችልም, ለመሰረዝ መጀመሪያ Unstop" DocType: Vehicle Service,Mileage,ርቀት apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,እርግጠኛ ነዎት ይህን ንብረት ቁራጭ ትፈልጋለህ? DocType: Drug Prescription,Update Schedule,መርሐግብርን ያዘምኑ @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,ደምበኛ DocType: Purchase Receipt Item,Required By,በ ያስፈልጋል DocType: Delivery Note,Return Against Delivery Note,የመላኪያ ማስታወሻ ላይ ይመለሱ DocType: Asset Category,Finance Book Detail,የገንዘብ መጽሐፍ ዝርዝር +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,ሁሉም ዋጋዎች ቀጠሮ ተይዘዋል። DocType: Purchase Order,% Billed,% የሚከፈል apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,የደመወዝ ቁጥር apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),የውጭ ምንዛሪ ተመን ጋር ተመሳሳይ መሆን አለበት {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,ባች ንጥል የሚቃጠልበት ሁኔታ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,ባንክ ረቂቅ DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-yYYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,ጠቅላላ ዘግይቶ ግቤቶች። DocType: Mode of Payment Account,Mode of Payment Account,የክፍያ መለያ ሁነታ apps/erpnext/erpnext/config/healthcare.py,Consultation,ምክክር DocType: Accounts Settings,Show Payment Schedule in Print,የክፍያ ዕቅድ በ Print ውስጥ አሳይ @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,ዋና እውቂያ ዝርዝሮች apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,ክፍት ጉዳዮች DocType: Production Plan Item,Production Plan Item,የምርት ዕቅድ ንጥል +DocType: Leave Ledger Entry,Leave Ledger Entry,የደርገር ግባን ይተው ፡፡ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},አባል {0} አስቀድሞ ሰራተኛ ተመድቧል {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} መስክ በመጠን የተገደበ ነው {1} DocType: Lab Test Groups,Add new line,አዲስ መስመር ያክሉ apps/erpnext/erpnext/utilities/activation.py,Create Lead,መሪ ፍጠር። DocType: Production Plan,Projected Qty Formula,የታሰበው ስሌት ቀመር @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,ከ DocType: Purchase Invoice Item,Item Weight Details,የንጥል ክብደት ዝርዝሮች DocType: Asset Maintenance Log,Periodicity,PERIODICITY apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,በጀት ዓመት {0} ያስፈልጋል +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,የተጣራ ትርፍ / ማጣት DocType: Employee Group Table,ERPNext User ID,የ ERPNext የተጠቃሚ መታወቂያ። DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,በአትክልቶች መካከል ባሉ አነስተኛ ደረጃዎች መካከል ዝቅተኛ የዕድገት ልዩነት apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,የታዘዘ አካሄድ ለማግኘት እባክዎ ታካሚ ይምረጡ። @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,የዋጋ ዝርዝር ዋጋ DocType: Patient,Tobacco Current Use,የትምባሆ ወቅታዊ አጠቃቀም apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,የሽያጭ ፍጥነት -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,አዲስ መለያ ከማከልዎ በፊት እባክዎ ሰነድዎን ያስቀምጡ። 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 ...,ማንኛውንም ነገር ይፈልጉ ... DocType: Company,Phone No,ስልክ የለም DocType: Delivery Trip,Initial Email Notification Sent,የመጀመሪያ ኢሜይል ማሳወቂያ ተላከ DocType: Bank Statement Settings,Statement Header Mapping,መግለጫ ርዕስ ራስ-ካርታ @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,የ DocType: Exchange Rate Revaluation Account,Gain/Loss,ትርፍ ማግኘት / ኪሳራ / ኪሳራ DocType: Crop,Perennial,የብዙ ዓመት DocType: Program,Is Published,ታትሟል ፡፡ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,የአቅርቦት ማስታወሻዎችን አሳይ። apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",የክፍያ መጠየቂያ ከልክ በላይ ለመፍቀድ በመለያዎች ቅንብሮች ወይም በንጥል ውስጥ «ከመጠን በላይ የክፍያ አበል» ን ያዘምኑ። DocType: Patient Appointment,Procedure,ሂደት DocType: Accounts Settings,Use Custom Cash Flow Format,ብጁ የገንዘብ ፍሰት ቅርጸት ተጠቀም @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,የፖሊሲ ዝርዝሮችን ይተው DocType: BOM,Item Image (if not slideshow),ንጥል ምስል (የተንሸራታች አይደለም ከሆነ) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,ረድፍ # {0}: ክወና {1} በስራ ትእዛዝ ውስጥ ለተጠናቀቁ ዕቃዎች {2} ኪራይ አልተጠናቀቀም {3}። እባክዎን የአሠራር ሁኔታን በ Job Card በኩል ያዘምኑ {4}። -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again",{0} የልውውጥ ክፍያን ለማመንጨት ግዴታ ነው ፣ ማሳውን ያዘጋጁ እና እንደገና ይሞክሩ። DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(ሰዓት ተመን / 60) * ትክክለኛ ኦፕሬሽን ሰዓት apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,ረድፍ # {0}: የማጣቀሻ ሰነድ አይነት ከክፍያ መጠየቂያ ወይም የጆርናል ምዝገባ አንድ አካል መሆን አለበት apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,ይምረጡ BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,ጊዜዎች በላይ ቁጥር ብድራትን apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,የምርት መጠን ከዜሮ በታች መሆን አይችልም። DocType: Stock Entry,Additional Costs,ተጨማሪ ወጪዎች +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,የደንበኛ> የደንበኛ ቡድን> ክልል። apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,አሁን ያሉ ግብይት ጋር መለያ ቡድን ሊቀየር አይችልም. DocType: Lead,Product Enquiry,የምርት Enquiry DocType: Education Settings,Validate Batch for Students in Student Group,የተማሪ ቡድን ውስጥ ተማሪዎች ለ ባች Validate @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,ምረቃ በታች apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,እባክዎ በ HR ቅንብሮች ውስጥ ለመተው ሁኔታን ለመተው እባክዎ ነባሪ አብነት ያስቀምጡ. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ዒላማ ላይ DocType: BOM,Total Cost,ጠቅላላ ወጪ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,ምደባው ጊዜው አብቅቷል! DocType: Soil Analysis,Ca/K,ካ / ካ +DocType: Leave Type,Maximum Carry Forwarded Leaves,የተሸከሙ ከፍተኛ ቅጠሎች DocType: Salary Slip,Employee Loan,የሰራተኛ ብድር DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY.- MM- DocType: Fee Schedule,Send Payment Request Email,የክፍያ ጥያቄ ኤሜል ይላኩ @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,መጠ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,መለያ መግለጫ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ፋርማሱቲካልስ DocType: Purchase Invoice Item,Is Fixed Asset,ቋሚ ንብረት ነው +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,የወደፊት ክፍያዎችን አሳይ። DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-yYYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,ይህ የባንክ ሂሳብ ቀድሞውኑ ተመሳስሏል። DocType: Homepage,Homepage Section,የመነሻ ገጽ ክፍል። @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,ማዳበሪያ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",በ Serial No ላይ መላክን ማረጋገጥ አይቻልም በ \ item {0} በ እና በ "" ያለመድረሱ ማረጋገጫ በ \ Serial No. -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,እባክዎ በትምህርቱ> የትምህርት ቅንብሮች ውስጥ አስተማሪ ስም ማጎሪያ ስርዓት ያዋቅሩ። apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,የክፍያ ቢያንስ አንድ ሁነታ POS መጠየቂያ ያስፈልጋል. DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,የባንክ መግለጫ የግብይት ደረሰኝ አይነት DocType: Salary Detail,Tax on flexible benefit,በተመጣጣኝ ጥቅማ ጥቅም ላይ ግብር ይቀጣል @@ -425,6 +432,7 @@ DocType: Job Offer,Select Terms and Conditions,ይምረጡ ውሎች እና ሁ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,ውጪ ዋጋ DocType: Bank Statement Settings Item,Bank Statement Settings Item,የባንክ መግለጫ መግለጫዎች ንጥል DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce ቅንጅቶች +DocType: Leave Ledger Entry,Transaction Name,የግብይት ስም። DocType: Production Plan,Sales Orders,የሽያጭ ትዕዛዞች apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,ለደንበኛው ብዙ ታማኝ ታማኝነት ፕሮግራም ተገኝቷል. እባክዎ እራስዎ ይምረጡ. DocType: Purchase Taxes and Charges,Valuation,መገመት @@ -459,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: 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,አዘምን የኢሜይል ቡድን DocType: POS Profile,Only show Customer of these Customer Groups,የእነዚህን የደንበኛ ቡድኖች ደንበኛን ብቻ ያሳዩ። DocType: Sales Invoice,Is Opening Entry,Entry በመክፈት ላይ ነው @@ -467,8 +476,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,ጥቀስ መደበኛ ያልሆነ እንደተቀበለ መለያ ተገቢነት ካለው 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,የአክሲዮን ግቤት ቀድሞውኑ በዚህ የምርጫ ዝርዝር ላይ ተፈጥረዋል ፡፡ DocType: Supplier Scorecard,Criteria Setup,መስፈርት ቅንብር -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,መጋዘን አስገባ በፊት ያስፈልጋል +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,ላይ ተቀብሏል DocType: Codification Table,Medical Code,የህክምና ኮድ apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Amazon ን ከ ERPNext ጋር ያገናኙ @@ -484,7 +494,7 @@ DocType: Restaurant Order Entry,Add Item,ንጥል አክል DocType: Party Tax Withholding Config,Party Tax Withholding Config,የጭፈራ ግብር መቆረጥ ውቅር DocType: Lab Test,Custom Result,ብጁ ውጤት apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,የባንክ ሂሳቦች ታክለዋል ፡፡ -DocType: Delivery Stop,Contact Name,የዕውቂያ ስም +DocType: Call Log,Contact Name,የዕውቂያ ስም DocType: Plaid Settings,Synchronize all accounts every hour,ሁሉንም መለያዎች በየሰዓቱ ያመሳስሉ። DocType: Course Assessment Criteria,Course Assessment Criteria,የኮርስ ግምገማ መስፈርት DocType: Pricing Rule Detail,Rule Applied,ደንብ ተተግብሯል @@ -528,7 +538,6 @@ 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,የሽያጭ ደረሰኝ የለም -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,ያልታወቀ ቁጥር። DocType: Website Filter Field,Website Filter Field,የድርጣቢያ ማጣሪያ መስክ። apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,የምርት ዓይነት DocType: Material Request Item,Min Order Qty,ዝቅተኛ ትዕዛዝ ብዛት @@ -556,7 +565,6 @@ DocType: Salary Slip,Total Principal Amount,አጠቃላይ የዋና ተመን DocType: Student Guardian,Relation,ዘመድ DocType: Quiz Result,Correct,ትክክል DocType: Student Guardian,Mother,እናት -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,እባክዎ መጀመሪያ ትክክለኛ የ Plaid api ቁልፎችን በጣቢያ_config.json ውስጥ ያክሉ ፡፡ DocType: Restaurant Reservation,Reservation End Time,የተያዘ የመቆያ ጊዜ DocType: Crop,Biennial,የባለቤትነት ,BOM Variance Report,BOM Variance Report @@ -572,6 +580,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,ጠፍጣፋ የህዝብ ቁልፍ። DocType: Payment Term,Payment Term Name,የክፍያ ስም ስም DocType: Healthcare Settings,Create documents for sample collection,ለ ናሙና ስብስብ ሰነዶችን ይፍጠሩ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},ላይ ክፍያ {0} {1} ያልተከፈሉ መጠን በላይ ሊሆን አይችልም {2} @@ -619,12 +628,14 @@ DocType: POS Profile,Offline POS Settings,ከመስመር ውጭ POS ቅንብ DocType: Stock Entry Detail,Reference Purchase Receipt,የማጣቀሻ የግcha ደረሰኝ። DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,ማት-ሪኮ-ያዮያን .- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,ነው ተለዋጭ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',ይልቅ 'ብዛት ለማምረት' ተጠናቋል ብዛት የበለጠ መሆን አይችልም +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',ይልቅ 'ብዛት ለማምረት' ተጠናቋል ብዛት የበለጠ መሆን አይችልም +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,በ ላይ የተመሠረተ ጊዜ። DocType: Period Closing Voucher,Closing Account Head,የመለያ ኃላፊ በመዝጋት ላይ DocType: Employee,External Work History,ውጫዊ የስራ ታሪክ apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,ክብ ማጣቀሻ ስህተት apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,የተማሪ ሪፖርት ካርድ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,ከፒን ኮድ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,የሽያጭ ሰው ያሳዩ። DocType: Appointment Type,Is Inpatient,ታካሚ ማለት ነው apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 ስም DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,የ የመላኪያ ማስታወሻ ማስቀመጥ አንዴ ቃላት (ላክ) ውስጥ የሚታይ ይሆናል. @@ -638,6 +649,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,የልኬት ስም። apps/erpnext/erpnext/healthcare/setup.py,Resistant,መቋቋም የሚችል apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},እባክዎን የሆቴል የክፍል ደረጃ በ {} ላይ ያዘጋጁ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎን ለተማሪ ተገኝተው በማዋቀር> በቁጥር ተከታታይ በኩል ያዘጋጁ። DocType: Journal Entry,Multi Currency,ባለብዙ ምንዛሬ DocType: Bank Statement Transaction Invoice Item,Invoice Type,የደረሰኝ አይነት apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,ከቀን ጀምሮ ተቀባይነት ያለው ከሚሰራበት ቀን ያነሰ መሆን አለበት። @@ -657,6 +669,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,አምኗል DocType: Workstation,Rent Cost,የቤት ኪራይ ወጪ 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,መጠን መቀነስ በኋላ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,መጪ የቀን መቁጠሪያ ክስተቶች apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,የተለዩ ባህርያት @@ -743,7 +756,6 @@ DocType: Request for Quotation,Request for Quotation,ትዕምርተ ጥያቄ 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,በህትመት ውስጥ የሽያጭ ሰው ያሳዩ። 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,ጥንካሬ @@ -751,7 +763,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,አዲስ ደንበኛ ይፍጠሩ apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,ጊዜው የሚያልፍበት apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","በርካታ የዋጋ ደንቦች አይችሉአትም የሚቀጥሉ ከሆነ, ተጠቃሚዎች ግጭት ለመፍታት በእጅ ቅድሚያ ለማዘጋጀት ይጠየቃሉ." -DocType: Purchase Invoice,Scan Barcode,ባርኮድ ቅኝት apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,የግዢ ትዕዛዞች ፍጠር ,Purchase Register,የግዢ ይመዝገቡ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,ታካሚ አልተገኘም @@ -810,6 +821,7 @@ DocType: Lead,Channel Partner,የሰርጥ ባልደረባ DocType: Account,Old Parent,የድሮ ወላጅ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,አስገዳጅ መስክ - የትምህርት ዓመት apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} ከ {2} {3} ጋር አልተያያዘም +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} ላይ አልተፈቀደም. @@ -852,6 +864,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet የተመሠረተ ለደምዎዝ ደመወዝ ክፍለ አካል. DocType: Driver,Applicable for external driver,ለውጫዊ አሽከርካሪ የሚመለከተው DocType: Sales Order Item,Used for Production Plan,የምርት ዕቅድ ላይ ውሏል +DocType: BOM,Total Cost (Company Currency),ጠቅላላ ወጪ (የኩባንያ ምንዛሬ) DocType: Loan,Total Payment,ጠቅላላ ክፍያ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,ለ Completed Work Order ግብይት መሰረዝ አይችሉም. DocType: Manufacturing Settings,Time Between Operations (in mins),(ደቂቃዎች ውስጥ) ክወናዎች መካከል ሰዓት @@ -873,6 +886,7 @@ DocType: Supplier Scorecard Standing,Notify Other,ሌላ አሳውቅ DocType: Vital Signs,Blood Pressure (systolic),የደም ግፊት (ሲቲካሊ) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} ነው DocType: Item Price,Valid Upto,ልክ እስከሁለት +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.,የእርስዎ ደንበኞች መካከል ጥቂቶቹን ዘርዝር. እነዚህ ድርጅቶች ወይም ግለሰቦች ሊሆን ይችላል. @@ -890,6 +904,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},በ {0} ውስጥ ለውጦች apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,ኩባንያ ይምረጡ DocType: Employee Skill,Employee Skill,የሰራተኛ ችሎታ። apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,ልዩነት መለያ @@ -933,6 +948,7 @@ DocType: Patient,Risk Factors,የጭንቀት ሁኔታዎች DocType: Patient,Occupational Hazards and Environmental Factors,የሥራ ጉዳት እና የአካባቢ ብክለቶች apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ክምችት ምዝገባዎች ቀድሞ ለስራ ትእዛዝ ተዘጋጅተዋል apps/erpnext/erpnext/templates/pages/cart.html,See past orders,ያለፉ ትዕዛዞችን ይመልከቱ። +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} ውይይቶች። DocType: Vital Signs,Respiratory rate,የመተንፈሻ መጠን apps/erpnext/erpnext/config/help.py,Managing Subcontracting,ማኔጂንግ Subcontracting DocType: Vital Signs,Body Temperature,የሰውነት ሙቀት @@ -974,6 +990,7 @@ DocType: Purchase Invoice,Registered Composition,የተመዘገበ ጥንቅር apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,ሰላም apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,አንቀሳቅስ ንጥል DocType: Employee Incentive,Incentive Amount,ማትጊያ መጠን +,Employee Leave Balance Summary,የሰራተኛ ቀሪ ሂሳብ ማጠቃለያ። DocType: Serial No,Warranty Period (Days),የዋስትና ክፍለ ጊዜ (ቀኖች) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,ጠቅላላ ድግምግሞሽ / ሂሳብ መጠን ልክ እንደ ተገናኝ የጆርናል ምዝገባ ጋር ተመሳሳይ መሆን አለበት DocType: Installation Note Item,Installation Note Item,የአጫጫን ማስታወሻ ንጥል @@ -987,6 +1004,7 @@ DocType: Vital Signs,Bloated,ተጣላ DocType: Salary Slip,Salary Slip Timesheet,የቀጣሪ Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ንዑስ-በኮንትራት የግዢ ደረሰኝ ለማግኘት የግዴታ በአቅራቢዎች መጋዘን DocType: Item Price,Valid From,ከ የሚሰራ +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,የእርስዎ ደረጃ: DocType: Sales Invoice,Total Commission,ጠቅላላ ኮሚሽን DocType: Tax Withholding Account,Tax Withholding Account,የግብር መያዣ ሂሳብ DocType: Pricing Rule,Sales Partner,የሽያጭ አጋር @@ -994,6 +1012,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,ሁሉም የአ DocType: Buying Settings,Purchase Receipt Required,የግዢ ደረሰኝ ያስፈልጋል DocType: Sales Invoice,Rail,ባቡር apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ትክክለኛ ወጪ። +DocType: Item,Website Image,የድር ጣቢያ ምስል። apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,የረድፍ መጋዘን በረድፍ {0} ውስጥ እንደ የሥራ ትዕዛዝ ተመሳሳይ መሆን አለበት apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,የመክፈቻ የአክሲዮን ገብቶ ከሆነ ግምቱ ተመን የግዴታ ነው apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,በ የደረሰኝ ሠንጠረዥ ውስጥ አልተገኘም ምንም መዝገቦች @@ -1028,8 +1047,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,መለያዎን ከማመሳሰልዎ በፊት እባክዎ የ Plaid ኤፒአይ ውቅርዎን ያጠናቁ። apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,የግማሽ ቀን ቀን የግድ ግዴታ ነው DocType: Sales Order,Billing and Delivery Status,ማስከፈል እና የመላኪያ ሁኔታ DocType: Job Applicant,Resume Attachment,ከቆመበት ቀጥል አባሪ @@ -1041,7 +1060,6 @@ DocType: Production Plan,Production Plan,የምርት ዕቅድ DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,የጋብቻ ክፍያ መጠየቂያ መሳሪያ መፍጠሩ DocType: Salary Component,Round to the Nearest Integer,ወደ ቅርብ integer Integer። apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,የሽያጭ ተመለስ -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ማስታወሻ: ጠቅላላ የተመደበ ቅጠሎች {0} አስቀድሞ ተቀባይነት ቅጠሎች ያነሰ መሆን የለበትም {1} ወደ ጊዜ DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,በ Serial No Entput ላይ በመመርኮዝ ስንት ግምት ያዘጋጁ ,Total Stock Summary,ጠቅላላ የአክሲዮን ማጠቃለያ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1069,6 +1087,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,የ apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,ዋና ዋና መጠን DocType: Loan Application,Total Payable Interest,ጠቅላላ የሚከፈል የወለድ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ድምር ውጤት: {0} +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} @@ -1078,6 +1097,7 @@ 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,በማዘመን ሂደቱ ጊዜ ስህተት ተከስቷል DocType: Restaurant Reservation,Restaurant Reservation,የምግብ ቤት ቦታ ማስያዣ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,ዕቃዎችዎ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,ሐሳብ መጻፍ DocType: Payment Entry Deduction,Payment Entry Deduction,የክፍያ Entry ተቀናሽ DocType: Service Level Priority,Service Level Priority,የአገልግሎት ደረጃ ቅድሚያ። @@ -1086,6 +1106,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,ቡት ቁጥር ተከታታይ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,ሌላው የሽያጭ ሰው {0} ተመሳሳይ የሰራተኛ መታወቂያ ጋር አለ DocType: Employee Advance,Claimed Amount,የይገባኛል የተጠየቀው መጠን +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,ቦታን ያበቃል DocType: QuickBooks Migrator,Authorization Settings,የፈቀዳ ቅንብሮች DocType: Travel Itinerary,Departure Datetime,የመጓጓዣ ጊዜያት apps/erpnext/erpnext/hub_node/api.py,No items to publish,ለማተም ምንም ንጥል የለም። @@ -1154,7 +1175,6 @@ DocType: Student Batch Name,Batch Name,ባች ስም DocType: Fee Validity,Max number of visit,ከፍተኛ የጎብኝ ቁጥር DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,ለትርፍ እና ለጠፋ መለያ ግዴታ ,Hotel Room Occupancy,የሆቴል ክፍል ባለቤትነት -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet ተፈጥሯል: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},የክፍያ ሁነታ ላይ ነባሪ በጥሬ ገንዘብ ወይም በባንክ መለያ ማዘጋጀት እባክዎ {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,ይመዝገቡ DocType: GST Settings,GST Settings,GST ቅንብሮች @@ -1285,6 +1305,7 @@ DocType: Sales Invoice,Commission Rate (%),ኮሚሽን ተመን (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,እባክዎ ይምረጡ ፕሮግራም DocType: Project,Estimated Cost,የተገመተው ወጪ DocType: Request for Quotation,Link to material requests,ቁሳዊ ጥያቄዎች አገናኝ +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,አትም apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ኤሮስፔስ ,Fichier des Ecritures Comptables [FEC],የምዕራፍ ቅዱሳት መጻሕፍትን መዝገቦች [FEC] DocType: Journal Entry,Credit Card Entry,ክሬዲት ካርድ Entry @@ -1311,6 +1332,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,የአሁኑ ንብረቶች apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} አንድ የአክሲዮን ንጥል አይደለም apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',በ "Training Feedback" እና "New" ላይ ጠቅ በማድረግ ግብረመልስዎን ለስልጠና ያጋሩ. +DocType: Call Log,Caller Information,የደዋይ መረጃ። DocType: Mode of Payment Account,Default Account,ነባሪ መለያ apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,እባክዎ በመጀመሪያ በቅምብዓት ቅንጅቶች ውስጥ የናሙና ማቆያ መደብርን ይምረጡ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,ከአንድ በላይ ስብስብ ደንቦች እባክዎ ከአንድ በላይ ደረጃ የቴክስት ፕሮግራም ይምረጡ. @@ -1335,6 +1357,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,ራስ-ቁሳዊ ጥያቄዎች የመነጩ DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),ግማሽ ቀን ምልክት ከተደረገበት በታች የሥራ ሰዓቶች ፡፡ (ዜሮ ለማሰናከል) DocType: Job Card,Total Completed Qty,ጠቅላላ ተጠናቋል +DocType: HR Settings,Auto Leave Encashment,ራስ-ሰር ማጠናከሪያ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,ጠፍቷል apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,አንተ አምድ 'ጆርናል የሚመዘገብ ላይ »ውስጥ የአሁኑ ቫውቸር ሊገባ አይችልም DocType: Employee Benefit Application Detail,Max Benefit Amount,ከፍተኛ ጥቅማጥቅሞች መጠን @@ -1364,9 +1387,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,ደንበኛ DocType: Item Attribute Value,Item Attribute Value,ንጥል ዋጋ የአይነት apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,የምንዛሬ ልውውጥ ለግዢ ወይም ለሽያጭ ተፈጻሚ መሆን አለበት. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,ጊዜው ያለፈበት ምደባ ሊሰረዝ ይችላል። DocType: Item,Maximum sample quantity that can be retained,ሊቆይ የሚችል ከፍተኛ የናሙና መጠን apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},ረድፍ {0} # ንጥል {1} ከ {2} በላይ የግዢ ትዕዛዝ {3} ን ማስተላለፍ አይቻልም apps/erpnext/erpnext/config/crm.py,Sales campaigns.,የሽያጭ ዘመቻዎች. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,ያልታወቀ ደዋይ። DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1398,6 +1423,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,የጤና apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,የዶ ስም DocType: Expense Claim Detail,Expense Claim Type,የወጪ የይገባኛል ጥያቄ አይነት DocType: Shopping Cart Settings,Default settings for Shopping Cart,ወደ ግዢ ሳጥን ጨመር ነባሪ ቅንብሮች +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,ንጥል አስቀምጥ። apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,አዲስ ወጪ። apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,የታዘዘውን የታዘዘውን ችላ ይበሉ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,ጊዜያቶችን ጨምር @@ -1410,6 +1436,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,የግብዓት ግብዣ ተልኳል DocType: Shift Assignment,Shift Assignment,Shift Assignment DocType: Employee Transfer Property,Employee Transfer Property,የተቀጣሪ ዝውውር ንብረት +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,የመስክ እኩልነት / ተጠያቂነት መለያ ባዶ ሊሆን አይችልም። apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,ከጊዜ ውጪ የእድሜ መግፋት ያስፈልጋል apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,ባዮቴክኖሎጂ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1491,11 +1518,13 @@ 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,አዲስ እውቂያ ይፍጠሩ። apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,የኮርስ ፕሮግራም DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B ዘገባ። DocType: Request for Quotation Supplier,Quote Status,የኹናቴ ሁኔታ DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,የማጠናቀቂያ ሁኔታ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},ጠቅላላ የክፍያዎች መጠን ከ {} መብለጥ አይችልም DocType: Daily Work Summary Group,Select Users,ተጠቃሚዎችን ይምረጡ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,የሆቴል ዋጋ መጨመር ንጥል DocType: Loyalty Program Collection,Tier Name,የደረጃ ስም @@ -1533,6 +1562,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,የ SGST DocType: Lab Test Template,Result Format,የውጤት ፎርማት DocType: Expense Claim,Expenses,ወጪ DocType: Service Level,Support Hours,ድጋፍ ሰዓቶች +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,የማቅረቢያ ማስታወሻዎች DocType: Item Variant Attribute,Item Variant Attribute,ንጥል ተለዋጭ መገለጫ ባህሪ ,Purchase Receipt Trends,የግዢ ደረሰኝ በመታየት ላይ ያሉ DocType: Payroll Entry,Bimonthly,በሚካሄዴ @@ -1555,7 +1585,6 @@ DocType: Sales Team,Incentives,ማበረታቻዎች DocType: SMS Log,Requested Numbers,ተጠይቋል ዘኍልቍ DocType: Volunteer,Evening,ምሽት DocType: Quiz,Quiz Configuration,የጥያቄዎች ውቅር። -DocType: Customer,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,የክምችት ዝርዝሮች @@ -1602,7 +1631,6 @@ apps/erpnext/erpnext/config/accounting.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,ጠቅላላ ዜሮ መጠይቁን አጣራ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},ድርጊቱ ለ ቀጣዩ {0} ቀናት ውስጥ ጊዜ ማስገቢያ ማግኘት አልተቻለም {1} DocType: Work Order,Plan material for sub-assemblies,ንዑስ-አብያተ ክርስቲያናት ለ እቅድ ቁሳዊ 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,ለሽግግር ምንም የለም @@ -1617,9 +1645,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,ዳግም ቅደም-ተከተል ደረጃዎችን ጠብቆ ለማቆየት በአክሲዮን ቅንብሮች ውስጥ ራስ-ማዘዣን ማንቃት አለብዎት። apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,ይህ ጥገና ይጎብኙ በመሰረዝ በፊት ይቅር ቁሳዊ ጥገናዎች {0} DocType: Pricing Rule,Rate or Discount,ደረጃ ወይም ቅናሽ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,የባንክ ዝርዝሮች DocType: Vital Signs,One Sided,አንድ ጎን apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},ተከታታይ አይ {0} ንጥል የእርሱ ወገን አይደለም {1} -DocType: Purchase Receipt Item Supplied,Required Qty,ያስፈልጋል ብዛት +DocType: Purchase Order Item Supplied,Required Qty,ያስፈልጋል ብዛት DocType: Marketplace Settings,Custom Data,ብጁ ውሂብ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,አሁን ያሉ ግብይት ጋር መጋዘኖችን የመቁጠር ወደ ሊቀየር አይችልም. DocType: Service Day,Service Day,የአገልግሎት ቀን። @@ -1647,7 +1676,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,መለያ ምንዛሬ DocType: Lab Test,Sample ID,የናሙና መታወቂያ apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,ኩባንያ ውስጥ ዙር ጠፍቷል መለያ መጥቀስ እባክዎ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,ዴቢት_ጽሑፍ_አማራ። DocType: Purchase Receipt,Range,ርቀት DocType: Supplier,Default Payable Accounts,ነባሪ ተከፋይ መለያዎች apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,{0} ተቀጣሪ ንቁ አይደለም ወይም የለም @@ -1688,8 +1716,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,መረጃ ጥያቄ DocType: Course Activity,Activity Date,የእንቅስቃሴ ቀን። apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} ከ {} -,LeaderBoard,የመሪዎች ሰሌዳ DocType: Sales Invoice Item,Rate With Margin (Company Currency),ከዕንዳኔ ጋር (የኩባንያው የገንዘብ ምንዛሬ) ደረጃ ይስጡ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,ምድቦች apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,አመሳስል ከመስመር ደረሰኞች DocType: Payment Request,Paid,የሚከፈልበት DocType: Service Level,Default Priority,ነባሪ ቅድሚያ። @@ -1724,11 +1752,11 @@ 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,ቀጥተኛ ያልሆነ ገቢ DocType: Student Attendance Tool,Student Attendance Tool,የተማሪ የትምህርት ክትትል መሣሪያ DocType: Restaurant Menu,Price List (Auto created),የዋጋ ዝርዝር (በራስ የተፈጠረ) +DocType: Pick List Item,Picked Qty,ተመር Qtyል DocType: Cheque Print Template,Date Settings,ቀን ቅንብሮች 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,የሰራተኛ ማስተዋወቂያ ዝርዝር -,Company Name,የድርጅት ስም DocType: SMS Center,Total Message(s),ጠቅላላ መልዕክት (ዎች) DocType: Share Balance,Purchased,ተገዝቷል DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,በምድብ ባህሪ ውስጥ የንብሪ እሴት ዳግም ይሰይሙ. @@ -1747,7 +1775,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,የቅርብ ጊዜ ሙከራ። 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} -DocType: BOM,Raw Material Cost(Company Currency),ጥሬ ሐሳብ ወጪ (የኩባንያ የምንዛሬ) 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,ኤሌክትሪክ ወጪ @@ -1814,6 +1841,7 @@ DocType: Travel Itinerary,Train,ባቡር ,Delayed Item Report,የዘገየ የንጥል ሪፖርት። apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ብቁ የሆነ የአይ.ሲ.ሲ. DocType: Healthcare Service Unit,Inpatient Occupancy,የሆስፒታል አለመውሰድ +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,የመጀመሪያ ዕቃዎችዎን ያትሙ። DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-yYYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,የፍተሻ ማብቂያው ማብቂያ ከተጠናቀቀበት ጊዜ በኋላ ለመገኘት ተመዝግቦ መውጣት የሚወሰድበት ጊዜ። apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},ይጥቀሱ እባክዎ {0} @@ -1929,6 +1957,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,ሁሉም BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,የኢንተር ኩባንያ ጆርናል ግባን ይፍጠሩ ፡፡ DocType: Company,Parent Company,ወላጅ ኩባንያ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},የ {0} ዓይነት የሆቴል ክፍሎች በ {1} ላይ አይገኙም +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,ጥሬ ዕቃዎች እና ኦፕሬሽኖች ውስጥ ለውጦችን BOM ን ያነፃፅሩ ፡፡ apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,ሰነድ {0} በተሳካ ሁኔታ ታግ .ል። DocType: Healthcare Practitioner,Default Currency,ነባሪ ምንዛሬ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,ይህንን መለያ እርቅ። @@ -1963,6 +1992,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,ሲ-ቅጽ የደረሰኝ ዝርዝር DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ክፍያ እርቅ ደረሰኝ DocType: Clinical Procedure,Procedure Template,የአሰራር ሂደት +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,እቃዎችን አትም። apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,አስተዋጽዖ% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","የ ሊገዙ ቅንብሮች መሠረት የግዢ ትዕዛዝ ያስፈልጋል ከሆነ == 'አዎ' ከዚያም የግዥ ደረሰኝ ለመፍጠር, የተጠቃሚ ንጥል መጀመሪያ የግዢ ትዕዛዝ መፍጠር አለብዎት {0}" ,HSN-wise-summary of outward supplies,HSN-ጥልቀት-የውጭ አቅርቦቶች ማጠቃለያ @@ -1975,7 +2005,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',ለማዘጋጀት 'ላይ ተጨማሪ ቅናሽ ተግብር' እባክህ DocType: Party Tax Withholding Config,Applicable Percent,የሚመለከተው ፐርሰንት ,Ordered Items To Be Billed,የዕቃው ንጥሎች እንዲከፍሉ ለማድረግ -DocType: Employee Checkin,Exit Grace Period Consequence,ከችሮታ ጊዜ ውጣ ውጤት። apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,ክልል ያነሰ መሆን አለበት ከ ይልቅ ወደ ክልል DocType: Global Defaults,Global Defaults,ዓለም አቀፍ ነባሪዎች apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,ፕሮጀክት ትብብር ማስታወቂያ @@ -1983,13 +2012,11 @@ DocType: Salary Slip,Deductions,ቅናሽ DocType: Setup Progress Action,Action Name,የእርምጃ ስም apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,የጀመረበት ዓመት apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ብድር ይፍጠሩ። -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,የአሁኑ መጠየቂያ ያለው ጊዜ የመጀመሪያ ቀን DocType: Shift Type,Process Attendance After,የሂደቱ ተገኝነት በኋላ ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Pay ያለ ውጣ DocType: Payment Request,Outward,ወደ ውጪ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,የአቅም ዕቅድ ስህተት apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,ግዛት / UT ግብር ,Trial Balance for Party,ፓርቲው በችሎት ባላንስ ,Gross and Net Profit Report,ጠቅላላ እና የተጣራ ትርፍ ሪፖርት ፡፡ @@ -2008,7 +2035,6 @@ DocType: Payroll Entry,Employee Details,የሰራተኛ ዝርዝሮች 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} -DocType: Setup Progress Action,Domains,ጎራዎች 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} @@ -2051,7 +2077,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,ጠቅላ 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.","የክፍያ ሁነታ አልተዋቀረም. የመለያ ክፍያዎች ሁነታ ላይ ወይም POS መገለጫ ላይ ተዘጋጅቷል እንደሆነ, ያረጋግጡ." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,ብዙ ጊዜ ተመሳሳይ ንጥል ሊገቡ አይችሉም. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","ተጨማሪ መለያዎች ቡድኖች ስር ሊሆን ይችላል, ነገር ግን ግቤቶች ያልሆኑ ቡድኖች ላይ ሊሆን ይችላል" -DocType: Email Campaign,Lead,አመራር +DocType: Call Log,Lead,አመራር DocType: Email Digest,Payables,Payables DocType: Amazon MWS Settings,MWS Auth Token,የ MWS Auth Token DocType: Email Campaign,Email Campaign For ,የኢሜል ዘመቻ ለ ፡፡ @@ -2063,6 +2089,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,የግዢ ትዕዛዝ ንጥሎች እንዲከፍሉ ለማድረግ 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,የዱቤ ገደቦች። DocType: Purchase Invoice Item,Net Rate,የተጣራ ተመን apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,እባክዎ ደንበኛ ይምረጡ DocType: Leave Policy,Leave Allocations,ምደባዎችን ይተዉ @@ -2076,6 +2103,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,ቀናት በኋላ ዝጋ እትም ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,ተጠቃሚዎችን ወደ ገበያ ቦታ የሚያክሉት የስርዓት አቀናባሪ እና የንጥል አስተዳዳሪ ሚናዎች ተጠቃሚ መሆን አለብዎት. +DocType: Attendance,Early Exit,ቀደም ብሎ መውጣት DocType: Job Opening,Staffing Plan,የሰራተኛ እቅድ apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way ቢል ጄኤስON ሊወጣ የሚችለው ከተረከበው ሰነድ ብቻ ነው። apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,የሰራተኛ ግብር እና ጥቅማ ጥቅሞች። @@ -2096,6 +2124,7 @@ DocType: Maintenance Team Member,Maintenance Role,የጥገና ሚና apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},ጋር የተባዛ ረድፍ {0} ተመሳሳይ {1} DocType: Marketplace Settings,Disable Marketplace,የገበያ ቦታን አሰናክል DocType: Quality Meeting,Minutes,ደቂቃዎች። +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,ተለይተው የቀረቡ ዕቃዎችዎ። ,Trial Balance,በችሎት ሒሳብ apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,ትዕይንት ተጠናቋል። apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,አልተገኘም በጀት ዓመት {0} @@ -2105,8 +2134,8 @@ 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,መጀመሪያ ቅድመ ቅጥያ ይምረጡ DocType: Contract,Fulfilment Deadline,የማረጋገጫ ጊዜ ገደብ +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,በአጠገብህ DocType: Student,O-,O- -DocType: Shift Type,Consequence,ውጤት ፡፡ DocType: Subscription Settings,Subscription Settings,የምዝገባ ቅንብሮች DocType: Purchase Invoice,Update Auto Repeat Reference,ራስ-ሰር ተደጋጋሚ ማጣቀሻን ያዘምኑ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},የአማራጭ የእረፍት ቀን ለአገልግሎት እረፍት ጊዜ አልተዘጋጀም {0} @@ -2117,7 +2146,6 @@ DocType: Maintenance Visit Purpose,Work Done,ሥራ ተከናውኗል apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,በ አይነታዎች ሰንጠረዥ ውስጥ ቢያንስ አንድ መገለጫ ባህሪ ይግለጹ DocType: Announcement,All Students,ሁሉም ተማሪዎች apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,{0} ንጥል ያልሆነ-የአክሲዮን ንጥል መሆን አለበት -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,የባንክ ደንበኞች apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,ይመልከቱ የሒሳብ መዝገብ DocType: Grading Scale,Intervals,ክፍተቶች DocType: Bank Statement Transaction Entry,Reconciled Transactions,የተመሳሰሉ ግዢዎች @@ -2153,6 +2181,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",ይህ መጋዘን የሽያጭ ትዕዛዞችን ለመፍጠር ጥቅም ላይ ይውላል። የውድቀት መጋዘኑ መጋዘን “መደብሮች” ነው ፡፡ DocType: Work Order,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,የግዢ ዑደት ውስጥ ተመሳሳይ መጠን ይኑራችሁ DocType: Opportunity Item,Opportunity Item,አጋጣሚ ንጥል DocType: Quality Action,Quality Review,የጥራት ግምገማ @@ -2179,7 +2208,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,ያልተከፈሉ ደረሰኞች ያግኙ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,የሽያጭ ትዕዛዝ {0} ልክ ያልሆነ ነው +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,ለማብራሪያዎች አዲስ ጥያቄ አስጠንቅቅ apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,የግዢ ትዕዛዞች ዕቅድ ለማገዝ እና ግዢዎች ላይ መከታተል apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,የሙከራ ምርመራዎች ትዕዛዝ @@ -2204,6 +2233,7 @@ DocType: Employee Onboarding,Notify users by email,ተጠቃሚዎችን በኢ DocType: Travel Request,International,ዓለም አቀፍ DocType: Training Event,Training Event,ስልጠና ክስተት DocType: Item,Auto re-order,ራስ-ዳግም-ትዕዛዝ +DocType: Attendance,Late Entry,ዘግይቶ መግባት apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,ጠቅላላ አሳክቷል DocType: Employee,Place of Issue,ችግር ስፍራ DocType: Promotional Scheme,Promotional Scheme Price Discount,የማስተዋወቂያ መርሃግብር የዋጋ ቅናሽ። @@ -2250,6 +2280,7 @@ DocType: Serial No,Serial No Details,ተከታታይ ምንም ዝርዝሮች DocType: Purchase Invoice Item,Item Tax Rate,ንጥል የግብር ተመን apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,ከፓርቲ ስም apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,የተጣራ ደመወዝ መጠን። +DocType: Pick List,Delivery against Sales Order,ከሽያጭ ትዕዛዙ ጋር የሚቀርብ አቅርቦት DocType: Student Group Student,Group Roll Number,የቡድን ጥቅል ቁጥር apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",{0}: ብቻ የክሬዲት መለያዎች ሌላ ዴቢት ግቤት ላይ የተገናኘ ሊሆን ይችላል apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,የመላኪያ ማስታወሻ {0} ማቅረብ አይደለም @@ -2321,7 +2352,6 @@ DocType: Contract,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,አቅራቢው ደረሰኝ ቀን -DocType: Asset Settings,This value is used for pro-rata temporis calculation,ይህ ዋጋ ለፕሮሮታ የጊዜያዊ ስሌት ስራ ላይ የዋለ ነው apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,አንተ ወደ ግዢ ሳጥን ጨመር ማንቃት አለብዎት DocType: Payment Entry,Writeoff,ሰረዘ DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-yYYYY.- @@ -2335,6 +2365,7 @@ DocType: Delivery Trip,Total Estimated Distance,ጠቅላላ የተገመተው DocType: Invoice Discounting,Accounts Receivable Unpaid Account,መለያዎች ያልተከፈለ ሂሳብ። DocType: Tally Migration,Tally Company,ታሊ ኩባንያ apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM አሳሽ +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},ለ {0} የሂሳብ ልኬት ለመፍጠር አይፈቀድም apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,እባክዎ ለዚህ የሥልጠና በዓል ያለዎትን ሁኔታ ያሻሽሉ DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,አክል ወይም ቀነሰ @@ -2344,7 +2375,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,የቦዘኑ የሽያጭ ዕቃዎች DocType: Quality Review,Additional Information,ተጭማሪ መረጃ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,ጠቅላላ ትዕዛዝ እሴት -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,የአገልግሎት ደረጃ ስምምነት ዳግም ማስጀመሪያ። apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ምግብ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,ጥበቃና ክልል 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS የመዘጋጃ ዝርዝር ዝርዝሮች @@ -2391,6 +2421,7 @@ 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,ዘመቻ 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',የማጽደቅ ሁኔታ 'የጸደቀ' ወይም 'ተቀባይነት አላገኘም »መሆን አለበት DocType: Healthcare Practitioner,Contacts and Address,እውቂያዎች እና አድራሻ DocType: Shift Type,Determine Check-in and Check-out,ተመዝግበው ይግቡ እና ተመዝግበው ይግቡ። @@ -2410,7 +2441,6 @@ DocType: Student Admission,Eligibility and Details,ብቁነት እና ዝርዝ apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,በጠቅላላ ትርፍ ውስጥ ተካትቷል ፡፡ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,ቋሚ ንብረት ውስጥ የተጣራ ለውጥ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,የደንበኛ ኮድ። apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,አይነት 'ትክክለኛው' ረድፍ ውስጥ ኃላፊነት {0} ንጥል ተመን ውስጥ ሊካተቱ አይችሉም apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},ከፍተኛ: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,ከ DATETIME @@ -2478,6 +2508,7 @@ DocType: Journal Entry Account,Account Balance,የመለያ ቀሪ ሂሳብ apps/erpnext/erpnext/config/accounting.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 (%),ከ የማስተላለፍ አበል (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: የደንበኛ የሚሰበሰብ መለያ ላይ ያስፈልጋል {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ጠቅላላ ግብሮች እና ክፍያዎች (ኩባንያ ምንዛሬ) DocType: Weather,Weather Parameter,የአየር ሁኔታ መለኪያ @@ -2540,6 +2571,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,የስራ ሰዓቶች apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,በጠቅላላ ወጪዎች ላይ ተመስርቶ በርካታ ደረጃዎች ስብስብ ሊኖር ይችላል. ነገር ግን የመቤዠት ልወጣው ሁነታ ለሁሉም ደረጃ ተመሳሳይ ይሆናል. apps/erpnext/erpnext/config/help.py,Item Variants,ንጥል አይነቶች apps/erpnext/erpnext/public/js/setup_wizard.js,Services,አገልግሎቶች +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,የተቀጣሪ ወደ የኢሜይል የቀጣሪ DocType: Cost Center,Parent Cost Center,የወላጅ ወጪ ማዕከል @@ -2550,7 +2582,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields", DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,በሚላክበት ላይ ከግዢዎች አስገባ apps/erpnext/erpnext/templates/pages/projects.html,Show closed,አሳይ ተዘግቷል DocType: Issue Priority,Issue Priority,ቅድሚያ የሚሰጠው ጉዳይ ፡፡ -DocType: Leave Type,Is Leave Without Pay,ይክፈሉ ያለ ውጣ ነው +DocType: Leave Ledger Entry,Is Leave Without Pay,ይክፈሉ ያለ ውጣ ነው apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,ግስታን apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,የንብረት ምድብ ቋሚ ንብረት ንጥል ግዴታ ነው DocType: Fee Validity,Fee Validity,የአገልግሎት ክፍያ ዋጋ @@ -2599,6 +2631,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,መጋዘን ላይ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,አዘምን ማተም ቅርጸት DocType: Bank Account,Is Company Account,የኩባንያ መለያ ነው apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,ከክፍል ውጣ {0} ሊገባ አይችልም +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},የብድር መጠን ለድርጅቱ ቀድሞውኑ ተገልጻል {0} DocType: Landed Cost Voucher,Landed Cost Help,አረፈ ወጪ እገዛ DocType: Vehicle Log,HR-VLOG-.YYYY.-,ሃ-ኤች-ቪሎጊ-ያዮያን- DocType: Purchase Invoice,Select Shipping Address,ይምረጡ መላኪያ አድራሻ @@ -2623,6 +2656,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,ባለሁለት አቅጣጫ DocType: Item,Manufacturers,አምራቾች ፡፡ @@ -2659,7 +2693,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,ባንክ ማስታረቅ መግለጫ DocType: Patient Encounter,Medical Coding,የሕክምና ኮድ DocType: Healthcare Settings,Reminder Message,የአስታዋሽ መልእክት -,Lead Name,በእርሳስ ስም +DocType: Call Log,Lead Name,በእርሳስ ስም ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,እመርታ @@ -2691,12 +2725,14 @@ DocType: Purchase Invoice,Supplier Warehouse,አቅራቢው መጋዘን DocType: Opportunity,Contact Mobile No,የእውቂያ ሞባይል የለም apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,ኩባንያ ይምረጡ ,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: Student Report Generation Tool,Print Section,የህትመት ክፍል DocType: Staffing Plan Detail,Estimated Cost Per Position,በግምት በአንድ ግምት ይከፈለዋል DocType: Employee,HR-EMP-,HR-EMP- 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,ጥራት ያለው ስብሰባ ደቂቃዎች ፡፡ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,አቅራቢ> የአቅራቢ ዓይነት። apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,ሠራተኛ ሪፈራል DocType: Student Group,Set 0 for no limit,ምንም ገደብ ለ 0 አዘጋጅ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,እርስዎ ፈቃድ የሚያመለክቱ ናቸው ላይ ያለው ቀን (ዎች) በዓላት ናቸው. እናንተ ፈቃድን ለማግኘት ማመልከት አይገባም. @@ -2730,12 +2766,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,በጥሬ ገንዘብ ውስጥ የተጣራ ለውጥ DocType: Assessment Plan,Grading Scale,አሰጣጥ በስምምነት apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ይለኩ {0} መለኪያ የልወጣ ምክንያቶች የርዕስ ማውጫ ውስጥ ከአንድ ጊዜ በላይ ገባ ተደርጓል -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,ቀድሞውኑ ተጠናቋል apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,የእጅ ውስጥ የአክሲዮን apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",እባክዎ የተቀሩትን ጥቅሞች {0} ወደ መተግበሪያው እንደ \ pro-rata ክፍሎች ያክሉት apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',እባክዎ ለሕዝብ አስተዳደር '% s' የፊስካል ኮድ ያዘጋጁ -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},የክፍያ መጠየቂያ አስቀድሞ አለ {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,የተሰጠው ንጥሎች መካከል ወጪ DocType: Healthcare Practitioner,Hospital,ሆስፒታል apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},ብዛት የበለጠ መሆን አለበት {0} @@ -2780,6 +2814,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,የሰው ሀይል አስተዳደር apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,የላይኛው ገቢ DocType: Item Manufacturer,Item Manufacturer,ንጥል አምራች +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,አዲስ መሪ ፍጠር። DocType: BOM Operation,Batch Size,የጡብ መጠን። apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,አይቀበሉ DocType: Journal Entry Account,Debit in Company Currency,ኩባንያ የምንዛሬ ውስጥ ዴቢት @@ -2800,9 +2835,11 @@ DocType: Bank Transaction,Reconciled,ታረቀ ፡፡ DocType: Expense Claim,Total Amount Reimbursed,ጠቅላላ መጠን ይመለስላቸዋል apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,ይሄ በዚህ ተሽከርካሪ ላይ መዝገቦች ላይ የተመሠረተ ነው. ዝርዝሮችን ለማግኘት ከታች ያለውን የጊዜ ይመልከቱ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,የደመወዝ ቀን ከተቀጣሪው ቀን መቀጠል አይችልም +DocType: Pick List,Item Locations,የንጥል አካባቢዎች። apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} ተፈጥሯል apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",ለጥቆማ የሥራ ክፍት {0} ቀድሞውኑ ክፍት ነው ወይም ሥራን በሠራተኛ እቅድ (ፕሊንሲንግ ፕላንስ) መሠረት ተጠናቅቋል {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,እስከ 200 የሚደርሱ እቃዎችን ማተም ይችላሉ ፡፡ DocType: Vital Signs,Constipated,ተለዋዋጭ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},አቅራቢው ላይ የደረሰኝ {0} የተዘጋጀው {1} DocType: Customer,Default Price List,ነባሪ ዋጋ ዝርዝር @@ -2894,6 +2931,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Shift ትክክለኛ ጅምር። DocType: Tally Migration,Is Day Book Data Imported,የቀን መጽሐፍ ውሂብ ነው የመጣው። apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,የገበያ ወጪ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} የ {1} ክፍሎች አልተገኙም። ,Item Shortage Report,ንጥል እጥረት ሪፖርት 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,መደበኛ መስፈርት መፍጠር አይቻልም. እባክዎ መስፈርቱን ዳግም ይሰይሙ @@ -2916,6 +2954,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,ጡረታ ነው ቀን DocType: Upload Attendance,Get Template,አብነት ያግኙ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ዝርዝር ይምረጡ። ,Sales Person Commission Summary,የሽያጭ ሰው ኮሚሽን ማጠቃለያ DocType: Material Request,Transferred,ተላልፈዋል DocType: Vehicle,Doors,በሮች @@ -2994,7 +3033,7 @@ DocType: Sales Invoice Item,Customer's Item Code,ደንበኛ ንጥል ኮድ DocType: Stock Reconciliation,Stock Reconciliation,የክምችት ማስታረቅ DocType: Territory,Territory Name,ግዛት ስም DocType: Email Digest,Purchase Orders to Receive,ለመቀበል የግዢ ትዕዛዞች -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,የስራ-በ-እድገት መጋዘን አስገባ በፊት ያስፈልጋል +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,የስራ-በ-እድገት መጋዘን አስገባ በፊት ያስፈልጋል apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,በአንድ የደንበኝነት ምዝገባ ውስጥ አንድ አይነት የክፍያ ዑደት ብቻ ሊኖርዎት ይችላል DocType: Bank Statement Transaction Settings Item,Mapped Data,የተራፊ ውሂብ DocType: Purchase Order Item,Warehouse and Reference,መጋዘን እና ማጣቀሻ @@ -3068,6 +3107,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,የማድረስ ቅንብሮች apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ውሂብ ማምጣት apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},በአለቀቀው አይነት {0} ውስጥ የሚፈቀድ የመጨረሻ ፍቃድ {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 ንጥል ያትሙ። DocType: SMS Center,Create Receiver List,ተቀባይ ዝርዝር ፍጠር DocType: Student Applicant,LMS Only,ኤል.ኤም.ኤስ. ብቻ። apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,ሊገኝ የሚችልበት ቀን ከግዢ ቀን በኋላ መሆን አለበት @@ -3101,6 +3141,7 @@ DocType: Serial No,Delivery Document No,ማቅረቢያ ሰነድ የለም DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,በተመረጠው Serial No. ላይ የተመሠረተ አቅርቦት ማረጋገጥ DocType: Vital Signs,Furry,ድብደባ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ኩባንያ ውስጥ 'የንብረት ማስወገድ ላይ ቅሰም / ኪሳራ ሒሳብ' ለማዘጋጀት እባክዎ {0} +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} ያስፈልጋል @@ -3122,9 +3163,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,ወደ ወርሃዊ ስርጭት ስም DocType: Quality Procedure Process,Quality Procedure Process,የጥራት ሂደት apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ባች መታወቂያ ግዴታ ነው +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,እባክዎ መጀመሪያ ደንበኛውን ይምረጡ። DocType: Sales Person,Parent Sales Person,የወላጅ ሽያጭ ሰው apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,መድረስ የሚገባቸው ምንም ነገሮች የሉም apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,ሻጩ እና ገዢው ተመሳሳይ መሆን አይችሉም +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,ገና ምንም እይታዎች የሉም DocType: Project,Collect Progress,መሻሻል አሰባስቡ DocType: Delivery Note,MAT-DN-.YYYY.-,ማት-ዱር-ያዮያን .- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,መጀመሪያ ፕሮግራሙን ይምረጡ @@ -3145,11 +3188,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,አሳክቷል DocType: Student Admission,Application Form Route,ማመልከቻ ቅጽ መስመር apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,የስምምነቱ የመጨረሻ ቀን ከዛሬ ያነሰ ሊሆን አይችልም። +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,ለማስገባት Ctrl + ያስገቡ DocType: Healthcare Settings,Patient Encounters in valid days,በታካሚዎች ታካሚዎች ይገናኛሉ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,ይህ ክፍያ ያለ መተው ነው ጀምሮ ዓይነት {0} ይመደባል አይችልም ይነሱ 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,አንተ ወደ የሽያጭ ደረሰኝ ማስቀመጥ አንዴ ቃላት ውስጥ የሚታይ ይሆናል. DocType: Lead,Follow Up,ክትትል +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,የወጪ ማዕከል: {0} የለም። DocType: Item,Is Sales Item,የሽያጭ ንጥል ነው apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,ንጥል የቡድን ዛፍ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,{0} ንጥል መለያ ቁጥሮች ለ ማዋቀር አይደለም. ንጥል ጌታ ይመልከቱ @@ -3193,9 +3238,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,እጠነቀቅማለሁ ብዛት DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-yYYYY.- DocType: Purchase Order Item,Material Request Item,ቁሳዊ ጥያቄ ንጥል -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,እባክዎ መጀመሪያ የግዢ ደረሰኝ {0} ይሰርዙ apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,ንጥል ቡድኖች መካከል ዛፍ. DocType: Production Plan,Total Produced Qty,ጠቅላላ የተጨመረለት ብዛት +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,ገና ምንም ግምገማ የለም apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,ይህ የክፍያ ዓይነት የአሁኑ ረድፍ ቁጥር ይበልጣል ወይም እኩል ረድፍ ቁጥር ሊያመለክት አይችልም DocType: Asset,Sold,የተሸጠ ,Item-wise Purchase History,ንጥል-ጥበብ የግዢ ታሪክ @@ -3214,7 +3259,7 @@ DocType: Designation,Required Skills,ተፈላጊ ችሎታ። DocType: Inpatient Record,O Positive,አዎንታዊ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,ኢንቨስትመንት DocType: Issue,Resolution Details,ጥራት ዝርዝሮች -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,የግብይት አይነት +DocType: Leave Ledger Entry,Transaction Type,የግብይት አይነት DocType: Item Quality Inspection Parameter,Acceptance Criteria,ቅበላ መስፈርቶች apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,ከላይ በሰንጠረዡ ውስጥ ቁሳዊ ጥያቄዎች ያስገቡ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ለጆርናሉ ምዝገባ ምንም ክፍያ አይኖርም @@ -3255,6 +3300,7 @@ DocType: Bank Account,Bank Account No,የባንክ ሂሳብ ቁጥር DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,የተጣራ ከግብር ነፃ የመሆን ማረጋገጫ ማስረጃ DocType: Patient,Surgical History,የቀዶ ጥገና ታሪክ DocType: Bank Statement Settings Item,Mapped Header,ካርታ ራስጌ ርእስ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,በሰብአዊ ሀብት> የሰው ሠራሽ ቅንጅቶች ውስጥ የሰራተኛ መለያ ስም መስጫ ስርዓትን ያዋቅሩ ፡፡ DocType: Employee,Resignation Letter Date,የሥራ መልቀቂያ ደብዳቤ ቀን apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,የዋጋ ደንቦች ተጨማሪ በብዛት ላይ ተመስርተው ይጣራሉ. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ሠራተኛ ለማግኘት በመቀላቀል ቀን ማዘጋጀት እባክዎ {0} @@ -3322,7 +3368,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Letterhead አክል 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ጠቅላላ የተመደበ ቅጠሎች {0} ያነሰ ሊሆን አይችልም ጊዜ ቀድሞውኑ ጸድቀዋል ቅጠሎች {1} ከ DocType: Contract Fulfilment Checklist,Requirement,መስፈርቶች DocType: Journal Entry,Accounts Receivable,ለመቀበል የሚቻሉ አካውንቶች DocType: Quality Goal,Objectives,ዓላማዎች ፡፡ @@ -3345,7 +3390,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,ነጠላ የግብ DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ይህ ዋጋ በነባሪው የሽያጭ ዋጋ ዝርዝር ውስጥ ይዘምናል. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,ጋሪዎ ባዶ ነው። DocType: Email Digest,New Expenses,አዲስ ወጪዎች -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC መጠን apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,የአሽከርካሪ አድራሻ የጎደለው ስለሆነ መንገድን ማመቻቸት አይቻልም ፡፡ DocType: Shareholder,Shareholder,ባለአክስዮን DocType: Purchase Invoice,Additional Discount Amount,ተጨማሪ የቅናሽ መጠን @@ -3382,6 +3426,7 @@ DocType: Asset Maintenance Task,Maintenance Task,የጥገና ተግባር apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,እባክዎ በ GST ቅንብሮች ውስጥ B2C ወሰን ያዘጋጁ. 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} ነባሪ በጀት ዓመት አሁን ነው. ለውጡ ተግባራዊ ለማግኘት እባክዎ አሳሽዎን ያድሱ. @@ -3418,6 +3463,7 @@ DocType: Salary Component,Deduction,ቅናሽ DocType: Item,Retain Sample,ናሙና አጥሩ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,ረድፍ {0}: ሰዓት ጀምሮ እና ሰዓት ወደ የግዴታ ነው. DocType: Stock Reconciliation Item,Amount Difference,መጠን ያለው ልዩነት +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,ይህ ገጽ ከሻጮች ሊገዙዋቸው የሚፈልጓቸውን ዕቃዎች ይከታተላል ፡፡ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},ንጥል ዋጋ ለ ታክሏል {0} የዋጋ ዝርዝር ውስጥ {1} DocType: Delivery Stop,Order Information,የትዕዛዝ መረጃ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,ይህ የሽያጭ ሰው የሰራተኛ መታወቂያ ያስገቡ @@ -3446,6 +3492,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** በጀት ዓመት ** አንድ የፋይናንስ ዓመት ይወክላል. ሁሉም የሂሳብ ግቤቶች እና ሌሎች ዋና ዋና ግብይቶች ** ** በጀት ዓመት ላይ ክትትል ነው. DocType: Opportunity,Customer / Lead Address,ደንበኛ / በእርሳስ አድራሻ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,የአቅራቢን የመሳሪያ ካርድ ማዋቀር +DocType: Customer Credit Limit,Customer Credit Limit,የደንበኛ ዱቤ ገደብ። apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,የግምገማ ዕቅድ ስም apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,የ Detailsላማ ዝርዝሮች። apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",ኩባንያው ስፓ ፣ ኤስ.ኤስ.ኤ ወይም ኤስ.ኤ.አር. ከሆነ የሚመለከተው @@ -3498,7 +3545,6 @@ DocType: Company,Transactions Annual History,የግብይት ዓመታዊ ታሪ 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,የባንክ ስም -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Above 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,ፈሳሽ @@ -3550,6 +3596,7 @@ 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,ተለይተው ወደታወቁ ዕቃዎች ታክለዋል። apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,የዓመቱ ትርፍ 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,በሂደት ላይ @@ -3603,12 +3650,10 @@ 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,ተመሳሳይ ንጥል ብዙ ጊዜ ፍቀድ -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,ለኩባንያው ምንም GST ቁጥር አልተገኘም። 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,ተቀጣሪዎች DocType: Question,Single Correct Answer,ነጠላ ትክክለኛ መልስ። -DocType: Employee,Contact Details,የእውቅያ ዝርዝሮች DocType: C-Form,Received Date,የተቀበልከው ቀን DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","እናንተ የሽያጭ ግብሮች እና ክፍያዎች መለጠፊያ ውስጥ መደበኛ አብነት ፈጥረዋል ከሆነ, አንዱን ይምረጡ እና ከታች ያለውን አዝራር ላይ ጠቅ ያድርጉ." DocType: BOM Scrap Item,Basic Amount (Company Currency),መሰረታዊ መጠን (የኩባንያ የምንዛሬ) @@ -3638,12 +3683,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM ድር ጣቢያ ኦፕ DocType: Bank Statement Transaction Payment Item,outstanding_amount,በጣም ጥሩ_ማጠራ DocType: Supplier Scorecard,Supplier Score,የአቅራቢ ነጥብ apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,መግቢያ ቀጠሮ ያስይዙ +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,ጠቅላላ የክፍያ መጠየቂያ መጠን ከ {0} መጠን መብለጥ አይችልም። DocType: Tax Withholding Rate,Cumulative Transaction Threshold,የተደባለቀ ትራንስፖርት እመርታ DocType: Promotional Scheme Price Discount,Discount Type,የቅናሽ ዓይነት። -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,ጠቅላላ የተጠየቀበት Amt DocType: Purchase Invoice Item,Is Free Item,ነፃ ንጥል ነው። +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,በሚታዘዘው ብዛት ላይ የበለጠ እንዲተላለፉ ተፈቅዶልዎታል። ለምሳሌ 100 አሃዶችን ካዘዙ። እና አበልዎ 10% ነው ስለሆነም 110 ክፍሎችን እንዲያስተላልፉ ይፈቀድላቸዋል ፡፡ DocType: Supplier,Warn RFQs,RFQs ያስጠንቅቁ -apps/erpnext/erpnext/templates/pages/home.html,Explore,ያስሱ +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,ያስሱ DocType: BOM,Conversion Rate,የልወጣ ተመን apps/erpnext/erpnext/www/all-products/index.html,Product Search,የምርት ፍለጋ ,Bank Remittance,የባንክ ገንዘብ መላኪያ @@ -3655,6 +3701,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,ጠቅላላ መጠን የተከፈለ DocType: Asset,Insurance End Date,የኢንሹራንስ መጨረሻ ቀን apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,ለክፍያ ለተማሪው የሚያስፈልገውን የተማሪ ቅበላ የሚለውን እባክዎ ይምረጡ +DocType: Pick List,STO-PICK-.YYYY.-,STO-PickK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,የበጀት ዝርዝር DocType: Campaign,Campaign Schedules,የዘመቻ መርሃግብሮች DocType: Job Card Time Log,Completed Qty,ተጠናቋል ብዛት @@ -3677,6 +3724,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,አዲስ DocType: Quality Inspection,Sample Size,የናሙና መጠን apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,ደረሰኝ ሰነድ ያስገቡ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,ሁሉም ንጥሎች ቀደም ሲል ደረሰኝ ተደርጓል +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,ቅጠሎች ተወሰዱ። apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.','የጉዳይ ቁጥር ከ' አንድ ልክ ይግለጹ 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,ተጨማሪ ወጪ ማዕከላት ቡድኖች ስር ሊሆን ይችላል ነገር ግን ግቤቶች ያልሆኑ ቡድኖች ላይ ሊሆን ይችላል 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,በጠቅላላ የተሰየሙ ቅጠሎች በሰራተኛው {0} የቀን ለቀጣሪው {0} የደመወዝ ምደባ ከተወሰነው ጊዜ በላይ ነው @@ -3776,6 +3824,8 @@ 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: Call Log,Received By,የተቀበለው በ 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.,የተለየ ገቢ ይከታተሉ እና ምርት ከላይ ወደታች የወረዱ ወይም መከፋፈል ለ የወጪ. @@ -3829,6 +3879,7 @@ DocType: Support Search Source,Result Title Field,የውጤት ርዕስ መስ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,ማጠቃለያ ደውል ፡፡ DocType: Sample Collection,Collected Time,የተሰበሰበበት ጊዜ DocType: Employee Skill Map,Employee Skills,የሰራተኛ ችሎታ። +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,የነዳጅ ወጪ። DocType: Company,Sales Monthly History,ሽያጭ ወርሃዊ ታሪክ apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,እባክዎን ቢያንስ አንድ ረድፎችን በግብር እና የመክፈያ ሠንጠረዥ ውስጥ ያዘጋጁ። DocType: Asset Maintenance Task,Next Due Date,ቀጣይ መከፈል ያለበት ቀን @@ -3838,6 +3889,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,ወሳኝ DocType: Payment Entry,Payment Deductions or Loss,የክፍያ ተቀናሾች ወይም ማጣት DocType: Soil Analysis,Soil Analysis Criterias,የአፈር ምርመራ ትንታኔ መስፈርቶች apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,የሽያጭ ወይም ግዢ መደበኛ የኮንትራት ውል. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},በ {0} ረድፎች ተወግደዋል DocType: Shift Type,Begin check-in before shift start time (in minutes),ከቀያሪ የመጀመሪያ ጊዜ (በደቂቃዎች ውስጥ) ተመዝግቦ መግባትን ይጀምሩ DocType: BOM Item,Item operation,የንጥል ክወና apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,ቫውቸር መድብ @@ -3863,11 +3915,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,ሠራተኛ የቀጣሪ {0} አስቀድሞ በዚህ ጊዜ የተፈጠሩ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,የህክምና apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,ለተመካቢ የማስገቢያ መጠን ብቻ ማስገባት ይችላሉ +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,ዕቃዎች በ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,የተገዙ ንጥሎች መካከል ወጪ DocType: Employee Separation,Employee Separation Template,የሰራተኛ መለያ መለኪያ DocType: Selling Settings,Sales Order Required,የሽያጭ ትዕዛዝ ያስፈልጋል apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,ሻጭ ሁን -DocType: Shift Type,The number of occurrence after which the consequence is executed.,ውጤቱ የተፈጸመበት የመከሰት ብዛት። ,Procurement Tracker,የግዥ መከታተያ DocType: Purchase Invoice,Credit To,ወደ ክሬዲት apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,አይቲሲ ተለቋል ፡፡ @@ -3880,6 +3932,7 @@ DocType: Quality Meeting,Agenda,አጀንዳ ፡፡ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ጥገና ፕሮግራም ዝርዝር DocType: Supplier Scorecard,Warn for new Purchase Orders,ለአዲስ የግዢ ትዕዛዞች ያስጠንቅቁ DocType: Quality Inspection Reading,Reading 9,9 ማንበብ +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,የ Exotel መለያዎን ከ ERPNext ጋር ያገናኙ እና የጥሪ ምዝግብ ማስታወሻዎችን ይከታተሉ። DocType: Supplier,Is Frozen,የቆመ ነው? DocType: Tally Migration,Processed Files,የተሰሩ ፋይሎች። apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,የቡድን መስቀለኛ መንገድ መጋዘን ግብይቶች ለ ለመምረጥ አይፈቀድም @@ -3889,6 +3942,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,አንድ ያለቀ DocType: Upload Attendance,Attendance To Date,ቀን ወደ በስብሰባው 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,መድሃኒት @@ -3913,7 +3967,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,ጠያቂ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},ልክ ያልሆነ ማጣቀሻ {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,የተለያዩ የማስተዋወቂያ ዘዴዎችን ለመተግበር ህጎች። -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ታቅዶ quanitity መብለጥ አይችልም ({2}) በምርት ላይ ትእዛዝ {3} DocType: Shipping Rule,Shipping Rule Label,መላኪያ ደንብ መሰየሚያ DocType: Journal Entry Account,Payroll Entry,የክፍያ ገቢዎች apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,ክፍያዎች መዛግብትን ይመልከቱ @@ -3925,6 +3978,7 @@ DocType: Contract,Fulfilment Status,የመሟላት ሁኔታ DocType: Lab Test Sample,Lab Test Sample,የቤተ ሙከራ የሙከራ ናሙና DocType: Item Variant Settings,Allow Rename Attribute Value,የባህሪ እሴት ዳግም ሰይም ፍቀድ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,ፈጣን ጆርናል የሚመዘገብ መረጃ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,የወደፊቱ የክፍያ መጠን። apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,BOM ማንኛውም ንጥል agianst የተጠቀሰው ከሆነ መጠን መቀየር አይችሉም DocType: Restaurant,Invoice Series Prefix,ደረሰኝ የተከታታይ ቅደም ተከተል DocType: Employee,Previous Work Experience,ቀዳሚ የሥራ ልምድ @@ -3954,6 +4008,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,የፕሮጀክት ሁኔታ DocType: UOM,Check this to disallow fractions. (for Nos),ክፍልፋዮች እንዲከለክል ይህን ይመልከቱ. (ቁጥሮች ለ) DocType: Student Admission Program,Naming Series (for Student Applicant),ተከታታይ እየሰየሙ (የተማሪ አመልካች ለ) +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/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,የአለማዳች አገልግሎት ክፍል ዕቅድ @@ -3969,6 +4024,7 @@ DocType: Fiscal Year,Year End Date,ዓመት መጨረሻ ቀን 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} ዝግ ነው @@ -3977,6 +4033,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,የአሁኑ የአክሲዮን ያግኙ DocType: Purchase Invoice,ineligible,ብቁ አይደለም apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ዕቃዎች መካከል ቢል ዛፍ +DocType: BOM,Exploded Items,የተዘረጉ ዕቃዎች DocType: Student,Joining Date,በመቀላቀል ቀን ,Employees working on a holiday,አንድ በዓል ላይ የሚሰሩ ሰራተኞች ,TDS Computation Summary,TDS ሒሳብ ማጠቃለያ @@ -4009,6 +4066,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),መሠረታዊ ተመ DocType: SMS Log,No of Requested SMS,ተጠይቋል ኤስ የለም apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,ተቀባይነት ፈቃድ ማመልከቻ መዛግብት ጋር አይዛመድም Pay ያለ ይነሱ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,ቀጣይ እርምጃዎች +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,የተቀመጡ ዕቃዎች DocType: Travel Request,Domestic,የቤት ውስጥ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,ምርጥ በተቻለ ፍጥነት በተጠቀሰው ንጥሎች አቅርብ apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,የተቀጣሪ ዝውውሩ ከመሸጋገሪያ ቀን በፊት መቅረብ አይችልም @@ -4061,7 +4119,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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} ተመድቧል። apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,ረድፍ # {0} (የክፍያ ሰንጠረዥ): መጠኑ አዎንታዊ መሆን አለበት -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},የሽያጭ ትዕዛዝ ብዛት የበለጠ ንጥል {0} ማፍራት የማይችሉ {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},የሽያጭ ትዕዛዝ ብዛት የበለጠ ንጥል {0} ማፍራት የማይችሉ {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,በጥቅሉ ውስጥ ምንም አልተካተተም። apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,ለዚህ ሰነድ e-Way ቢል አስቀድሞ አለ። apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,የባህርይ እሴቶች ይምረጡ @@ -4096,12 +4154,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,ለቅድመ መውጫ የተለያዩ ውጤቶችን ያንቁ። ,Lab Test Report,የቤተ ሙከራ ሙከራ ሪፖርት DocType: Employee Benefit Application,Employee Benefit Application,የሰራተኛ ጥቅማ ጥቅም ማመልከቻ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,ተጨማሪ የደመወዝ አካል ክፍሎች DocType: Purchase Invoice,Unregistered,ያልተመዘገበ -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,እባክዎ የመላኪያ ማስታወሻ መጀመሪያ DocType: Student Applicant,Application Date,የመተግበሪያ ቀን DocType: Salary Component,Amount based on formula,የገንዘብ መጠን ቀመር ላይ የተመሠረተ DocType: Purchase Invoice,Currency and Price List,ገንዘብና ዋጋ ዝርዝር @@ -4130,6 +4186,7 @@ DocType: Purchase Receipt,Time at which materials were received,ቁሳቁስ ተ DocType: Products Settings,Products per Page,ምርቶች በአንድ ገጽ 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,የክፍያ መጠየቂያ ቀን። apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,የተመደበው መጠን አሉታዊ ሊሆን አይችልም። DocType: Sales Order,Billing Status,አከፋፈል ሁኔታ apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ችግር ሪፖርት ያድርጉ @@ -4137,6 +4194,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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} ወይም አስቀድሞ በሌላ ቫውቸር ጋር ይዛመዳሉ DocType: Supplier Scorecard Criteria,Criteria Weight,መስፈርት ክብደት +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,መለያ {0} በክፍያ መግቢያ ስር አይፈቀድም። DocType: Production Plan,Ignore Existing Projected Quantity,አሁን ያለበትን የታሰበ ብዛት ችላ ይበሉ። apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,የአፈጻጸም ማሳወቂያ ይተው DocType: Buying Settings,Default Buying Price List,ነባሪ መግዛትና ዋጋ ዝርዝር @@ -4145,6 +4203,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},ረድፍ {0}: ለንብረታዊው ነገር መገኛ አካባቢ አስገባ {1} DocType: Employee Checkin,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.","ወዘተ ኩባንያ, የምንዛሬ, የአሁኑ የበጀት ዓመት, እንደ አዘጋጅ ነባሪ እሴቶች" DocType: Payment Entry,Payment Type,የክፍያ አይነት apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ንጥል አንድ ባች ይምረጡ {0}. ይህን መስፈርት በሚያሟላ አንድ ነጠላ ባች ማግኘት አልተቻለም @@ -4173,6 +4232,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,ወደ ግዢ ሳጥን DocType: Journal Entry,Accounting Entries,አካውንቲንግ ግቤቶችን 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.","የተመረጠ ዋጋ አሰጣጥ ለ <ደረጃ> እንዲሆን ከተደረገ, የዋጋ ዝርዝርን ይደመስሰዋል. የዋጋ አሰጣጥ ደንብ የመጨረሻ ደረጃ ነው, ስለዚህ ምንም ተጨማሪ ቅናሽ አይተገበርም. ስለዚህ እንደ የሽያጭ ትዕዛዝ, የግዢ ትዕዛዝ ወዘተ በሚደረጉባቸው ግብሮች ውስጥ, 'የዝርዝር ውድድር' መስክ ከማስተመን ይልቅ በ <ደረጃ> አጻጻፍ ውስጥ ይካተታል." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,እባክዎ በትምህርቱ> የትምህርት ቅንብሮች ውስጥ የትምህርት አሰጣጥ / መለያ መመሪያን ያዋቅሩ። DocType: Journal Entry,Paid Loan,የሚከፈል ብድር 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,ማጣቀሻ ቀነ ገደብ @@ -4189,12 +4249,14 @@ DocType: Shopify Settings,Webhooks Details,የዌብ ሆፕ ዝርዝሮች apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,ምንም ጊዜ ሉሆች DocType: GoCardless Mandate,GoCardless Customer,GoCardless ደንበኛ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} መሸከም-ማስተላለፍ አይቻልም አይነት ይነሱ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,የንጥል ኮድ> የንጥል ቡድን> የምርት ስም። apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',ጥገና ፕሮግራም ሁሉም ንጥሎች የመነጨ አይደለም. 'አመንጭ ፕሮግራም »ላይ ጠቅ ያድርጉ ,To Produce,ለማምረት DocType: Leave Encashment,Payroll,የመክፈል ዝርዝር 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} ደግሞ መካተት አለበት" DocType: Healthcare Service Unit,Parent Service Unit,የወላጅ አገልግሎት ክፍል DocType: Packing Slip,Identification of the package for the delivery (for print),የማቅረብ ያለውን ጥቅል መታወቂያ (የህትመት ለ) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,የአገልግሎት ደረጃ ስምምነት እንደገና ተስተካክሏል። DocType: Bin,Reserved Quantity,የተያዘ ብዛት apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,ልክ የሆነ የኢሜይል አድራሻ ያስገቡ DocType: Volunteer Skill,Volunteer Skill,የፈቃደኝነት ችሎታ @@ -4215,7 +4277,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,ዋጋ ወይም የምርት ቅናሽ። apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,ለረድፍ {0}: የታቀዱ qty አስገባ DocType: Account,Income Account,የገቢ መለያ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ደንበኛ> የደንበኞች ቡድን> ክልል። DocType: Payment Request,Amount in customer's currency,ደንበኛ ምንዛሬ መጠን apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,ርክክብ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,መዋቅሮችን በመመደብ ላይ ... @@ -4238,6 +4299,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,ማጣቀሻ 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?,ከዚህ ቀደም የተደረጉ የፋይናንስ ደረሰኞች መዝገቦችን ያጣሉ. እርግጠኛ ነዎት ይህንን ምዝገባ እንደገና መጀመር ይፈልጋሉ? @@ -4293,11 +4355,10 @@ DocType: Additional Salary,HR User,የሰው ሀይል ተጠቃሚ DocType: Bank Guarantee,Reference Document Name,የማጣቀሻ ሰነድ ስም DocType: Purchase Invoice,Taxes and Charges Deducted,ግብሮች እና ክፍያዎች ይቀነሳል DocType: Support Settings,Issues,ችግሮች -DocType: Shift Type,Early Exit Consequence after,ቀደም ብሎ የመውጣት ውጤት ከዚህ በኋላ። DocType: Loyalty Program,Loyalty Program Name,የታማኝነት ፕሮግራም ስም apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},ሁኔታ ውስጥ አንዱ መሆን አለበት {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,GSTIN የተላከ ለማዘዘ ማስታወሻ -DocType: Sales Invoice,Debit To,ወደ ዴቢት +DocType: Discounted Invoice,Debit To,ወደ ዴቢት DocType: Restaurant Menu Item,Restaurant Menu Item,የምግብ ቤት ምናሌ ንጥል DocType: Delivery Note,Required only for sample item.,ብቻ ናሙና ንጥል ያስፈልጋል. DocType: Stock Ledger Entry,Actual Qty After Transaction,ግብይት በኋላ ትክክለኛው ብዛት @@ -4380,6 +4441,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,የመግቢያ ስ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,ብቻ ማቅረብ ይችላሉ 'ተቀባይነት አላገኘም' 'ጸድቋል »እና ሁኔታ ጋር መተግበሪያዎች ውጣ apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,ልኬቶችን በመፍጠር ላይ ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},የተማሪ ቡድን ስም ረድፍ ላይ ግዴታ ነው {0} +DocType: Customer Credit Limit,Bypass credit limit_check,የብድር ወሰን_መጠን ማለፍ DocType: Homepage,Products to be shown on website homepage,ምርቶች ድር መነሻ ገጽ ላይ የሚታየውን DocType: HR Settings,Password Policy,የይለፍ ቃል ፖሊሲ apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,ይህ ሥር የደንበኛ ቡድን ነው እና አርትዕ ሊደረግ አይችልም. @@ -4426,10 +4488,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),ከ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,እባክዎ በሆቴሎች ቅንጅቶች ውስጥ ነባሪ ደንበኛ ያዘጋጁ ,Salary Register,ደመወዝ ይመዝገቡ DocType: Company,Default warehouse for Sales Return,ለሽያጭ ተመላሽ ነባሪ መጋዘን -DocType: Warehouse,Parent Warehouse,የወላጅ መጋዘን +DocType: Pick List,Parent Warehouse,የወላጅ መጋዘን DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},ነባሪ BOM ንጥል አልተገኘም {0} እና ፕሮጀክት {1} +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 ተመን @@ -4466,6 +4528,7 @@ DocType: Travel Itinerary,Lodging Required,ማረፊያ አስፈላጊ ነው DocType: Promotional Scheme,Price Discount Slabs,የዋጋ ቅናሽ Slabs። DocType: Stock Reconciliation Item,Current Serial No,የአሁኑ መለያ ቁጥር DocType: Employee,Attendance and Leave Details,የመገኘት እና የመተው ዝርዝሮች። +,BOM Comparison Tool,BOM ንፅፅር መሣሪያ። ,Requested,ተጠይቋል apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,ምንም መግለጫዎች DocType: Asset,In Maintenance,በመጠባበቂያ @@ -4488,6 +4551,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,ነባሪ የአገልግሎት ደረጃ ስምምነት። DocType: SG Creation Tool Course,Course Code,የኮርስ ኮድ apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,ከአንድ በላይ ምርጫ ለ {0} አይፈቀድም። +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,የተጠናቀቁ ዕቃዎች ንጥል ነገር ላይ በመመርኮዝ ጥሬ እቃዎች ይወሰናሉ። DocType: Location,Parent Location,የወላጅ ቦታ DocType: POS Settings,Use POS in Offline Mode,POS ን ከመስመር ውጪ ሁነታ ይጠቀሙ apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,ቅድሚያ የተሰጠው ወደ {0} ተለው hasል። @@ -4506,7 +4570,7 @@ DocType: Stock Settings,Sample Retention Warehouse,የናሙና ማቆያ መደ DocType: Company,Default Receivable Account,ነባሪ የሚሰበሰብ መለያ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,የታቀደው ብዛት ቀመር DocType: Sales Invoice,Deemed Export,የሚታወቀው -DocType: Stock Entry,Material Transfer for Manufacture,ማምረት ቁሳዊ ማስተላለፍ +DocType: Pick List,Material Transfer for Manufacture,ማምረት ቁሳዊ ማስተላለፍ 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.,የቅናሽ መቶኛ አንድ ዋጋ ዝርዝር ላይ ወይም ሁሉንም የዋጋ ዝርዝር ለማግኘት ወይም ተግባራዊ ሊሆኑ ይችላሉ. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,የአክሲዮን ለ አካውንቲንግ Entry DocType: Lab Test,LabTest Approver,LabTest አፀደቀ @@ -4549,7 +4613,6 @@ DocType: Training Event,Theory,ፍልስፍና apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,ማስጠንቀቂያ: ብዛት ጠይቀዋል ሐሳብ ያለው አነስተኛ ትዕዛዝ ብዛት ያነሰ ነው apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,መለያ {0} የታሰሩ ነው DocType: Quiz Question,Quiz Question,ጥያቄ ፡፡ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,አቅራቢ> የአቅራቢ ዓይነት። 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","የምግብ, መጠጥ እና ትንባሆ" @@ -4580,6 +4643,7 @@ 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,የታተሙ ዕቃዎች DocType: Account,Expense Account,የወጪ መለያ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,ሶፍትዌር apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,ቀለም @@ -4617,6 +4681,7 @@ 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,ሁሉም የባንክ ግብይቶች ተፈጥረዋል። DocType: Fee Validity,Visited yet,ጉብኝት ገና +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,እስከ 8 የሚደርሱ ነገሮችን ለይተው ማሳየት ይችላሉ ፡፡ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,አሁን ያሉ ግብይት ጋር መጋዘኖችን ቡድን ሊቀየር አይችልም. DocType: Assessment Result Tool,Result HTML,ውጤት ኤችቲኤምኤል DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,በሽርክም ትራንስፖርቶች መሠረት ፕሮጀክቱ እና ኩባንያው በየስንት ጊዜ ማዘመን አለባቸው. @@ -4624,7 +4689,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,የማከማቻ መጠን @@ -4649,7 +4713,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM በ ሰዓቶ DocType: Contract,Signee Details,የዋና ዝርዝሮች apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} በአሁኑ ጊዜ {1} የአቅጣጫ ጠቋሚ የመቁጠሪያ አቋም አለው, እና ለዚህ አቅራቢ (RFQs) በጥብቅ ማስጠንቀቂያ ሊሰጠው ይገባል." DocType: Certified Consultant,Non Profit Manager,የጥቅመ-ዓለም ስራ አስኪያጅ -DocType: BOM,Total Cost(Company Currency),ጠቅላላ ወጪ (የኩባንያ የምንዛሬ) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,{0} የተፈጠረ ተከታታይ የለም DocType: Homepage,Company Description for website homepage,ድር መነሻ ገጽ ለ ኩባንያ መግለጫ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ደንበኞች ወደ ምቾት ሲባል, እነዚህ ኮዶች ደረሰኞች እና የመላኪያ ማስታወሻዎች እንደ የህትመት ቅርጸቶች ውስጥ ጥቅም ላይ ሊውል ይችላል" @@ -4677,7 +4740,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,የግዢ DocType: Amazon MWS Settings,Enable Scheduled Synch,መርሐግብር የተያዘለት ማመሳሰልን አንቃ apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,DATETIME ወደ apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,ኤስኤምኤስ የመላኪያ ሁኔታ የመጠበቅ ምዝግብ ማስታወሻዎች -DocType: Shift Type,Early Exit Consequence,ቀደም ብሎ የመውጣት ውጤት። DocType: Accounts Settings,Make Payment via Journal Entry,ጆርናል Entry በኩል ክፍያ አድርግ apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,እባክዎን በአንድ ጊዜ ከ 500 በላይ እቃዎችን አይፍጠሩ ፡፡ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Printed ላይ @@ -4734,6 +4796,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,ገደብ የ 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,ምስጢር +DocType: Plaid Settings,Plaid Secret,የተዘበራረቀ ምስጢር DocType: Company,Date of Establishment,የተቋቋመበት ቀን apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,ቬንቸር ካፒታል apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,ይህ 'የትምህርት ዓመት' ጋር አንድ የትምህርት ቃል {0} እና 'ተርም ስም «{1} አስቀድሞ አለ. እነዚህ ግቤቶችን ይቀይሩ እና እንደገና ይሞክሩ. @@ -4795,6 +4858,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,የደንበኛ ዓይነት DocType: Compensatory Leave Request,Leave Allocation,ምደባዎች ውጣ DocType: Payment Request,Recipient Message And Payment Details,የተቀባይ መልዕክት እና የክፍያ ዝርዝሮች +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,እባክዎን የማስረከቢያ ማስታወሻ ይምረጡ ፡፡ DocType: Support Search Source,Source DocType,ምንጭ DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,አዲስ ቲኬት ክፈት DocType: Training Event,Trainer Email,አሰልጣኝ ኢሜይል @@ -4915,6 +4979,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,የተሸከሙ ቅጠሎችን ይሸከም። apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','ቀን ጀምሮ' በኋላ 'እስከ ቀን' መሆን አለበት apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,ለዚህ ዲዛይነር ምንም የሰራተኞች እቅድ አልተገኘም apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,የባንክ {0} ንጥል {1} ተሰናክሏል. @@ -4936,7 +5001,7 @@ DocType: Clinical Procedure,Patient,ታካሚ apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,በሽያጭ ትዕዛዝ ላይ የብድር ክሬዲት ይለፉ DocType: Employee Onboarding Activity,Employee Onboarding Activity,ተቀጥሮ የሚሠራ ሰራተኛ DocType: Location,Check if it is a hydroponic unit,የሃይሮፓኒክ ዩኒት ከሆነ ይፈትሹ -DocType: Stock Reconciliation Item,Serial No and Batch,ተከታታይ የለም እና ባች +DocType: Pick List Item,Serial No and Batch,ተከታታይ የለም እና ባች DocType: Warranty Claim,From Company,ኩባንያ ከ DocType: GSTR 3B Report,January,ጥር apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,ግምገማ መስፈርት በበርካታ ድምር {0} መሆን አለበት. @@ -4960,7 +5025,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ለድርጅት ኩባንያዎች ግብይት አልተገኘም {0}. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,ዱቤ_አዋጅ DocType: Travel Itinerary,Rented Car,የተከራየች መኪና apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ስለ የእርስዎ ኩባንያ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,መለያ ወደ ክሬዲት ሚዛን ሉህ መለያ መሆን አለበት @@ -4993,11 +5057,13 @@ apps/erpnext/erpnext/config/accounting.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,ሲ 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,የቀረ DocType: Appraisal,Appraisal,ግምት DocType: Loan,Loan Account,የብድር መለያን apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,ተቀባይነት ያለው እና ልክ ከሆኑ የከፍታዎች መስኮች ለማጠራቀሚያው አስገዳጅ ናቸው። +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",ለንጥል {0} ረድፍ {1} ፣ የመለያ ቁጥሮች ቆጠራ ከተመረጠው ብዛት ጋር አይዛመድም። DocType: Purchase Invoice,GST Details,የ GST ዝርዝሮች apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,ይህ በ "ሄልዝኬር አፕሪጀር" ላይ በሚደረጉ ልውውጦች ላይ የተመሠረተ ነው. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},አቅራቢ ተልኳል ኢሜይል ወደ {0} @@ -5061,6 +5127,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),የጥቅል ያለው አጠቃላይ ክብደት. አብዛኛውን ጊዜ የተጣራ ክብደት + ጥቅል ቁሳዊ ክብደት. (የህትመት ለ) DocType: Assessment Plan,Program,ፕሮግራም DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ይህን ሚና ያላቸው ተጠቃሚዎች የታሰሩ መለያዎች ላይ የሂሳብ ግቤቶች የታሰሩ መለያዎች ማዘጋጀት እና ለመፍጠር ቀይር / የተፈቀደላቸው +DocType: Plaid Settings,Plaid Environment,ደረቅ አካባቢ። ,Project Billing Summary,የፕሮጀክት የክፍያ ማጠቃለያ። DocType: Vital Signs,Cuts,ይቁረጡ DocType: Serial No,Is Cancelled,ተሰርዟል ነው @@ -5122,7 +5189,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ማስታወሻ: {0} ብዛት ወይም መጠን 0 ነው እንደ የመላኪያ-ደጋግሞ-ማስያዣ ንጥል ለ ስርዓት ይመልከቱ አይደለም DocType: Issue,Opening Date,መክፈቻ ቀን apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,እባክዎን በሽተኛው መጀመሪያውን ያስቀምጡ -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,አዲስ ግንኙነት ያድርጉ ፡፡ apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,በስብሰባው ላይ በተሳካ ሁኔታ ምልክት ተደርጎበታል. DocType: Program Enrollment,Public Transport,የሕዝብ ማመላለሻ DocType: Sales Invoice,GST Vehicle Type,የ GST የተሽከርካሪ ዓይነት @@ -5148,6 +5214,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,አቅራ DocType: POS Profile,Write Off Account,መለያ ጠፍቷል ይጻፉ DocType: Patient Appointment,Get prescribed procedures,የታዘዙ ሂደቶችን ያግኙ DocType: Sales Invoice,Redemption Account,የድነት ሂሳብ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,በመጀመሪያ እቃዎችን በእቃ መገኛ ቦታ ሰንጠረዥ ውስጥ ያክሉ። DocType: Pricing Rule,Discount Amount,የቅናሽ መጠን DocType: Pricing Rule,Period Settings,የጊዜ ቅንብሮች DocType: Purchase Invoice,Return Against Purchase Invoice,ላይ የግዢ ደረሰኝ ይመለሱ @@ -5180,7 +5247,6 @@ DocType: Assessment Plan,Assessment Plan,ግምገማ ዕቅድ DocType: Travel Request,Fully Sponsored,ሙሉ በሙሉ የተደገፈ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,የተራዘመ የጆርናሉ ምዝገባ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,የሥራ ካርድ ይፍጠሩ ፡፡ -DocType: Shift Type,Consequence after,ውጤት በኋላ። DocType: Quality Procedure Process,Process Description,የሂደት መግለጫ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ደንበኛ {0} ተፈጥሯል. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,በአሁኑ ጊዜ በማንኛውም መጋዘን ውስጥ ምንም አክሲዮስ የለም @@ -5215,6 +5281,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,መልቀቂያ ቀን DocType: Delivery Settings,Dispatch Notification Template,የመልዕክት ልውውጥ መለኪያ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,የግምገማ ሪፖርት apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,ሰራተኞችን ያግኙ +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 አድራሻ @@ -5341,7 +5408,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,ይህ ሥር ሽያጭ ሰው ነው እና አርትዕ ሊደረግ አይችልም. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","የተመረጡ ከሆነ, በዚህ አካል ውስጥ የተገለጹ ወይም የተሰላው የ ዋጋ ገቢዎች ወይም ድምዳሜ አስተዋጽኦ አይደለም. ሆኖም, እሴት ወይም ሊቆረጥ የሚችሉ ሌሎች ክፍሎች በማድረግ የተጠቆመው ይቻላል ነው." -DocType: Asset Settings,Number of Days in Fiscal Year,በፋሲካው ዓመት ውስጥ የቀናት ቁጥር ,Stock Ledger,የክምችት የሒሳብ መዝገብ DocType: Company,Exchange Gain / Loss Account,የ Exchange ቅሰም / ማጣት መለያ DocType: Amazon MWS Settings,MWS Credentials,MWS ምስክርነቶች @@ -5376,6 +5442,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,አምድ በባንክ ፋይል ውስጥ። apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},መተግበሪያ {0} ተወግዶ የተማሪው ላይ {1} ላይ አስቀድሞ አለ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,በሁሉም የሂሳብ ማሻሻያ ሂሳቦች ውስጥ የቅርብ ጊዜውን ዋጋ ለማዘመን ሰልፍ ተደርጎ. ጥቂት ደቂቃዎችን ሊወስድ ይችላል. +DocType: Pick List,Get Item Locations,የንጥል አካባቢዎችን ያግኙ። apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,አዲስ መለያ ስም. ማስታወሻ: ደንበኞች እና አቅራቢዎች መለያዎችን መፍጠር እባክዎ DocType: POS Profile,Display Items In Stock,እቃዎችን በእቃ ውስጥ አሳይ apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,አገር ጥበብ ነባሪ አድራሻ አብነቶች @@ -5399,6 +5466,7 @@ DocType: Crop,Materials Required,አስፈላጊ ነገሮች apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,ምንም ተማሪዎች አልተገኙም DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,ወርሃዊ HRA ነፃ መሆን DocType: Clinical Procedure,Medical Department,የሕክምና መምሪያ +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,አጠቃላይ የመጀመሪያ መውጫዎች። DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,የአምራች ነጥብ መሥፈርት የማጣሪያ መስፈርት apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,የደረሰኝ መለጠፍ ቀን apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,ይሽጡ @@ -5410,11 +5478,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ይህንን ሰነድ ለመሰረዝ እባክዎ ሰራተኛውን {0} \ ያጥፉ።" DocType: Program Enrollment,School House,ትምህርት ቤት DocType: Serial No,Out of AMC,AMC ውጪ DocType: Opportunity,Opportunity Amount,እድል ብዛት +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,የእርስዎ መገለጫ። apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,የተመዘገበ Depreciations ቁጥር Depreciations አጠቃላይ ብዛት በላይ ሊሆን አይችልም DocType: Purchase Order,Order Confirmation Date,የትዕዛዝ ማረጋገጫ ቀን DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-yYYY.- @@ -5508,7 +5575,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","በፋፍቱ, በትርፍ እና በሂሳብ መካከል የተንኮል አለ" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,ካሳውን በፈቃደኝነት ቀናት መካከል ሙሉ ቀን (ቶች) የለዎትም apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,ዳግም-ዓይነት ኩባንያ ስም ለማረጋገጥ እባክዎ -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,ጠቅላላ ያልተወራረደ Amt DocType: Journal Entry,Printing Settings,ማተም ቅንብሮች DocType: Payment Order,Payment Order Type,የክፍያ ማዘዣ ዓይነት DocType: Employee Advance,Advance Account,የቅድሚያ ሂሳብ @@ -5597,7 +5663,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,ዓመት ስም apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,ተከታታይ የሥራ ቀናት በላይ በዓላት በዚህ ወር አሉ. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,{0} ንጥሎች መከተል እንደ {1} ንጥል ምልክት አልተደረገባቸውም. እንደ {1} ንጥል ከንጥል ዋናው ላይ ሊያነሯቸው ይችላሉ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC ማጣቀሻ DocType: Production Plan Item,Product Bundle Item,የምርት ጥቅል ንጥል DocType: Sales Partner,Sales Partner Name,የሽያጭ የአጋር ስም apps/erpnext/erpnext/hooks.py,Request for Quotations,ጥቅሶች ጠይቅ @@ -5606,19 +5671,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,መደበኛ የተሞሉ ንጥሎች DocType: QuickBooks Migrator,Company Settings,የድርጅት ቅንብሮች DocType: Additional Salary,Overwrite Salary Structure Amount,የደመወዝ መዋቅሩን መጠን መመለስ -apps/erpnext/erpnext/config/hr.py,Leaves,ቅጠሎች +DocType: Leave Ledger Entry,Leaves,ቅጠሎች DocType: Student Language,Student Language,የተማሪ ቋንቋ DocType: Cash Flow Mapping,Is Working Capital,ጉዲፈቻ ካፒታል ነው apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,ማረጋገጫ ያስገቡ ፡፡ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,ትዕዛዝ / quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,ታካሚን ታሳቢዎችን ይመዝግቡ DocType: Fee Schedule,Institution,ተቋም -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: Asset,Partially Depreciated,በከፊል የቀነሰበት DocType: Issue,Opening Time,የመክፈቻ ሰዓት apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,እንዲሁም ያስፈልጋል ቀናት ወደ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,ዋስትና እና ምርት ልውውጥ -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},የጥሪ ማጠቃለያ በ {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,ሰነዶች ፍለጋ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ተለዋጭ ለ ይለኩ ነባሪ ክፍል «{0}» መለጠፊያ ውስጥ እንደ አንድ አይነት መሆን አለበት '{1} » DocType: Shipping Rule,Calculate Based On,የተመረኮዘ ላይ ማስላት @@ -5664,6 +5727,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,ከፍተኛ የተፈቀደ እሴት DocType: Journal Entry Account,Employee Advance,Employee Advance DocType: Payroll Entry,Payroll Frequency,የመክፈል ዝርዝር ድግግሞሽ +DocType: Plaid Settings,Plaid Client ID,የተከፈለ የደንበኛ መታወቂያ። DocType: Lab Test Template,Sensitivity,ትብነት DocType: Plaid Settings,Plaid Settings,የተዘጉ ቅንጅቶች apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,ከፍተኛ ማረፊያዎች ታልፈው ስለመጡ ማመሳሰያ በጊዜያዊነት ተሰናክሏል @@ -5681,6 +5745,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,በመጀመሪያ መለጠፍ ቀን ይምረጡ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,ቀን በመክፈት ቀን መዝጋት በፊት መሆን አለበት DocType: Travel Itinerary,Flight,በረራ +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,ወደ ቤት መመለስ DocType: Leave Control Panel,Carry Forward,አስተላልፍ መሸከም apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,አሁን ያሉ ግብይቶችን ጋር ወጪ ማዕከል የሒሳብ መዝገብ ላይ ሊቀየር አይችልም DocType: Budget,Applicable on booking actual expenses,በቢዝነስ ላይ ለትክክለኛ ወጪዎች የሚውል @@ -5736,6 +5801,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,ጥቅስ ይፍ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,አንተ አግድ ቀኖች ላይ ቅጠል ለማፅደቅ ስልጣን አይደለም apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} የ {1} ጥያቄ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,እነዚህ ሁሉ ንጥሎች ቀደም ሲል ደረሰኝ ተደርጓል +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,እርስዎ የገለጹትን ማጣሪያዎችን ለሚያሟሉ ለ {0} {1} ምንም ያልተከፈሉ የክፍያ መጠየቂያዎች አልተገኙም። apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,አዲስ የተለቀቀበት ቀን አዘጋጅ DocType: Company,Monthly Sales Target,ወርሃዊ የሽያጭ ዒላማ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,ምንም ያልተመዘገበ የክፍያ መጠየቂያ ደረሰኝ አልተገኘም። @@ -5782,6 +5848,7 @@ DocType: Water Analysis,Type of Sample,የናሙና ዓይነት DocType: Batch,Source Document Name,ምንጭ ሰነድ ስም DocType: Production Plan,Get Raw Materials For Production,ለማምረት ጥሬ ዕቃዎችን ያግኙ DocType: Job Opening,Job Title,የስራ መደቡ መጠሪያ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,የወደፊት ክፍያ Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} እንደሚያሳየው {1} የጥቅስ ነገርን አያቀርብም, ነገር ግን ሁሉም ንጥሎች \ ተወስደዋል. የ RFQ መጠይቅ ሁኔታን በማዘመን ላይ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ከፍተኛ ቁጥር ያላቸው - {0} አስቀድመው በቡድን {1} እና በንጥል {2} በቡድን {3} ውስጥ ተይዘው ተቀምጠዋል. @@ -5792,12 +5859,10 @@ 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: Company,Product Code,የምርት ኮድ። DocType: Quality Review Table,Objective,ዓላማ። DocType: Supplier Scorecard,Per Month,በ ወር DocType: Education Settings,Make Academic Term Mandatory,አካዳሚያዊ ግዴታ አስገዳጅ ያድርጉ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,ለማምረት ብዛት 0 የበለጠ መሆን አለበት. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,በፋይስቲክስ አመት ላይ የተመሰረተ የተጣራ ትርፍ ቅደም ተከተል ያስሉ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,ለማምረት ብዛት 0 የበለጠ መሆን አለበት. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,የጥገና ጥሪ ሪፖርት ይጎብኙ. DocType: Stock Entry,Update Rate and Availability,አዘምን ደረጃ እና ተገኝነት 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 ቤቶች ትእዛዝ ከሆነ. እና በል ከዚያም 110 ቤቶች ለመቀበል የተፈቀደላቸው 10% ነው. @@ -5808,7 +5873,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,የሚለቀቅበት ቀን ለወደፊቱ መሆን አለበት። DocType: BOM,Website Description,የድር ጣቢያ መግለጫ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,ፍትህ ውስጥ የተጣራ ለውጥ -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,በመጀመሪያ የግዢ ደረሰኝ {0} ይቅር እባክዎ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,አይፈቀድም. እባክዎ የአገልግሎት አይነቱን አይነት ያጥፉ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","የኢሜይል አድራሻ አስቀድሞ ስለ አለ, ልዩ መሆን አለበት {0}" DocType: Serial No,AMC Expiry Date,AMC የሚቃጠልበት ቀን @@ -5852,6 +5916,7 @@ DocType: Pricing Rule,Price Discount Scheme,የዋጋ ቅናሽ መርሃግብ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,የጥገና ሁኔታን ለመሰረዝ ወይም ለመጠናቀቅ የተሞላ መሆን አለበት DocType: Amazon MWS Settings,US,አሜሪካ DocType: Holiday List,Add Weekly Holidays,ሳምንታዊ በዓላትን አክል +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,ንጥል ሪፖርት ያድርጉ ፡፡ DocType: Staffing Plan Detail,Vacancies,መመዘኛዎች DocType: Hotel Room,Hotel Room,የሆቴል ክፍል apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},መለያ {0} ነው ኩባንያ ንብረት አይደለም {1} @@ -5903,12 +5968,15 @@ DocType: Email Digest,Open Quotations,ክፍት ጥቅሶችን 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ይህንን ሰነድ ለመሰረዝ እባክዎ ሰራተኛውን {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,መሰረታዊ መጠን @@ -5922,6 +5990,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,ተከራይ DocType: Patient,Alcohol Past Use,አልኮል ጊዜ ያለፈበት አጠቃቀም DocType: Fertilizer Content,Fertilizer Content,የማዳበሪያ ይዘት +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,መግለጫ የለም ፡፡ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,CR DocType: Tax Rule,Billing State,አከፋፈል መንግስት DocType: Quality Goal,Monitoring Frequency,ድግግሞሽ መቆጣጠር። @@ -5939,6 +6008,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,የሚያበቃበት ቀን ከዳኝ የግንኙነት ቀን በፊት ሊሆን አይችልም. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,የቡድን ግቤቶች DocType: Journal Entry,Pay To / Recd From,ከ / Recd ወደ ይክፈሉ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,ንጥል አትም DocType: Naming Series,Setup Series,ማዋቀር ተከታታይ DocType: Payment Reconciliation,To Invoice Date,ቀን ደረሰኝ DocType: Bank Account,Contact HTML,የእውቂያ ኤችቲኤምኤል @@ -5960,6 +6030,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,ችርቻሮ DocType: Student Attendance,Absent,ብርቅ DocType: Staffing Plan,Staffing Plan Detail,የሰራተኛ እቅድ ዝርዝር DocType: Employee Promotion,Promotion Date,የማስተዋወቂያ ቀን +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,የመልቀቂያ ምደባ% s ከምዝገባ ማመልከቻ% s ጋር ተገናኝቷል። 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} @@ -5994,9 +6065,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,ደረሰኝ {0} ከአሁን በኋላ የለም DocType: Guardian Interest,Guardian Interest,አሳዳጊ የወለድ DocType: Volunteer,Availability,መገኘት +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,የመልቀቂያ ማመልከቻ ከእረፍት ክፍፍሎች {0} ጋር ተገናኝቷል። የመልቀቂያ ማመልከቻ ያለክፍያ እንደ ፈቃድ መዘጋጀት አይችልም። apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,ለ POS መጋሪያዎች ነባሪ ዋጋዎችን ያዋቅሩ DocType: Employee Training,Training,ልምምድ DocType: Project,Time to send,ለመላክ ሰዓት +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,ይህ ገጽ ገyersዎች የተወሰነ ፍላጎት ያሳዩባቸውን ዕቃዎችዎን ይከታተላል። 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 ኢሜይል መታወቂያ @@ -6092,12 +6165,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,በመክፈት ላይ እሴት DocType: Salary Component,Formula,ፎርሙላ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,ተከታታይ # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,በሰብአዊ ሀብት> የሰው ሠራሽ ቅንብሮች ውስጥ የሰራተኛ መለያ ስም መስሪያ ስርዓት ያዋቅሩ ፡፡ 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/setup/doctype/company/company.py,Sales Account,የሽያጭ መለያ DocType: Purchase Invoice Item,Total Weight,ጠቅላላ ክብደት +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}" @@ -6121,6 +6194,7 @@ DocType: Company,Default Employee Advance Account,ነባሪ የሠራተኛ የ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),ፈልግ ንጥል (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-yYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,ነባር የግብይት ጋር መለያ ሊሰረዝ አይችልም +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,ይህ ንጥል ለምን መወገድ አለበት ለምንድነው? DocType: Vehicle,Last Carbon Check,የመጨረሻው ካርቦን ፈትሽ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,የህግ ወጪዎች apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,ረድፍ ላይ ብዛት ይምረጡ @@ -6140,6 +6214,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,መሰባበር DocType: Travel Itinerary,Vegetarian,ቬጀቴሪያን DocType: Patient Encounter,Encounter Date,የግጥሚያ ቀን +DocType: Work Order,Update Consumed Material Cost In Project,በፕሮጄክት ውስጥ የታሰበውን የቁሳዊ ወጪን አዘምን ፡፡ apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,መለያ: {0} ምንዛሬ ጋር: {1} መመረጥ አይችልም DocType: Bank Statement Transaction Settings Item,Bank Data,የባንክ መረጃ DocType: Purchase Receipt Item,Sample Quantity,ናሙና መጠኑ @@ -6194,7 +6269,7 @@ DocType: GSTR 3B Report,April,ሚያዚያ DocType: Plant Analysis,Collection Datetime,የስብስብ ጊዜ DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-yYYYY.- DocType: Work Order,Total Operating Cost,ጠቅላላ ማስኬጃ ወጪ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,ማስታወሻ: ንጥል {0} በርካታ ጊዜ ገብቷል +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,ማስታወሻ: ንጥል {0} በርካታ ጊዜ ገብቷል apps/erpnext/erpnext/config/buying.py,All Contacts.,ሁሉም እውቅያዎች. DocType: Accounting Period,Closed Documents,የተዘጉ ሰነዶች DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,የተቀጣሪ ክፍያ መጠየቂያ ደረሰኝን ለታካሚ መገኛ ያቀርባል እና ይሰርዙ @@ -6276,9 +6351,7 @@ DocType: Member,Membership Type,የአባላት ዓይነት ,Reqd By Date,Reqd ቀን በ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,አበዳሪዎች DocType: Assessment Plan,Assessment Name,ግምገማ ስም -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,PDC ን በህትመት ውስጥ አሳይ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,የረድፍ # {0}: መለያ ምንም ግዴታ ነው -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,ለ {0} {1} ምንም ያልተከፈሉ የክፍያ መጠየቂያዎች አልተገኙም። DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ንጥል ጥበበኛ የግብር ዝርዝር DocType: Employee Onboarding,Job Offer,የስራ እድል apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,ተቋም ምህፃረ ቃል @@ -6336,6 +6409,7 @@ DocType: Serial No,Out of Warranty,የዋስትና ውጪ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,የታተመ የውሂብ አይነት DocType: BOM Update Tool,Replace,ተካ apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,ምንም ምርቶች አልተገኙም. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,ተጨማሪ እቃዎችን ያትሙ። apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},ይህ የአገልግሎት ደረጃ ስምምነት ለደንበኛ {0} የተወሰነ ነው apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} የሽያጭ ደረሰኝ ላይ {1} DocType: Antibiotic,Laboratory User,የላቦራቶሪ ተጠቃሚ @@ -6358,7 +6432,6 @@ DocType: Payment Order Reference,Bank Account Details,የባንክ ሂሳብ ዝ DocType: Purchase Order Item,Blanket Order,የበራሪ ትዕዛዝ 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,የግብር ንብረቶች -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},የምርት ትዕዛዝ ቆይቷል {0} DocType: BOM Item,BOM No,BOM ምንም 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,በመውሰድ ላይ አማካኝ @@ -6431,6 +6504,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),የውጭ ግብር ከፋዮች (ዜሮ ደረጃ የተሰጠው) DocType: BOM,Materials Required (Exploded),ቁሳቁሶች (የፈነዳ) ያስፈልጋል 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/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,መለጠፍ ቀን ወደፊት ቀን ሊሆን አይችልም @@ -6488,7 +6562,6 @@ DocType: Pricing Rule,Same Item,ተመሳሳይ ንጥል DocType: Stock Ledger Entry,Stock Ledger Entry,የክምችት የሒሳብ መዝገብ የሚመዘገብ መረጃ DocType: Quality Action Resolution,Quality Action Resolution,የጥራት እርምጃ ጥራት apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} በግማሽ ቀን ይለቁ {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,ተመሳሳይ ንጥል በርካታ ጊዜ ገብቷል ታይቷል DocType: Department,Leave Block List,አግድ ዝርዝር ውጣ DocType: Purchase Invoice,Tax ID,የግብር መታወቂያ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,{0} ንጥል መለያ ቁጥሮች ለ ማዋቀር አይደለም. አምድ ባዶ መሆን አለበት @@ -6526,7 +6599,7 @@ 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} ተሰናክሏል ወይም የለም DocType: Purchase Invoice,Return,ተመለስ -DocType: Accounting Dimension,Disable,አሰናክል +DocType: Account,Disable,አሰናክል apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,የክፍያ ሁነታ ክፍያ ለመሥራት የግድ አስፈላጊ ነው DocType: Task,Pending Review,በመጠባበቅ ላይ ያለ ክለሳ apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","እንደ እሴቶች, ተከታታይ ኤሎች, ወዘተ የመሳሰሉ ተጨማሪ አማራጮች ውስጥ ሙሉ ገጽ ውስጥ ያርትዑ." @@ -6639,7 +6712,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,አክሲ-ጆ-አያንኳት.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,የተዋሃደ የክፍያ መጠየቂያ ክፍል 100% DocType: Item Default,Default Expense Account,ነባሪ የወጪ መለያ DocType: GST Account,CGST Account,የ CGST መለያ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,የንጥል ኮድ> የንጥል ቡድን> የምርት ስም። apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,የተማሪ የኢሜይል መታወቂያ DocType: Employee,Notice (days),ማስታወቂያ (ቀናት) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS የመዘጋት ሒሳብ ደረሰኞች @@ -6650,6 +6722,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ወደ መጠየቂያ ለማስቀመጥ ንጥሎችን ምረጥ DocType: Employee,Encashment Date,Encashment ቀን DocType: Training Event,Internet,በይነመረብ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,የሻጭ መረጃ DocType: Special Test Template,Special Test Template,ልዩ የፍተሻ አብነት DocType: Account,Stock Adjustment,የአክሲዮን ማስተካከያ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},ነባሪ እንቅስቃሴ ወጪ የእንቅስቃሴ ዓይነት የለም - {0} @@ -6661,7 +6734,6 @@ 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,ሁለቱም የፍርድ ሂደት የመጀመሪያ ቀን እና ሙከራ ክፍለ ጊዜ ማብቂያ ቀን መዘጋጀት አለበት -DocType: Company,Bank Remittance Settings,የባንክ መላኪያ ቅንብሮች። apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,አማካኝ ደረጃ 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",“በደንበኞች የቀረበ ንጥል” የዋጋ ምጣኔ ሊኖረው አይችልም ፡፡ @@ -6689,6 +6761,7 @@ DocType: Grading Scale Interval,Threshold,ምድራክ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),ሰራተኞችን ያጣሩ በ (ከተፈለገ) DocType: BOM Update Tool,Current BOM,የአሁኑ BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),ቀሪ (ዶክተር - ክሬ) +DocType: Pick List,Qty of Finished Goods Item,የተጠናቀቁ ዕቃዎች ንጥል ነገር። apps/erpnext/erpnext/public/js/utils.js,Add Serial No,ተከታታይ ምንም አክል DocType: Work Order Item,Available Qty at Source Warehouse,ምንጭ መጋዘን ላይ ይገኛል ብዛት apps/erpnext/erpnext/config/support.py,Warranty,ዋስ @@ -6767,7 +6840,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","እዚህ ወዘተ ቁመት, ክብደት, አለርጂ, የሕክምና ጉዳዮች ጠብቀን መኖር እንችላለን" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,መለያዎችን በመፍጠር ላይ ... DocType: Leave Block List,Applies to Company,ኩባንያ የሚመለከተው ለ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,ገብቷል የክምችት Entry {0} መኖሩን ምክንያቱም ማስቀረት አይቻልም +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,ገብቷል የክምችት Entry {0} መኖሩን ምክንያቱም ማስቀረት አይቻልም DocType: Loan,Disbursement Date,ከተዛወሩ ቀን DocType: Service Level Agreement,Agreement Details,የስምምነት ዝርዝሮች apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,የስምምነቱ የመጀመሪያ ቀን ከመጨረሻ ቀን ጋር የሚበልጥ ወይም እኩል መሆን አይችልም። @@ -6776,6 +6849,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,የህክምና መዝገብ DocType: Vehicle,Vehicle,ተሽከርካሪ DocType: Purchase Invoice,In Words,ቃላት ውስጥ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,እስከዛሬ ድረስ ከቀን በፊት መሆን አለበት። apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,ከማቅረብ በፊት የባንኩ ወይም የአበዳሪ ተቋሙ ስም ያስገቡ. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} መቅረብ አለበት DocType: POS Profile,Item Groups,ንጥል ቡድኖች @@ -6847,7 +6921,6 @@ DocType: Customer,Sales Team Details,የሽያጭ ቡድን ዝርዝሮች apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,እስከመጨረሻው ይሰረዝ? DocType: Expense Claim,Total Claimed Amount,ጠቅላላ የቀረበበት የገንዘብ መጠን apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,መሸጥ የሚሆን እምቅ ዕድል. -DocType: Plaid Settings,Link a new bank account,አዲስ የባንክ ሂሳብ ያገናኙ። apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} ልክ ያልሆነ የጉብኝት ሁኔታ ነው። DocType: Shareholder,Folio no.,ፎሊዮ ቁጥር. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},ልክ ያልሆነ {0} @@ -6863,7 +6936,6 @@ DocType: Production Plan,Material Requested,ቁሳዊ ነገር ተጠይቋል DocType: Warehouse,PIN,ፒን DocType: Bin,Reserved Qty for sub contract,ለንዑስ ኮንትራት የተያዘ ቁጠባ DocType: Patient Service Unit,Patinet Service Unit,ፓቲኔት የአገልግሎት ምድብ -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,የጽሑፍ ፋይል ይፍጠሩ። DocType: Sales Invoice,Base Change Amount (Company Currency),የመሠረት ለውጥ መጠን (የኩባንያ የምንዛሬ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,የሚከተሉትን መጋዘኖችን ምንም የሂሳብ ግቤቶች apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},ለእንጥል {1} ብቻ በክምችት ውስጥ ብቻ {0} @@ -6877,6 +6949,7 @@ DocType: Item,No of Months,የወሮች ብዛት DocType: Item,Max Discount (%),ከፍተኛ ቅናሽ (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,የብድር ቀናት አሉታዊ ቁጥር ሊሆን አይችልም apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,መግለጫ ስቀል። +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,ይህንን ንጥል ሪፖርት ያድርጉ DocType: Purchase Invoice Item,Service Stop Date,የአገልግሎት ቀን አቁም apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,የመጨረሻ ትዕዛዝ መጠን DocType: Cash Flow Mapper,e.g Adjustments for:,ለምሳሌ: ማስተካከያዎች ለ: @@ -6969,16 +7042,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,የሰራተኛ ታክስ ነጻነት ምድብ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,መጠን ከዜሮ በታች መሆን የለበትም። DocType: Sales Invoice,C-Form Applicable,ሲ-ቅጽ የሚመለከታቸው -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},ኦፕሬሽን ጊዜ ክወና ለ ከ 0 በላይ መሆን አለበት {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},ኦፕሬሽን ጊዜ ክወና ለ ከ 0 በላይ መሆን አለበት {0} DocType: Support Search Source,Post Route String,የፖስታ መስመር ድስትሪክት apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,መጋዘን የግዴታ ነው apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,ድር ጣቢያ መፍጠር አልተሳካም DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ልወጣ ዝርዝር apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,የመግቢያ እና ምዝገባ -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,የማቆየት የውጭ አክሲዮን ቀድሞውኑ ተፈጥሯል ወይም ናሙና አልቀረበም +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,የማቆየት የውጭ አክሲዮን ቀድሞውኑ ተፈጥሯል ወይም ናሙና አልቀረበም DocType: Program,Program Abbreviation,ፕሮግራም ምህፃረ ቃል -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,የምርት ትዕዛዝ አንድ ንጥል መለጠፊያ ላይ ይነሣሉ አይችልም apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),በቫውቸር የተደራጀ (የተጠናከረ) DocType: HR Settings,Encrypt Salary Slips in Emails,በኢሜል ውስጥ የደመወዝ ቅነሳዎችን ማመስጠር DocType: Question,Multiple Correct Answer,በርካታ ትክክለኛ መልስ። @@ -7025,7 +7097,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,ደረጃ ተሰጥቶ DocType: Employee,Educational Qualification,ተፈላጊ የትምህርት ደረጃ DocType: Workstation,Operating Costs,ማስኬጃ ወጪዎች apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},የመገበያያ ገንዘብ {0} ይህ ሊሆን ግድ ነውና {1} -DocType: Employee Checkin,Entry Grace Period Consequence,የመግቢያ ፀጋ ወቅት ውጤት። DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,በዚህ ፈረቃ ለተመደቡ ሰራተኞች በሠራተኛ “አሠሪ ማጣሪያ” ላይ የተመሠረተ መገኘት ምልክት ያድርጉ ፡፡ DocType: Asset,Disposal Date,ማስወገድ ቀን DocType: Service Level,Response and Resoution Time,ምላሽ እና የመገኛ ጊዜ @@ -7073,6 +7144,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,ማጠናቀቂያ ቀን DocType: Purchase Invoice Item,Amount (Company Currency),መጠን (የኩባንያ የምንዛሬ) DocType: Program,Is Featured,ተለይቶ የቀረበ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,በማምጣት ላይ ... DocType: Agriculture Analysis Criteria,Agriculture User,የግብርና ተጠቃሚ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,እስከ ቀን ድረስ የሚያገለግል ቀን ከክኔ ቀን በፊት መሆን አይችልም 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} ይህን ግብይት ለማጠናቀቅ ለ አሃዶች. @@ -7105,7 +7177,6 @@ DocType: Student,B+,ለ + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,ጠቅላላ የክፍያ Amt 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 የተሰሉ የሽያጭ መመዝገቢያ @@ -7129,6 +7200,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,ስም የለ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ከ ተቀብሏል DocType: Lead,Converted,የተቀየሩ DocType: Item,Has Serial No,ተከታታይ ምንም አለው +DocType: Stock Entry Detail,PO Supplied Item,ፖ.ኦ. አቅርቧል ፡፡ 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} @@ -7243,7 +7315,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,ግብሮችን እና ክ 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,{0} አልተገኘም ነባሪ BOM +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}: ዳግምስርዓትአስይዝ ብዛት ማዘጋጀት እባክዎ apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,እዚህ ላይ ማከል ንጥሎችን መታ @@ -7277,7 +7349,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,ጥገና ቀን DocType: Purchase Invoice Item,Rejected Serial No,ውድቅ ተከታታይ ምንም apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,ዓመት መጀመሪያ ቀን ወይም የመጨረሻ ቀን {0} ጋር ተደራቢ ነው. ኩባንያ ለማዘጋጀት እባክዎ ለማስቀረት -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,እባክዎን ለተማሪ ተገኝተው በማዋቀር> በቁጥር ተከታታይ በኩል ያዘጋጁ። apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},እባክዎን በእርግጠኝነት በ Lead {0} ውስጥ ይጥቀሱ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},ንጥል የማብቂያ ቀን ያነሰ መሆን አለበት የመጀመሪያ ቀን {0} DocType: Shift Type,Auto Attendance Settings,ራስ-ሰር ተገኝነት ቅንብሮች። @@ -7287,9 +7358,11 @@ DocType: Upload Attendance,Upload Attendance,ስቀል ክትትል apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM እና ማኑፋክቸሪንግ ብዛት ያስፈልጋሉ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,ጥበቃና ክልል 2 DocType: SG Creation Tool Course,Max Strength,ከፍተኛ ጥንካሬ +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
",መለያ {0} አስቀድሞ በልጆች ኩባንያ ውስጥ አለ {1}። የሚከተሉት መስኮች የተለያዩ እሴቶች አሏቸው ፣ ተመሳሳይ መሆን አለባቸው
  • {2}
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,ቅድመ-ቅምዶችን በመጫን ላይ DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-yYYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},ለደንበኛ {@} ለማድረስ የማድረሻ መላኪያ አልተሰጠም +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},ረድፎች በ {0} ውስጥ ታክለዋል apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,ተቀጣሪ / ሰራተኛ {0} ከፍተኛውን ጥቅም የለውም apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,በሚላክበት ቀን መሰረት የሆኑ ንጥሎችን ይምረጡ DocType: Grant Application,Has any past Grant Record,ከዚህ በፊት የተመዝጋቢ መዝገብ አለው @@ -7333,6 +7406,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,የተማሪ ዝርዝሮች DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",ይህ ለዕቃዎች እና ለሽያጭ ትዕዛዞች የሚያገለግል ነባሪ UOM ነው። ውድቀቱ UOM “Nos” ነው። DocType: Purchase Invoice Item,Stock Qty,የአክሲዮን ብዛት +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,ነባሪ የመላኪያ መለያ DocType: Loan,Repayment Period in Months,ወራት ውስጥ ብድር መክፈል ክፍለ ጊዜ @@ -7361,6 +7435,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ቅናሽ apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,ተግባራት ለ Timesheet. DocType: Purchase Invoice,Against Expense Account,የወጪ ሒሳብ ላይ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,የአጫጫን ማስታወሻ {0} አስቀድሞ ገብቷል +DocType: BOM,Raw Material Cost (Company Currency),ጥሬ ዕቃዎች (የኩባንያ ምንዛሬ) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},የቤት ኪራይ ክፍያ የተከፈለባቸው ቀናት በ {0} DocType: GSTR 3B Report,October,ጥቅምት DocType: Bank Reconciliation,Get Payment Entries,የክፍያ ምዝግቦችን ያግኙ @@ -7407,15 +7482,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,ለመጠቀም ቀን ሊገኝ ይችላል DocType: Request for Quotation,Supplier Detail,በአቅራቢዎች ዝርዝር apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},ቀመር ወይም ሁኔታ ውስጥ ስህተት: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,በደረሰኝ የተቀመጠው መጠን +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,በደረሰኝ የተቀመጠው መጠን apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,የመመዘኛ ክብደት እስከ 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,መገኘት apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,የአክሲዮን ንጥሎች DocType: Sales Invoice,Update Billed Amount in Sales Order,በሽያጭ ትእዛዝ ውስጥ የተከፈለ ሂሳብ ያዘምኑ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,ሻጭን ያነጋግሩ 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,ይህንን ንጥል ሪፖርት ለማድረግ እባክዎ እንደ የገቢያ ቦታ ተጠቃሚ ይግቡ ፡፡ ,Sales Partner Commission Summary,የሽያጭ አጋር ኮሚሽን ማጠቃለያ ፡፡ ,Item Prices,ንጥል ዋጋዎች DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,የ የግዢ ትዕዛዝ ማስቀመጥ አንዴ ቃላት ውስጥ የሚታይ ይሆናል. @@ -7429,6 +7506,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,የዋጋ ዝርዝር ጌታቸው. DocType: Task,Review Date,ግምገማ ቀን DocType: BOM,Allow Alternative Item,አማራጭ ንጥል ፍቀድ +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,የግ Rece ደረሰኝ Retain Sample የሚነቃበት ምንም ንጥል የለውም። apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,የክፍያ መጠየቂያ ግራንድ አጠቃላይ። DocType: Company,Series for Asset Depreciation Entry (Journal Entry),ለንብረት አፈፃፀም ቅፅ (ተከታታይ ምልከታ) ዝርዝር DocType: Membership,Member Since,አባል ከ @@ -7438,6 +7516,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,የተጣራ ጠቅላላ ላይ 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: Pricing Rule,Product Discount Scheme,የምርት ቅናሽ መርሃግብር። +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,በደዋዩ ምንም ጉዳይ አልተነሳም ፡፡ DocType: Restaurant Reservation,Waitlisted,ተጠባባቂ DocType: Employee Tax Exemption Declaration Category,Exemption Category,ነጻ የማድረግ ምድብ apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,የመገበያያ ገንዘብ አንዳንድ ሌሎች የምንዛሬ በመጠቀም ግቤቶች በማድረጉ በኋላ ሊቀየር አይችልም @@ -7451,7 +7530,6 @@ DocType: Customer Group,Parent Customer Group,የወላጅ የደንበኞች apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,የኢ-ዌይ ቢል ጄኤስሰን ከሽያጭ መጠየቂያ ደረሰኝ ብቻ ሊመነጭ ይችላል ፡፡ apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ለእዚህ ጥያቄዎች ከፍተኛ ሙከራዎች ደርሰዋል! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,ምዝገባ -DocType: Purchase Invoice,Contact Email,የዕውቂያ ኢሜይል apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ክፍያ የሚፈጽም ክፍያ DocType: Project Template Task,Duration (Days),ቆይታ (ቀናት) DocType: Appraisal Goal,Score Earned,የውጤት የተገኙ @@ -7476,7 +7554,6 @@ DocType: Landed Cost Item,Landed Cost Item,አረፈ ወጪ ንጥል 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions",የአንድ ግብይት መጠን ከሚፈቀደው ከፍተኛ መጠን ይበልጣል ፣ ልውውጦቹን በመከፋፈል የተለየ የክፍያ ትዕዛዝ ይፍጠሩ። DocType: Service Level Agreement,Entity,አካል። DocType: Payment Reconciliation,Receivable / Payable Account,የሚሰበሰብ / ሊከፈል መለያ DocType: Delivery Note Item,Against Sales Order Item,የሽያጭ ትዕዛዝ ንጥል ላይ @@ -7644,6 +7721,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,ይ DocType: Quality Inspection Reading,Reading 3,3 ማንበብ DocType: Stock Entry,Source Warehouse Address,ምንጭ የሱቅ ቤት አድራሻ DocType: GL Entry,Voucher Type,የቫውቸር አይነት +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,የወደፊት ክፍያዎች። 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 ,የመጨረሻው እንቅስቃሴ ፡፡ @@ -7670,6 +7748,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,በመስኩ ላይ የተገኙ የበሽታዎች ዝርዝር. ከተመረጠ በኋላ በሽታው ለመከላከል የሥራ ዝርዝርን ይጨምራል +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,ይህ ስር የሰደደ የጤና አገልግሎት አገልግሎት ክፍል ስለሆነ ማስተካከል አይቻልም. DocType: Asset Repair,Repair Status,የጥገና ሁኔታ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",የተጠየቁ ጫፎች ብዛት ለግ for ተጠይቋል ፣ ግን አልተሰጠም። @@ -7684,6 +7763,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,ለውጥ መጠን መለያ DocType: QuickBooks Migrator,Connecting to QuickBooks,ወደ QuickBooks በማገናኘት ላይ DocType: Exchange Rate Revaluation,Total Gain/Loss,ጠቅላላ ገቢ / ኪሳራ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,ይምረጡ ዝርዝር ይፍጠሩ። apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ረድፍ {0}: ፓርቲ / መለያዎ ጋር አይመሳሰልም {1} / {2} ውስጥ {3} {4} DocType: Employee Promotion,Employee Promotion,የሰራተኛ ማስተዋወቂያ DocType: Maintenance Team Member,Maintenance Team Member,የጥገና ቡድን አባል @@ -7766,6 +7846,7 @@ 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,የንብረት ምድብ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,የተጣራ ክፍያ አሉታዊ መሆን አይችልም @@ -7797,7 +7878,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,ጥራት ያለው ግብ። DocType: BOM,Item to be manufactured or repacked,ንጥል የሚመረተው ወይም repacked ዘንድ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},የአገባብ ስህተት በስርዓት: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,በደንበኛው የተነሳው ጉዳይ የለም ፡፡ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-yYYY.- DocType: Employee Education,Major/Optional Subjects,ሜጀር / አማራጭ ጉዳዮች apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,እባክዎ በግዢዎች ውስጥ የአቅራቢ ቡድኖችን ያዘጋጁ. @@ -7890,8 +7970,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,የሥዕል ቀኖች apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,የፈተና ሙከራዎችን ለማግኘት እባክዎ ታካሚውን ይምረጡ DocType: Exotel Settings,Exotel Settings,Exotel ቅንብሮች። -DocType: Leave Type,Is Carry Forward,አስተላልፍ አኗኗራችሁ ነው +DocType: Leave Ledger Entry,Is Carry Forward,አስተላልፍ አኗኗራችሁ ነው DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),መቅረት ምልክት ከተደረገበት በታች የስራ ሰዓቶች ፡፡ (ዜሮ ለማሰናከል) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,መልእክት ይላኩ ፡፡ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,BOM ከ ንጥሎች ያግኙ 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,የገቢ ግብር ታክስ ነው diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index 10c23639af..a7ff3acc4c 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,إعلام المورد apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,الرجاء اختيار الحزب النوع الأول DocType: Item,Customer Items,منتجات العميل +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,المطلوبات DocType: Project,Costing and Billing,التكلفة و الفواتير apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},يجب أن تكون عملة الحساب المسبق مماثلة لعملة الشركة {0} DocType: QuickBooks Migrator,Token Endpoint,نقطة نهاية الرمز المميز @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,وحدة القياس الافتراضية DocType: SMS Center,All Sales Partner Contact,بيانات الإتصال لكل شركاء البيع DocType: Department,Leave Approvers,المخول بالموافقة على الإجازة DocType: Employee,Bio / Cover Letter,السيرة الذاتية / رسالة الغلاف +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,البحث عن العناصر ... DocType: Patient Encounter,Investigations,تحقيقات DocType: Restaurant Order Entry,Click Enter To Add,انقر على إنتر للإضافة apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL",القيمة المفقودة لكلمة المرور أو مفتاح واجهة برمجة التطبيقات أو عنوان URL للتنفيذ DocType: Employee,Rented,مؤجر apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,جميع الحسابات apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,لا يمكن نقل الموظف بالحالة Left -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",لا يمكن إلغاء توقفت أمر الإنتاج، نزع السدادة لأول مرة إلغاء DocType: Vehicle Service,Mileage,المسافة المقطوعة apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,هل تريد حقا تخريد هذه الأصول؟ DocType: Drug Prescription,Update Schedule,تحديث الجدول الزمني @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,زبون DocType: Purchase Receipt Item,Required By,المطلوبة من قبل DocType: Delivery Note,Return Against Delivery Note,البضاعة المعادة مقابل اشعار تسليم DocType: Asset Category,Finance Book Detail,كتاب المالية التفاصيل +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,تم حجز جميع الإهلاكات DocType: Purchase Order,% Billed,% فوترت apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,رقم الراتب apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),يجب أن يكون سعر الصرف نفس {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,حالة انتهاء صلاحية الدفعة الصنف apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,مسودة بنكية DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,مجموع الإدخالات المتأخرة DocType: Mode of Payment Account,Mode of Payment Account,طريقة حساب الدفع apps/erpnext/erpnext/config/healthcare.py,Consultation,استشارة DocType: Accounts Settings,Show Payment Schedule in Print,عرض جدول الدفع في الطباعة @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,م apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,تفاصيل الاتصال الأساسية apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,القضايا المفتوحة DocType: Production Plan Item,Production Plan Item,خطة إنتاج السلعة +DocType: Leave Ledger Entry,Leave Ledger Entry,ترك دخول دفتر الأستاذ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},المستخدم {0} تم تعيينه بالفعل إلى موظف {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} الحقل مقصور على الحجم {1} DocType: Lab Test Groups,Add new line,إضافة سطر جديد apps/erpnext/erpnext/utilities/activation.py,Create Lead,إنشاء الرصاص DocType: Production Plan,Projected Qty Formula,الصيغة الكمية المتوقعة @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,ا DocType: Purchase Invoice Item,Item Weight Details,تفاصيل وزن الصنف DocType: Asset Maintenance Log,Periodicity,دورية apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,السنة المالية {0} مطلوبة +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,صافي الربح (الخسارة DocType: Employee Group Table,ERPNext User ID,معرف المستخدم ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,الحد الأدنى للمسافة بين صفوف النباتات للنمو الأمثل apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,يرجى اختيار المريض للحصول على الإجراء الموصوف @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,قائمة أسعار البيع DocType: Patient,Tobacco Current Use,التبغ الاستخدام الحالي apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,معدل البيع -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,يرجى حفظ المستند الخاص بك قبل إضافة حساب جديد 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 ...,البحث عن أي شيء ... DocType: Company,Phone No,رقم الهاتف DocType: Delivery Trip,Initial Email Notification Sent,تم إرسال إشعار البريد الإلكتروني المبدئي DocType: Bank Statement Settings,Statement Header Mapping,تعيين رأس بيان @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,صن DocType: Exchange Rate Revaluation Account,Gain/Loss,الربح / الخسارة DocType: Crop,Perennial,الدائمة DocType: Program,Is Published,يتم نشر +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,إظهار ملاحظات التسليم apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",للسماح بزيادة الفواتير ، حدّث "Over Billing Allowance" في إعدادات الحسابات أو العنصر. DocType: Patient Appointment,Procedure,إجراء DocType: Accounts Settings,Use Custom Cash Flow Format,استخدم تنسيق التدفق النقدي المخصص @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,اترك تفاصيل السياسة DocType: BOM,Item Image (if not slideshow),صورة البند (إن لم يكن عرض شرائح) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,الصف # {0}: العملية {1} لم تكتمل لـ {2} الكمية من السلع تامة الصنع في أمر العمل {3}. يرجى تحديث حالة التشغيل عبر بطاقة العمل {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again",{0} إلزامي لإنشاء مدفوعات الحوالات المالية ، وتعيين الحقل وإعادة المحاولة DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(سعر الساعة / 60) * وقت العمل الفعلي apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,الصف # {0}: يجب أن يكون نوع المستند المرجعي واحدا من "مطالبة النفقات" أو "دفتر اليومية" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,حدد مكتب الإدارة @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,سداد على عدد فترات apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,لا يمكن أن تكون كمية الإنتاج أقل من الصفر DocType: Stock Entry,Additional Costs,تكاليف إضافية +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,العملاء> مجموعة العملاء> الإقليم apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,لا يمكن تحويل حساب جرت عليه أي عملية إلى تصنيف مجموعة DocType: Lead,Product Enquiry,الإستفسار عن المنتج DocType: Education Settings,Validate Batch for Students in Student Group,التحقق من صحة الدفعة للطلاب في مجموعة الطلاب @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,غير متخرج apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,يرجى تعيين القالب الافتراضي لإشعار حالة الإجازات في إعدادات الموارد البشرية. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,الهدف في DocType: BOM,Total Cost,التكلفة الكلية لل +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,تخصيص انتهت! DocType: Soil Analysis,Ca/K,Ca/K +DocType: Leave Type,Maximum Carry Forwarded Leaves,الحد الأقصى لحمل الأوراق المعاد توجيهها DocType: Salary Slip,Employee Loan,قرض الموظف DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,إرسال طلب الدفع البريد الإلكتروني @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,الع apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,كشف حساب apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,الصيدليات DocType: Purchase Invoice Item,Is Fixed Asset,هو الأصول الثابتة +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,إظهار المدفوعات المستقبلية DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,هذا الحساب المصرفي متزامن بالفعل DocType: Homepage,Homepage Section,قسم الصفحة الرئيسية @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,سماد apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",لا يمكن ضمان التسليم بواسطة Serial No كـ \ Item {0} يضاف مع وبدون ضمان التسليم بواسطة \ Serial No. -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم> إعدادات التعليم apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,يلزم استخدام طريقة دفع واحدة على الأقل لفاتورة نقطة البيع. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},الدفعة رقم غير مطلوبة للعنصر الدفعي {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,بند الفواتير لمعاملات معاملات البنك @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,اختر الشروط والأح apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,القيمة الخارجه DocType: Bank Statement Settings Item,Bank Statement Settings Item,بند إعدادات بيان البنك DocType: Woocommerce Settings,Woocommerce Settings,إعدادات Woocommerce +DocType: Leave Ledger Entry,Transaction Name,اسم المعاملة DocType: Production Plan,Sales Orders,أوامر البيع apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,تم العثور على برنامج ولاء متعدد للعميل. يرجى التحديد يدويا. DocType: Purchase Taxes and Charges,Valuation,تقييم @@ -460,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: 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,تحديث بريد المجموعة DocType: POS Profile,Only show Customer of these Customer Groups,أظهر فقط عميل مجموعات العملاء هذه DocType: Sales Invoice,Is Opening Entry,تم افتتاح الدخول @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,أذكر إذا كان حساب المدينين المطبق ليس حساب المدينين الافتراضي 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,تم إنشاء إدخال الأسهم بالفعل مقابل قائمة الاختيار هذه DocType: Supplier Scorecard,Criteria Setup,إعداد المعايير -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,(الي المخزن) مطلوب قبل التقديم +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,وردت في DocType: Codification Table,Medical Code,الرمز الطبي apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,الاتصال الأمازون مع ERPNext @@ -485,7 +495,7 @@ DocType: Restaurant Order Entry,Add Item,اضافة بند DocType: Party Tax Withholding Config,Party Tax Withholding Config,الخصم الضريبي للحزب DocType: Lab Test,Custom Result,نتيجة مخصصة apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,الحسابات البنكية المضافة -DocType: Delivery Stop,Contact Name,اسم جهة الاتصال +DocType: Call Log,Contact Name,اسم جهة الاتصال DocType: Plaid Settings,Synchronize all accounts every hour,مزامنة جميع الحسابات كل ساعة DocType: Course Assessment Criteria,Course Assessment Criteria,معايير تقييم المقرر التعليمي DocType: Pricing Rule Detail,Rule Applied,تطبق القاعدة @@ -529,7 +539,6 @@ 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,رقم فاتورة المبيعات -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,رقم مجهول DocType: Website Filter Field,Website Filter Field,حقل تصفية الموقع apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,نوع التوريد DocType: Material Request Item,Min Order Qty,أقل كمية للطلب @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,مجموع المبلغ الرئيس DocType: Student Guardian,Relation,علاقة DocType: Quiz Result,Correct,صيح DocType: Student Guardian,Mother,أم -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,الرجاء إضافة مفاتيح api صالحة في site_config.json أولاً DocType: Restaurant Reservation,Reservation End Time,وقت انتهاء الحجز DocType: Crop,Biennial,مرة كل سنتين ,BOM Variance Report,تقرير الفرق BOM @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,منقوشة المفتاح العام DocType: Payment Term,Payment Term Name,اسم مصطلح الدفع DocType: Healthcare Settings,Create documents for sample collection,إنشاء مستندات لجمع العينات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},الدفعة مقابل {0} {1} لا يمكن أن تكون أكبر من المبلغ القائم {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,إعدادات نقاط البيع غ DocType: Stock Entry Detail,Reference Purchase Receipt,مرجع شراء إيصال DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-ريكو-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,البديل من -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"الكمية المصنعة لا يمكن أن تكون أكبر من ""كمية التصنيع""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"الكمية المصنعة لا يمكن أن تكون أكبر من ""كمية التصنيع""" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,فترة بناء على DocType: Period Closing Voucher,Closing Account Head,اقفال حساب المركز الرئيسي DocType: Employee,External Work History,سجل العمل الخارجي apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Circular Reference Error apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,بطاقة تقرير الطالب apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,من الرقم السري +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,عرض شخص المبيعات DocType: Appointment Type,Is Inpatient,هو المرضى الداخليين apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,اسم الوصي 1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,بالحروف (تصدير) سوف تكون مرئية بمجرد حفظ اشعار التسليم. @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,اسم البعد apps/erpnext/erpnext/healthcare/setup.py,Resistant,مقاومة apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},يرجى تحديد سعر غرفة الفندق على {} +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد> سلسلة الترقيم DocType: Journal Entry,Multi Currency,متعدد العملات DocType: Bank Statement Transaction Invoice Item,Invoice Type,نوع الفاتورة apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,صالح من تاريخ يجب أن يكون أقل من تاريخ يصل صالح @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,قُبل DocType: Workstation,Rent Cost,تكلفة الإيجار 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,القيمة بعد الاستهلاك apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,أحداث التقويم القادمة apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,سمات متفاوتة @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,طلب للحصول على 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,إظهار شخص المبيعات في الطباعة 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,قوة @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,إنشاء زبون جديد apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,تنتهي في apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",إذا استمر ظهور قواعد تسعير المتعددة، يطلب من المستخدمين تعيين الأولوية يدويا لحل التعارض. -DocType: Purchase Invoice,Scan Barcode,مسح الباركود apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,إنشاء أمر شراء ,Purchase Register,سجل شراء apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,لم يتم العثور على المريض @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,شريك القناة DocType: Account,Old Parent,الحساب الأب السابق apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,حقل إلزامي - السنة الأكاديمية apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} غير مرتبط {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,مكون الراتب لكشف المرتبات المبنية على أساس سجلات التوقيت DocType: Driver,Applicable for external driver,ينطبق على سائق خارجي DocType: Sales Order Item,Used for Production Plan,تستخدم لخطة الإنتاج +DocType: BOM,Total Cost (Company Currency),التكلفة الإجمالية (عملة الشركة) DocType: Loan,Total Payment,إجمالي الدفعة apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,لا يمكن إلغاء المعاملة لأمر العمل المكتمل. DocType: Manufacturing Settings,Time Between Operations (in mins),الوقت بين العمليات (في دقيقة) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,إعلام الآخرين DocType: Vital Signs,Blood Pressure (systolic),ضغط الدم (الانقباضي) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} هو {2} DocType: Item Price,Valid Upto,صالحة لغاية +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.,أدرج بعض من زبائنك. ويمكن أن تكون منظمات أو أفراد. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},التغييرات في {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,يرجى اختيار الشركة DocType: Employee Skill,Employee Skill,مهارة الموظف apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,حساب الفرق @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,عوامل الخطر DocType: Patient,Occupational Hazards and Environmental Factors,المخاطر المهنية والعوامل البيئية apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,تم إنشاء إدخالات المخزون بالفعل لأمر العمل apps/erpnext/erpnext/templates/pages/cart.html,See past orders,انظر الطلبات السابقة +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} محادثات DocType: Vital Signs,Respiratory rate,معدل التنفس apps/erpnext/erpnext/config/help.py,Managing Subcontracting,إدارة التعاقد من الباطن DocType: Vital Signs,Body Temperature,درجة حرارة الجسم @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,التكوين المسجل apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,مرحبا apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,حرك بند DocType: Employee Incentive,Incentive Amount,مبلغ الحافز +,Employee Leave Balance Summary,الموظف إجازة ملخص الرصيد DocType: Serial No,Warranty Period (Days),فترة الضمان (أيام) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,يجب أن يكون إجمالي مبلغ الائتمان / المدين هو نفسه المرتبطة بإدخال المجلة DocType: Installation Note Item,Installation Note Item,ملاحظة تثبيت الإغلاق @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,منتفخ DocType: Salary Slip,Salary Slip Timesheet,كشف راتب معتمد علي سجل التوقيت apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,المورد مستودع إلزامية ل إيصال الشراء التعاقد من الباطن DocType: Item Price,Valid From,صالحة من +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,تقييمك: DocType: Sales Invoice,Total Commission,مجموع العمولة DocType: Tax Withholding Account,Tax Withholding Account,حساب حجب الضرائب DocType: Pricing Rule,Sales Partner,شريك المبيعات @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,جميع نتائ DocType: Buying Settings,Purchase Receipt Required,إيصال استلام المشتريات مطلوب DocType: Sales Invoice,Rail,سكة حديدية apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,التكلفة الفعلية +DocType: Item,Website Image,صورة الموقع apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,يجب أن يكون المستهدف المستهدف في الصف {0} مطابقًا لأمر العمل apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,التقييم إلزامي إذا تم فتح محزون تم ادخاله apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,لم يتم العثور على أي سجلات في جدول الفواتير @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,يرجى إكمال تكوين Plaid API قبل مزامنة حسابك apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,تاريخ نصف اليوم إلزامي DocType: Sales Order,Billing and Delivery Status,الفوترة والدفع الحالة DocType: Job Applicant,Resume Attachment,السيرة الذاتية @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,خطة الإنتاج DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,أداة إنشاء فاتورة افتتاحية DocType: Salary Component,Round to the Nearest Integer,جولة إلى أقرب عدد صحيح apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,مبيعات المعاده -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ملاحظة: مجموع الإجازات المخصصة {0} لا ينبغي أن تكون أقل من الإجازات المعتمدة بالفعل {1} للفترة DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,تعيين الكمية في المعاملات استناداً إلى Serial No Input ,Total Stock Summary,ملخص إجمالي المخزون apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,م apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,المبلغ الرئيسي DocType: Loan Application,Total Payable Interest,مجموع الفوائد الدائنة apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},المجموع: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,فتح الاتصال 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} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},الرقم التسلسلي (العناصر) المطلوبة للعنصر المتسلسل {0} @@ -1080,6 +1099,7 @@ 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,حدث خطأ أثناء عملية التحديث DocType: Restaurant Reservation,Restaurant Reservation,حجز المطعم +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,البنود الخاصة بك apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,تجهيز العروض DocType: Payment Entry Deduction,Payment Entry Deduction,دفع الاشتراك خصم DocType: Service Level Priority,Service Level Priority,أولوية مستوى الخدمة @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,سلسلة رقم الدفعة apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,مندوب مبيعات آخر {0} موجود بنفس رقم هوية الموظف DocType: Employee Advance,Claimed Amount,المبلغ المطالب به +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,انتهاء الصلاحية التخصيص DocType: QuickBooks Migrator,Authorization Settings,إعدادات التخويل DocType: Travel Itinerary,Departure Datetime,موعد المغادرة apps/erpnext/erpnext/hub_node/api.py,No items to publish,لا توجد عناصر للنشر @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,اسم الدفعة DocType: Fee Validity,Max number of visit,الحد الأقصى لعدد الزيارات DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,إلزامي لحساب الربح والخسارة ,Hotel Room Occupancy,فندق غرفة إشغال -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,الجدول الزمني الانشاء: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},يرجى تعيين حساب النقد أو الحساب المصرفيالافتراضي لطريقة الدفع {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,سجل DocType: GST Settings,GST Settings,إعدادات غست @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),نسبة العمولة (٪) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,يرجى تحديد البرنامج DocType: Project,Estimated Cost,التكلفة التقديرية DocType: Request for Quotation,Link to material requests,رابط لطلبات المادية +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,نشر apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,الفضاء ,Fichier des Ecritures Comptables [FEC],فيشير ديس إكوريتورس كومبتابليز [فيك] DocType: Journal Entry,Credit Card Entry,إدخال بطاقة إئتمان @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,أصول متداولة apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} ليس من نوع المخزون apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',يرجى حصة ملاحظاتك للتدريب من خلال النقر على "التدريب ردود الفعل" ثم "جديد" +DocType: Call Log,Caller Information,معلومات المتصل DocType: Mode of Payment Account,Default Account,الافتراضي حساب apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,يرجى تحديد نموذج الاحتفاظ مستودع في إعدادات المخزون أولا apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,يرجى تحديد نوع البرنامج متعدد الطبقات لأكثر من قواعد مجموعة واحدة. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,إنشاء طلب مواد تلقائي DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),ساعات العمل أدناه التي يتم وضع علامة نصف يوم. (صفر لتعطيل) DocType: Job Card,Total Completed Qty,إجمالي الكمية المكتملة +DocType: HR Settings,Auto Leave Encashment,إجازة مغادرة السيارات apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,مفقود apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,لا يمكنك إدخال مستند الصرف الحالي المقابل للإدخال بدفتر اليومية في العمود DocType: Employee Benefit Application Detail,Max Benefit Amount,أقصى فائدة المبلغ @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,مكتتب DocType: Item Attribute Value,Item Attribute Value,قيمة مواصفة الصنف apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,يجب أن يكون صرف العملات ساريًا للشراء أو البيع. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,يمكن فقط إلغاء التخصيص المنتهي DocType: Item,Maximum sample quantity that can be retained,الحد الأقصى لعدد العينات التي يمكن الاحتفاظ بها apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},الصف {0} # البند {1} لا يمكن نقله أكثر من {2} من أمر الشراء {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,حملات المبيعات +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,غير معروف المتصل DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1419,6 +1444,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,فتحة و apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,اسم الوثيقة DocType: Expense Claim Detail,Expense Claim Type,نوع المطالبة بالنفقات DocType: Shopping Cart Settings,Default settings for Shopping Cart,الإعدادات الافتراضية لسلة التسوق +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,حفظ البند apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,حساب جديد apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,تجاهل الكمية الموجودة المطلوبة apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,إضافة فسحات زمنية @@ -1431,6 +1457,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,تم إرسال دعوة المراجعة DocType: Shift Assignment,Shift Assignment,مهمة التحول DocType: Employee Transfer Property,Employee Transfer Property,خاصية نقل الموظفين +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,لا يمكن أن يكون حساب حقوق الملكية / المسؤولية فارغًا apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,من وقت يجب أن يكون أقل من الوقت apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,التكنولوجيا الحيوية apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1512,11 +1539,13 @@ 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,إنشاء اتصال جديد apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,الجدول الزمني للمقرر DocType: GSTR 3B Report,GSTR 3B Report,تقرير GSTR 3B DocType: Request for Quotation Supplier,Quote Status,حالة المناقصة DocType: GoCardless Settings,Webhooks Secret,Webhooks سر DocType: Maintenance Visit,Completion Status,استكمال الحالة +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},لا يمكن أن يكون إجمالي المدفوعات أكبر من {} DocType: Daily Work Summary Group,Select Users,حدد المستخدمون DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,فندق غرفة التسعير البند DocType: Loyalty Program Collection,Tier Name,اسم الطبقة @@ -1554,6 +1583,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,المب DocType: Lab Test Template,Result Format,تنسيق النتيجة DocType: Expense Claim,Expenses,النفقات DocType: Service Level,Support Hours,ساعات الدعم +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,مذكرات التسليم DocType: Item Variant Attribute,Item Variant Attribute,وصف متغير الصنف ,Purchase Receipt Trends,شراء اتجاهات الإيصال DocType: Payroll Entry,Bimonthly,نصف شهري @@ -1576,7 +1606,6 @@ DocType: Sales Team,Incentives,الحوافز DocType: SMS Log,Requested Numbers,الأرقام المطلوبة DocType: Volunteer,Evening,مساء DocType: Quiz,Quiz Configuration,مسابقة التكوين -DocType: Customer,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,7 +1652,6 @@ apps/erpnext/erpnext/config/accounting.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,تصفية مجموع صفر الكمية -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},تعذر العثور على فتحة الزمنية في {0} الأيام القليلة القادمة للعملية {1} DocType: Work Order,Plan material for sub-assemblies,المواد خطة للجمعيات الفرعي 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,لا توجد عناصر متاحة للنقل @@ -1638,9 +1666,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,يجب عليك تمكين الطلب التلقائي في إعدادات الأسهم للحفاظ على مستويات إعادة الطلب. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,إلغاء المواد الخاصة بالزيارة {0} قبل إلغاء زيارة الصيانة هذه DocType: Pricing Rule,Rate or Discount,معدل أو خصم +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,تفاصيل البنك DocType: Vital Signs,One Sided,جانب واحد apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},رقم المسلسل {0} لا ينتمي إلى البند {1} -DocType: Purchase Receipt Item Supplied,Required Qty,مطلوب الكمية +DocType: Purchase Order Item Supplied,Required Qty,مطلوب الكمية DocType: Marketplace Settings,Custom Data,البيانات المخصصة apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,المستودعات مع الصفقة الحالية لا يمكن أن يتم تحويلها إلى دفتر الأستاذ. DocType: Service Day,Service Day,يوم الخدمة @@ -1668,7 +1697,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,عملة الحساب DocType: Lab Test,Sample ID,رقم تعريف العينة apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,يرجى ذكر حساب التقريب في الشركة -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,نطاق DocType: Supplier,Default Payable Accounts,الحسابات الدائنة الافتراضي apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,الموظف {0} غير نشط أو غير موجود @@ -1709,8 +1737,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,طلب المعلومات DocType: Course Activity,Activity Date,تاريخ النشاط apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} من {} -,LeaderBoard,المتصدرين DocType: Sales Invoice Item,Rate With Margin (Company Currency),السعر بالهامش (عملة الشركة) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,التصنيفات apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,تزامن غير متصل الفواتير DocType: Payment Request,Paid,مدفوع DocType: Service Level,Default Priority,الأولوية الافتراضية @@ -1745,11 +1773,11 @@ 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,دخل غير مباشرة DocType: Student Attendance Tool,Student Attendance Tool,أداة طالب الحضور DocType: Restaurant Menu,Price List (Auto created),قائمة الأسعار (تم إنشاؤها تلقائيا) +DocType: Pick List Item,Picked Qty,الكمية المختارة DocType: Cheque Print Template,Date Settings,إعدادات التاريخ 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,ترقية الموظف التفاصيل -,Company Name,اسم الشركة DocType: SMS Center,Total Message(s),مجموع الرسائل ( ق ) DocType: Share Balance,Purchased,اشترى DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,إعادة تسمية سمة السمة في سمة البند. @@ -1768,7 +1796,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,آخر محاولة 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} -DocType: BOM,Raw Material Cost(Company Currency),تكلفة المواد الخام (عملة الشركة) 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,تكلفة الكهرباء @@ -1835,6 +1862,7 @@ DocType: Travel Itinerary,Train,قطار ,Delayed Item Report,تأخر تقرير البند apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,مؤهل ITC DocType: Healthcare Service Unit,Inpatient Occupancy,إشغال المرضى الداخليين +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,نشر العناصر الأولى الخاصة بك DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,الوقت بعد نهاية النوبة التي يتم خلالها تسجيل المغادرة للحضور. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},الرجاء تحديد {0} @@ -1950,6 +1978,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,كل الأصنا apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,إنشاء Inter Journal Journal Entry DocType: Company,Parent Company,الشركة الام apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},الفندق غرف نوع {0} غير متوفرة على {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,قارن BOMs للتغييرات في المواد الخام والعمليات apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,تم حذف المستند {0} بنجاح DocType: Healthcare Practitioner,Default Currency,العملة الافتراضية apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,التوفيق بين هذا الحساب @@ -1984,6 +2013,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,تفاصيل الفاتورة نموذج - س DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,دفع فاتورة المصالحة DocType: Clinical Procedure,Procedure Template,قالب الإجرائية +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,نشر العناصر apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,المساهمة % apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",وفقا لإعدادات الشراء إذا طلب الشراء == 'نعم'، لإنشاء فاتورة الشراء، يحتاج المستخدم إلى إنشاء أمر الشراء أولا للبند {0} ,HSN-wise-summary of outward supplies,HSN-wise-summary of outward supplies @@ -1996,7 +2026,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',يرجى تحديد 'تطبيق خصم إضافي على' DocType: Party Tax Withholding Config,Applicable Percent,النسبة المئوية للتطبيق ,Ordered Items To Be Billed,أمرت البنود التي يتعين صفت -DocType: Employee Checkin,Exit Grace Period Consequence,الخروج من فترة السماح apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,(من المدى) يجب أن يكون أقل من (إلى المدى) DocType: Global Defaults,Global Defaults,افتراضيات العالمية apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,دعوة للمشاركة في المشاريع @@ -2004,13 +2033,11 @@ DocType: Salary Slip,Deductions,استقطاعات DocType: Setup Progress Action,Action Name,اسم الإجراء apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,بداية السنة apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,إنشاء قرض -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,تاريخ بدء فترة الفاتورة الحالية DocType: Shift Type,Process Attendance After,عملية الحضور بعد ,IRS 1099,مصلحة الضرائب 1099 DocType: Salary Slip,Leave Without Pay,إجازة بدون راتب DocType: Payment Request,Outward,نحو الخارج -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,خطأ في تخطيط الإنتاجية apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,الدولة / ضريبة UT ,Trial Balance for Party,ميزان المراجعة للحزب ,Gross and Net Profit Report,تقرير الربح الإجمالي والصافي @@ -2029,7 +2056,6 @@ DocType: Payroll Entry,Employee Details,موظف تفاصيل 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} -DocType: Setup Progress Action,Domains,المجالات 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} @@ -2072,7 +2098,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,مجموع 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.",(طريقة الدفع) لم يتم ضبطها. يرجى التحقق، ما إذا كان كان تم تعيين حساب على (طريقة الدفع) أو على (ملف نقاط البيع). apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,لا يمكن إدخال البند نفسه عدة مرات. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",يمكن إنشاء المزيد من الحسابات تحت المجموعة، لكن إدخالات القيود يمكن ان تكون فقط مقابل حسابات فردية و ليست مجموعة -DocType: Email Campaign,Lead,زبون محتمل +DocType: Call Log,Lead,زبون محتمل DocType: Email Digest,Payables,الواجب دفعها (دائنة) DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,حملة البريد الإلكتروني ل @@ -2084,6 +2110,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,تم اصدار فاتورة لأصناف امر الشراء 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,حدود الائتمان DocType: Purchase Invoice Item,Net Rate,صافي معدل apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,يرجى تحديد العميل DocType: Leave Policy,Leave Allocations,اترك المخصصات @@ -2097,6 +2124,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,اغلاق المشكلة بعد ايام ,Eway Bill,Eway بيل apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,يجب أن تكون مستخدمًا بأدوار مدير النظام و مدير الصنف لإضافة المستخدمين إلى Marketplace. +DocType: Attendance,Early Exit,الخروج المبكر DocType: Job Opening,Staffing Plan,خطة التوظيف apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,لا يمكن إنشاء الفاتورة الإلكترونية JSON إلا من وثيقة مقدمة apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ضريبة الموظف وفوائده @@ -2117,6 +2145,7 @@ DocType: Maintenance Team Member,Maintenance Role,صلاحية الصيانة apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},صف مكرر {0} مع نفس {1} DocType: Marketplace Settings,Disable Marketplace,تعطيل السوق DocType: Quality Meeting,Minutes,الدقائق +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,العناصر المميزة الخاصة بك ,Trial Balance,ميزان المراجعة apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,عرض مكتمل apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,السنة المالية {0} غير موجودة @@ -2126,8 +2155,8 @@ 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,الرجاء اختيار البادئة اولا DocType: Contract,Fulfilment Deadline,الموعد النهائي للوفاء +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,بالقرب منك DocType: Student,O-,O- -DocType: Shift Type,Consequence,نتيجة DocType: Subscription Settings,Subscription Settings,إعدادات الاشتراك DocType: Purchase Invoice,Update Auto Repeat Reference,تحديث السيارات تكرار المرجع apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},لم يتم تعيين قائمة العطلات الاختيارية لفترة الإجازة {0} @@ -2138,7 +2167,6 @@ DocType: Maintenance Visit Purpose,Work Done,العمل المنجز apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,يرجى تحديد خاصية واحدة على الأقل في جدول (الخاصيات) DocType: Announcement,All Students,جميع الطلاب apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,البند {0} يجب أن يكون بند لايتعلق بالمخزون -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,البنك Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,.عرض حساب الاستاد DocType: Grading Scale,Intervals,فترات DocType: Bank Statement Transaction Entry,Reconciled Transactions,المعاملات المربوطة @@ -2174,6 +2202,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",سيتم استخدام هذا المستودع لإنشاء أوامر البيع. مستودع احتياطي هو "مخازن". DocType: Work Order,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,الحفاظ على نفس السعر طوال دورة الشراء DocType: Opportunity Item,Opportunity Item,فرصة السلعة DocType: Quality Action,Quality Review,مراجعة جودة @@ -2200,7 +2229,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,الحصول على فواتير معلقة -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,طلب المبيعات {0} غير صالح +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,تحذير لطلب جديد للاقتباسات apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,أوامر الشراء تساعدك على تخطيط ومتابعة مشترياتك apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,وصفات اختبار المختبر @@ -2225,6 +2254,7 @@ DocType: Employee Onboarding,Notify users by email,أبلغ المستخدمين DocType: Travel Request,International,دولي DocType: Training Event,Training Event,حدث تدريب DocType: Item,Auto re-order,إعادة ترتيب تلقائي +DocType: Attendance,Late Entry,تأخر الدخول apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,الإجمالي المحقق DocType: Employee,Place of Issue,مكان الإصدار DocType: Promotional Scheme,Promotional Scheme Price Discount,خصم سعر المخطط الترويجي @@ -2271,6 +2301,7 @@ DocType: Serial No,Serial No Details,تفاصيل المسلسل DocType: Purchase Invoice Item,Item Tax Rate,معدل ضريبة الصنف apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,من اسم الحزب apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,صافي الراتب المبلغ +DocType: Pick List,Delivery against Sales Order,التسليم مقابل أمر المبيعات DocType: Student Group Student,Group Roll Number,رقم لفة المجموعة apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",ل{0}، فقط حساب الدائن يمكن ربطه مقابل قيد مدين أخر apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,اشعار تسليم {0} لم يتم تقديمها @@ -2342,7 +2373,6 @@ DocType: Contract,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,المورد فاتورة التسجيل -DocType: Asset Settings,This value is used for pro-rata temporis calculation,وتستخدم هذه القيمة لحساب النسبية النسبية apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,تحتاج إلى تمكين سلة التسوق DocType: Payment Entry,Writeoff,لا تصلح DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2356,6 +2386,7 @@ DocType: Delivery Trip,Total Estimated Distance,مجموع المسافة الم DocType: Invoice Discounting,Accounts Receivable Unpaid Account,حسابات القبض غير المدفوعة DocType: Tally Migration,Tally Company,شركة تالي apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM متصفح +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},غير مسموح بإنشاء بعد محاسبي لـ {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,يرجى تحديث حالتك لهذا الحدث التدريبي DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,إضافة أو خصم @@ -2365,7 +2396,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,عناصر المبيعات غير النشطة DocType: Quality Review,Additional Information,معلومة اضافية apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,مجموع قيمة الطلب -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,إعادة ضبط اتفاقية مستوى الخدمة. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,طعام apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,مدى العمر 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,تفاصيل قيد إغلاق نقطة البيع @@ -2412,6 +2442,7 @@ 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,حملة 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',حالة الموافقة يجب ان تكون (موافق عليه) او (مرفوض) DocType: Healthcare Practitioner,Contacts and Address,جهات الاتصال والعنوان DocType: Shift Type,Determine Check-in and Check-out,تحديد الوصول والمغادرة @@ -2431,7 +2462,6 @@ DocType: Student Admission,Eligibility and Details,الأهلية والتفاص apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,المدرجة في الربح الإجمالي apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,صافي التغير في الأصول الثابتة apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,الكمية المقسمة -DocType: Company,Client Code,رمز العميل apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,الرسوم من النوع (فعلي) في الصف {0} لا يمكن تضمينها في سعر البند apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},الحد الأقصى: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,من (التاريخ والوقت) @@ -2500,6 +2530,7 @@ DocType: Journal Entry Account,Account Balance,رصيد حسابك apps/erpnext/erpnext/config/accounting.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 (%),بدل النقل (٪) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: الزبون مطلوب بالمقابلة بالحساب المدين {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),مجموع الضرائب والرسوم (عملة الشركة) DocType: Weather,Weather Parameter,معلمة الطقس @@ -2562,6 +2593,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,ساعات العمل ع apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,يمكن أن يكون هناك عامل جمع متعدد الطبقات يعتمد على إجمالي الإنفاق. ولكن سيكون عامل التحويل لاسترداد القيمة هو نفسه دائمًا لجميع المستويات. apps/erpnext/erpnext/config/help.py,Item Variants,متغيرات الصنف apps/erpnext/erpnext/public/js/setup_wizard.js,Services,الخدمات +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,إرسال كشف الراتب للموظفين بالبريد الالكتروني DocType: Cost Center,Parent Cost Center,مركز التكلفة الأب @@ -2572,7 +2604,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields",ح DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,ملاحظات التسليم التسليم من Shopify على الشحن apps/erpnext/erpnext/templates/pages/projects.html,Show closed,مشاهدة مغلقة DocType: Issue Priority,Issue Priority,أولوية الإصدار -DocType: Leave Type,Is Leave Without Pay,إجازة بدون راتب +DocType: Leave Ledger Entry,Is Leave Without Pay,إجازة بدون راتب apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,فئة الأصول إلزامي لبند الأصول الثابتة DocType: Fee Validity,Fee Validity,صلاحية الرسوم @@ -2621,6 +2653,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,الكمية الم apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,تحديث تنسيق الطباعة DocType: Bank Account,Is Company Account,هو حساب الشركة apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,نوع الإجازة {0} غير قابل للضبط +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},تم تحديد حد الائتمان بالفعل للشركة {0} DocType: Landed Cost Voucher,Landed Cost Help,هبطت التكلفة مساعدة DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-مدونة فيديو-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,حدد عنوان الشحن @@ -2645,6 +2678,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,في اتجاهين DocType: Item,Manufacturers,مصنعين @@ -2681,7 +2715,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,بيان تسوية البنك DocType: Patient Encounter,Medical Coding,الترميز الطبي DocType: Healthcare Settings,Reminder Message,رسالة تذكير -,Lead Name,اسم الزبون المحتمل +DocType: Call Log,Lead Name,اسم الزبون المحتمل ,POS,نقطة البيع DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,تنقيب @@ -2713,12 +2747,14 @@ DocType: Purchase Invoice,Supplier Warehouse,المورد مستودع DocType: Opportunity,Contact Mobile No,الاتصال المحمول لا apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,حدد الشركة ,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: Student Report Generation Tool,Print Section,قسم الطباعة DocType: Staffing Plan Detail,Estimated Cost Per Position,التكلفة التقديرية لكل موضع DocType: Employee,HR-EMP-,HR-EMP- 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} ليس لديه أي ملف تعريف افتراضي ل بوس. تحقق من الافتراضي في الصف {1} لهذا المستخدم. DocType: Quality Meeting Minutes,Quality Meeting Minutes,محضر اجتماع الجودة +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,مورد> نوع المورد apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,إحالة موظف DocType: Student Group,Set 0 for no limit,مجموعة 0 لأي حد apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,اليوم (أيام) التي تقدم بطلب للحصول على إجازة هي العطل.لا تحتاج إلى تقديم طلب للحصول الإجازة. @@ -2752,12 +2788,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,صافي التغير في النقد DocType: Assessment Plan,Grading Scale,مقياس الدرجات apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,وحدة القياس {0} تم إدخال أكثر من مرة واحدة في معامل التحويل الجدول -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,أنجزت بالفعل apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,الأسهم، إلى داخل، أعطى apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",الرجاء إضافة الفوائد المتبقية {0} إلى التطبيق كمكوِّن \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',يرجى ضبط الكود المالي للإدارة العامة '٪ s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},طلب الدفعة موجود بالفعل {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,تكلفة المواد المصروفة DocType: Healthcare Practitioner,Hospital,مستشفى apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},الكمية يجب ألا تكون أكثر من {0} @@ -2802,6 +2836,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,الموارد البشرية apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,أعلى دخل DocType: Item Manufacturer,Item Manufacturer,مادة المصنع +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,إنشاء قيادة جديدة DocType: BOM Operation,Batch Size,حجم الدفعة apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,ارفض DocType: Journal Entry Account,Debit in Company Currency,الخصم في الشركة العملات @@ -2822,9 +2857,11 @@ DocType: Bank Transaction,Reconciled,فرضت عليه DocType: Expense Claim,Total Amount Reimbursed,مجموع المبلغ المسدد apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,وذلك بناء على السجلات مقابل هذه المركبة. للمزيد انظر التسلسل الزمني أدناه apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,لا يمكن أن يكون تاريخ كشوف المرتبات أقل من تاريخ انضمام الموظف +DocType: Pick List,Item Locations,مواقع البند apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} إنشاء apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",فرص العمل للمسمى الوظيفي {0} مفتوحة بالفعل \ أو التوظيف مكتمل وفقًا لخطة التوظيف {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,يمكنك نشر ما يصل إلى 200 عنصر. DocType: Vital Signs,Constipated,ممسك apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},مقابل فاتورة المورد {0} بتاريخ {1} DocType: Customer,Default Price List,قائمة الأسعار الافتراضي @@ -2916,6 +2953,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,التحول الفعلي البداية DocType: Tally Migration,Is Day Book Data Imported,يتم استيراد بيانات دفتر اليوم apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,نفقات تسويقية +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} وحدات {1} غير متاحة. ,Item Shortage Report,تقرير نقص الصنف 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,لا يمكن إنشاء معايير قياسية. يرجى إعادة تسمية المعايير @@ -2938,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,تاريخ التقاعد DocType: Upload Attendance,Get Template,الحصول على نموذج +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,قائمة الانتقاء ,Sales Person Commission Summary,ملخص مندوب مبيعات الشخص DocType: Material Request,Transferred,نقل DocType: Vehicle,Doors,الأبواب @@ -3018,7 +3057,7 @@ DocType: Sales Invoice Item,Customer's Item Code,كود صنف العميل DocType: Stock Reconciliation,Stock Reconciliation,جرد المخزون DocType: Territory,Territory Name,اسم الاقليم DocType: Email Digest,Purchase Orders to Receive,أوامر الشراء لتلقي -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,مطلوب العمل في و التقدم في معرض النماذج ثلاثية قبل إرسال +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,مطلوب العمل في و التقدم في معرض النماذج ثلاثية قبل إرسال apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,يمكنك فقط الحصول على خطط مع دورة الفواتير نفسها في الاشتراك DocType: Bank Statement Transaction Settings Item,Mapped Data,البيانات المعينة DocType: Purchase Order Item,Warehouse and Reference,مستودع والمراجع @@ -3092,6 +3131,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,إعدادات التسليم apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ابحث عن المعلومة apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},الحد الأقصى للإجازة المسموح بها في نوع الإجازة {0} هو {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,نشر عنصر واحد DocType: SMS Center,Create Receiver List,إنشاء قائمة استقبال DocType: Student Applicant,LMS Only,LMS فقط apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,يجب أن يكون التاريخ متاحًا بعد تاريخ الشراء @@ -3125,6 +3165,7 @@ DocType: Serial No,Delivery Document No,رقم وثيقة التسليم DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ضمان التسليم على أساس المسلسل المنتجة DocType: Vital Signs,Furry,فروي apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"يرجى تحديد ""احساب لربح / الخسارة عند التخلص من الأصول"" للشركة {0}" +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} @@ -3136,6 +3177,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},عرض جميع المشكلات من {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,جدول اجتماع الجودة +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/templates/pages/help.html,Visit the forums,زيارة المنتديات DocType: Student,Student Mobile Number,طالب عدد موبايل DocType: Item,Has Variants,يحتوي على متغيرات @@ -3146,9 +3188,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,اسم التوزيع الشهري DocType: Quality Procedure Process,Quality Procedure Process,عملية إجراءات الجودة apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,معرف الدفعة إلزامي +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,يرجى اختيار العميل أولا DocType: Sales Person,Parent Sales Person,رجل المبيعات الرئيسي apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,لا توجد عناصر يتم استلامها متأخرة apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,البائع والمشتري لا يمكن أن يكون هو نفسه +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,لا وجهات النظر حتى الآن DocType: Project,Collect Progress,اجمع التقدم DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,حدد البرنامج أولا @@ -3170,11 +3214,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,محقق DocType: Student Admission,Application Form Route,مسار إستمارة التقديم apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,لا يمكن أن يكون تاريخ انتهاء الاتفاقية أقل من اليوم. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter للتقديم DocType: Healthcare Settings,Patient Encounters in valid days,لقاءات المرضى في أيام صالحة apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,نوع الإجازة {0} لا يمكن تخصيصها الي موظف لانها إجازة بدون مرتب 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,وبعبارة تكون مرئية بمجرد حفظ فاتورة المبيعات. DocType: Lead,Follow Up,متابعة +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,مركز التكلفة: {0} غير موجود DocType: Item,Is Sales Item,صنف المبيعات apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,شجرة فئات البنود apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,البند {0} ليس الإعداد لل سيد رقم التسلسلي تاريخ المغادرة @@ -3218,9 +3264,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,الموردة الكمية DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,صنف المواد المطلوبة -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,الرجاء إلغاء استلام الشراء {0} أولاً apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,شجرة مجموعات البنود . DocType: Production Plan,Total Produced Qty,إجمالي الكمية المنتجة +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,لا توجد تعليقات حتى الآن apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,لا يمكن أن يشير رقم الصف أكبر من أو يساوي رقم الصف الحالي لهذا النوع المسؤول DocType: Asset,Sold,تم البيع ,Item-wise Purchase History,الحركة التاريخية للمشتريات وفقاً للصنف @@ -3239,7 +3285,7 @@ DocType: Designation,Required Skills,المهارات المطلوبة DocType: Inpatient Record,O Positive,O إيجابي apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,الاستثمارات DocType: Issue,Resolution Details,قرار تفاصيل -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,نوع المعاملة +DocType: Leave Ledger Entry,Transaction Type,نوع المعاملة DocType: Item Quality Inspection Parameter,Acceptance Criteria,معايير القبول apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,الرجاء إدخال طلبات المواد في الجدول أعلاه apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,لا توجد مدفوعات متاحة لمدخل المجلة @@ -3280,6 +3326,7 @@ DocType: Bank Account,Bank Account No,رقم الحساب البنكي DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,إقرار الإعفاء من ضريبة الموظف DocType: Patient,Surgical History,التاريخ الجراحي DocType: Bank Statement Settings Item,Mapped Header,رأس المعين +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,يرجى إعداد نظام تسمية الموظفين في الموارد البشرية> إعدادات الموارد البشرية DocType: Employee,Resignation Letter Date,تاريخ رسالة الإستقالة apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,كما تتم فلترت قواعد التسعير على أساس الكمية. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},يرجى تحديد تاريخ الالتحاق بالموظف {0} @@ -3347,7 +3394,6 @@ DocType: Student Report Generation Tool,Add Letterhead,إضافة ترويسة 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,مجموع الأوراق المخصصة {0} لا يمكن أن يكون أقل من الأوراق وافق بالفعل {1} للفترة DocType: Contract Fulfilment Checklist,Requirement,المتطلبات DocType: Journal Entry,Accounts Receivable,حسابات القبض DocType: Quality Goal,Objectives,الأهداف @@ -3370,7 +3416,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,عتبة معاملة DocType: Lab Test Template,This value is updated in the Default Sales Price List.,يتم تحديث هذه القيمة في قائمة أسعار المبيعات الافتراضية. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,عربة التسوق فارغة DocType: Email Digest,New Expenses,مصاريف او نفقات جديدة -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,بك / لك المبلغ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,لا يمكن تحسين المسار لأن عنوان برنامج التشغيل مفقود. DocType: Shareholder,Shareholder,المساهم DocType: Purchase Invoice,Additional Discount Amount,مقدار الخصم الاضافي @@ -3407,6 +3452,7 @@ DocType: Asset Maintenance Task,Maintenance Task,مهمة الصيانة apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,الرجاء تعيين حد B2C في إعدادات غست. 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} هو الآن السنة المالية الافتراضية. يرجى تحديث المتصفح حتى يصبح التغيير ساري المفعول. @@ -3443,6 +3489,7 @@ DocType: Salary Component,Deduction,خصم DocType: Item,Retain Sample,الاحتفاظ عينة apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,صف {0}: (من الوقت) و (إلى وقت) تكون إلزامية. DocType: Stock Reconciliation Item,Amount Difference,مقدار الفرق +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,تتبع هذه الصفحة العناصر التي ترغب في شرائها من البائعين. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},تم اضافتة سعر الصنف لـ {0} في قائمة الأسعار {1} DocType: Delivery Stop,Order Information,معلومات الطلب apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,الرجاء إدخال (رقم هوية الموظف) لمندوب المبيعات هذا @@ -3471,6 +3518,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** السنة المالية ** تمثل السنة المالية. يتم تتبع جميع القيود المحاسبية والمعاملات الرئيسية الأخرى مقابل ** السنة المالية **. DocType: Opportunity,Customer / Lead Address,العميل/ عنوان العميل المحتمل DocType: Supplier Scorecard Period,Supplier Scorecard Setup,إعداد بطاقة الأداء المورد +DocType: Customer Credit Limit,Customer Credit Limit,حد ائتمان العميل apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,اسم خطة التقييم apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,تفاصيل الهدف apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",قابل للتطبيق إذا كانت الشركة SpA أو SApA أو SRL @@ -3523,7 +3571,6 @@ DocType: Company,Transactions Annual History,المعاملات السنوية 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,اسم المصرف -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-أعلى 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,مائع @@ -3575,6 +3622,7 @@ 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,تمت الإضافة إلى العناصر المميزة apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,الربح السنوي 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,في عملية @@ -3628,12 +3676,10 @@ 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,السماح لنفس العنصر عدة مرات -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,لم يتم العثور على رقم ضريبة السلع والخدمات للشركة. 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,الموظفين DocType: Question,Single Correct Answer,إجابة واحدة صحيحة -DocType: Employee,Contact Details,تفاصيل الاتصال DocType: C-Form,Received Date,تاريخ الاستلام DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",إذا قمت بإنشاء نمودج قياسي ل (نموذج ضرائب المبيعات والرسوم)، اختر واحدا وانقر على الزر أدناه. DocType: BOM Scrap Item,Basic Amount (Company Currency),المبلغ الأساسي (عملة الشركة ) @@ -3663,12 +3709,13 @@ DocType: BOM Website Operation,BOM Website Operation,عملية الموقع ا DocType: Bank Statement Transaction Payment Item,outstanding_amount,كمية رهيبة DocType: Supplier Scorecard,Supplier Score,المورد نقاط apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,جدول القبول +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,لا يمكن أن يكون إجمالي مبلغ طلب الدفع أكبر من {0} المبلغ DocType: Tax Withholding Rate,Cumulative Transaction Threshold,عتبة المعاملة التراكمية DocType: Promotional Scheme Price Discount,Discount Type,نوع الخصم -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,إجمالي الفاتورة AMT DocType: Purchase Invoice Item,Is Free Item,هو البند الحرة +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,النسبة المئوية المسموح لك بنقلها أكثر مقابل الكمية المطلوبة. على سبيل المثال: إذا كنت قد طلبت 100 وحدة. والبدل الخاص بك هو 10 ٪ ثم يسمح لك بنقل 110 وحدات. DocType: Supplier,Warn RFQs,تحذير رفق -apps/erpnext/erpnext/templates/pages/home.html,Explore,إستكشاف +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,إستكشاف DocType: BOM,Conversion Rate,معدل التحويل apps/erpnext/erpnext/www/all-products/index.html,Product Search,بحث عن منتج ,Bank Remittance,التحويلات المصرفية @@ -3680,6 +3727,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,مجموع المبلغ المدفوع DocType: Asset,Insurance End Date,تاريخ انتهاء التأمين apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,يرجى اختيار قبول الطالب الذي هو إلزامي للمتقدم طالب طالب +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,قائمة الميزانية DocType: Campaign,Campaign Schedules,جداول الحملة DocType: Job Card Time Log,Completed Qty,الكمية المكتملة @@ -3702,6 +3750,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,عنوا DocType: Quality Inspection,Sample Size,حجم العينة apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,الرجاء إدخال الوثيقة إيصال apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,كل الأصناف قد تم فوترتها من قبل +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,يترك اتخذت apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',الرجاء تحديد صالح 'من القضية رقم' 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,Further cost centers can be made under Groups but entries can be made against non-Groups 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,إجمالي الإجازات المخصصة هي أيام أكثر من التخصيص الأقصى لنوع الإجازات {0} للموظف {1} في الفترة @@ -3801,6 +3850,8 @@ 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: Call Log,Received By,استلمت من قبل 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.,تتبع الدخل والنفقات منفصل عن القطاعات المنتج أو الانقسامات. @@ -3854,6 +3905,7 @@ DocType: Support Search Source,Result Title Field,النتيجة عنوان ال apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,ملخص الاتصال DocType: Sample Collection,Collected Time,الوقت الذي تم جمعه DocType: Employee Skill Map,Employee Skills,مهارات الموظف +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,حساب الوقود DocType: Company,Sales Monthly History,التاريخ الشهري للمبيعات apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,يرجى ضبط صف واحد على الأقل في جدول الضرائب والرسوم DocType: Asset Maintenance Task,Next Due Date,موعد الاستحقاق التالي @@ -3863,6 +3915,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,علام DocType: Payment Entry,Payment Deductions or Loss,خصومات الدفع أو الخسارة DocType: Soil Analysis,Soil Analysis Criterias,معايير تحليل التربة apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,شروط العقد القياسية للمبيعات أو للمشتريات . +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},تمت إزالة الصفوف في {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),ابدأ تسجيل الوصول قبل وقت بدء التحول (بالدقائق) DocType: BOM Item,Item operation,عملية الصنف apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,المجموعة بواسطة قسيمة @@ -3888,11 +3941,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,كشف الراتب للموظف {0} تم إنشاؤه لهذه الفترة apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,الأدوية apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,يمكنك فقط إرسال ترك الإلغاء لمبلغ سداد صالح +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,البنود من قبل apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,تكلفة البنود التي تم شراؤها DocType: Employee Separation,Employee Separation Template,قالب فصل الموظفين DocType: Selling Settings,Sales Order Required,طلب المبيعات مطلوبة apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,كن بائعًا -DocType: Shift Type,The number of occurrence after which the consequence is executed.,عدد مرات الحدوث التي يتم بعدها تنفيذ النتيجة. ,Procurement Tracker,المقتفي المشتريات DocType: Purchase Invoice,Credit To,دائن الى apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,عكس مركز التجارة الدولية @@ -3905,6 +3958,7 @@ DocType: Quality Meeting,Agenda,جدول أعمال DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,تفاصيل جدول الصيانة DocType: Supplier Scorecard,Warn for new Purchase Orders,تحذير لأوامر الشراء الجديدة DocType: Quality Inspection Reading,Reading 9,قراءة 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,قم بتوصيل حسابك في Exotel بـ ERPNext وتتبع سجلات المكالمات DocType: Supplier,Is Frozen,مجمدة DocType: Tally Migration,Processed Files,الملفات المعالجة apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,لا يسمح مستودع عقدة مجموعة لتحديد للمعاملات @@ -3914,6 +3968,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,رقم فاتورة DocType: Upload Attendance,Attendance To Date,الحضور إلى تاريخ 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,وصفات @@ -3938,7 +3993,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,الطالب apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},مرجع غير صالح {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,قواعد تطبيق المخططات الترويجية المختلفة. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) لا يمكن أن يكون أكبر من الكمية المخطط لها ({2}) في أمر الإنتاج {3} DocType: Shipping Rule,Shipping Rule Label,ملصق قاعدة الشحن DocType: Journal Entry Account,Payroll Entry,دخول الرواتب apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,عرض سجلات الرسوم @@ -3950,6 +4004,7 @@ DocType: Contract,Fulfilment Status,حالة الوفاء DocType: Lab Test Sample,Lab Test Sample,عينة اختبار المختبر DocType: Item Variant Settings,Allow Rename Attribute Value,السماح بميزة إعادة التسمية apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,قيد دفتر يومية سريع +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,مبلغ الدفع المستقبلي apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,لا يمكنك تغيير السعر اذا قائمة المواد جعلت مقابل أي بند DocType: Restaurant,Invoice Series Prefix,بادئة سلسلة الفاتورة DocType: Employee,Previous Work Experience,خبرة العمل السابق @@ -3979,6 +4034,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,حالة المشروع DocType: UOM,Check this to disallow fractions. (for Nos),حدد هذا الخيار لعدم السماح بالكسور مع الارقام (for Nos) DocType: Student Admission Program,Naming Series (for Student Applicant),تسمية تسلسلية (الطالب مقدم الطلب) +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/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,جدول وحدة خدمة الممارس @@ -3994,6 +4050,7 @@ DocType: Fiscal Year,Year End Date,تاريخ نهاية العام 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} مغلقة @@ -4002,6 +4059,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,الحصول على المخزون الحالي DocType: Purchase Invoice,ineligible,غير مؤهل apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,شجرة فواتير المواد +DocType: BOM,Exploded Items,العناصر المتفجرة DocType: Student,Joining Date,تاريخ الانضمام ,Employees working on a holiday,الموظفون يعملون في يوم العطلة ,TDS Computation Summary,ملخص حساب TDS @@ -4034,6 +4092,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),التسعير الا DocType: SMS Log,No of Requested SMS,رقم رسائل SMS التي طلبت apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,الإجازة بدون راتب لا تتطابق مع سجلات (طلب الإجازة) الموافق عليها apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,الخطوات القادمة +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,العناصر المحفوظة DocType: Travel Request,Domestic,المنزلي apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,يرجى تزويدنا بالبنود المحددة بأفضل الأسعار الممكنة apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,لا يمكن تقديم نقل الموظف قبل تاريخ النقل @@ -4106,7 +4165,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,الصف رقم {0} (جدول الدفع): يجب أن يكون المبلغ موجبا -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},لا يمكن أن تنتج المزيد من البند {0} اكثر من كمية طلب المبيعات {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},لا يمكن أن تنتج المزيد من البند {0} اكثر من كمية طلب المبيعات {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,لا شيء مدرج في الإجمالي apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,توجد فاتورة إلكترونية بالفعل لهذه الوثيقة apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,حدد قيم السمات @@ -4141,12 +4200,10 @@ 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,شركة الإعداد -DocType: Shift Type,Enable Different Consequence for Early Exit,تمكين عواقب مختلفة للخروج المبكر ,Lab Test Report,تقرير اختبار المختبر DocType: Employee Benefit Application,Employee Benefit Application,تطبيق مزايا الموظف apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,مكون الراتب الإضافي موجود. DocType: Purchase Invoice,Unregistered,غير مسجل -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,يرجى ملاحظة التسليم أولا DocType: Student Applicant,Application Date,تاريخ التقديم DocType: Salary Component,Amount based on formula,القيمة بناءا على الصيغة DocType: Purchase Invoice,Currency and Price List,العملة وقائمة الأسعار @@ -4175,6 +4232,7 @@ DocType: Purchase Receipt,Time at which materials were received,الوقت ال DocType: Products Settings,Products per Page,المنتجات لكل صفحة 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,تاريخ الفواتير apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,لا يمكن أن يكون المبلغ المخصص سالبًا DocType: Sales Order,Billing Status,الحالة الفواتير apps/erpnext/erpnext/public/js/conf.js,Report an Issue,أبلغ عن مشكلة @@ -4184,6 +4242,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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} أو قد تطابق بالفعل مع ايصال أخرى DocType: Supplier Scorecard Criteria,Criteria Weight,معايير الوزن +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,الحساب: {0} غير مسموح به بموجب إدخال الدفع DocType: Production Plan,Ignore Existing Projected Quantity,تجاهل الكمية الموجودة المتوقعة apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,اترك إشعار الموافقة DocType: Buying Settings,Default Buying Price List,قائمة اسعار الشراء الافتراضية @@ -4192,6 +4251,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},الصف {0}: أدخل الموقع لعنصر مادة العرض {1} DocType: Employee Checkin,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.",تعيين القيم الافتراضية مثل الشركة، والعملة، والسنة المالية الحالية، وما إلى ذلك. DocType: Payment Entry,Payment Type,الدفع نوع apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,الرجاء تحديد دفعة للعنصر {0}. تعذر العثور على دفعة واحدة تستوفي هذا المطلب @@ -4220,6 +4280,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,إعدادات سلة ا DocType: Journal Entry,Accounting Entries,القيود المحاسبة 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.",إذا تم تحديد قاعدة التسعير المحددة 'معدل'، فإنه سيتم استبدال قائمة الأسعار. التسعير معدل القاعدة هو المعدل النهائي، لذلك لا ينبغي تطبيق أي خصم آخر. وبالتالي، في المعاملات مثل أمر المبيعات، أمر الشراء وما إلى ذلك، فإنه سيتم جلب في حقل "معدل"، بدلا من حقل "قائمة الأسعار السعر". +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,يرجى إعداد نظام تسمية المدرب في التعليم> إعدادات التعليم DocType: Journal Entry,Paid Loan,قرض مدفوع 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,تاريخ الاستحقاق المرجعي @@ -4236,12 +4297,14 @@ DocType: Shopify Settings,Webhooks Details,تفاصيل Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,لا يوجد سجل التوقيت DocType: GoCardless Mandate,GoCardless Customer,عميل GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,نوع الإجازة {0} لا يمكن ان ترحل الي العام التالي +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,كود الصنف> مجموعة الصنف> العلامة التجارية apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"لم يتم إنشاء جدول الصيانة لجميع الاصناف. يرجى النقر على ""إنشاء الجدول الزمني""" ,To Produce,لإنتاج DocType: Leave Encashment,Payroll,دفع الرواتب 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","For row {0} in {1}. To include {2} in Item rate, rows {3} must also be included" DocType: Healthcare Service Unit,Parent Service Unit,وحدة خدمة الوالدين DocType: Packing Slip,Identification of the package for the delivery (for print),تحديد حزمة لتسليم (للطباعة) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,تمت إعادة ضبط اتفاقية مستوى الخدمة. DocType: Bin,Reserved Quantity,الكمية المحجوزة apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,الرجاء إدخال عنوان بريد إلكتروني صالح DocType: Volunteer Skill,Volunteer Skill,المتطوعين المهارة @@ -4262,7 +4325,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,السعر أو خصم المنتج apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,بالنسبة إلى الصف {0}: أدخل الكمية المخطط لها DocType: Account,Income Account,حساب الدخل -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,العملاء> مجموعة العملاء> الإقليم DocType: Payment Request,Amount in customer's currency,المبلغ بعملة العميل apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,تسليم apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,هيكلية التخصيص... @@ -4285,6 +4347,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,المرجع 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?,ستفقد سجلات الفواتير التي تم إنشاؤها من قبل. هل أنت متأكد من أنك تريد إعادة تشغيل هذا الاشتراك؟ @@ -4340,11 +4403,10 @@ DocType: Additional Salary,HR User,مستخدم الموارد البشرية DocType: Bank Guarantee,Reference Document Name,اسم الوثيقة المرجعية DocType: Purchase Invoice,Taxes and Charges Deducted,خصم الضرائب والرسوم DocType: Support Settings,Issues,قضايا -DocType: Shift Type,Early Exit Consequence after,نتيجة الخروج المبكر بعد DocType: Loyalty Program,Loyalty Program Name,اسم برنامج الولاء apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},يجب أن تكون حالة واحدة من {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,تذكير بتحديث غستن المرسلة -DocType: Sales Invoice,Debit To,الخصم ل +DocType: Discounted Invoice,Debit To,الخصم ل DocType: Restaurant Menu Item,Restaurant Menu Item,مطعم القائمة البند DocType: Delivery Note,Required only for sample item.,مطلوب فقط لبند عينة. DocType: Stock Ledger Entry,Actual Qty After Transaction,الكمية الفعلية بعد العملية @@ -4427,6 +4489,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,اسم المعلم apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,يمكن فقط تقديم (طلب الاجازة ) الذي حالته (موافق عليه) و (مرفوض) apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,إنشاء الأبعاد ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},طالب اسم المجموعة هو إلزامي في الصف {0} +DocType: Customer Credit Limit,Bypass credit limit_check,تجاوز الائتمان limit_check DocType: Homepage,Products to be shown on website homepage,المنتجات التي سيتم عرضها على الصفحة الرئيسية للموقع الإلكتروني DocType: HR Settings,Password Policy,سياسة كلمة المرور apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,هذه هي مجموعة العملاء الجذرية والتي لا يمكن تحريرها. @@ -4485,10 +4548,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),إذ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,يرجى تعيين العملاء الافتراضي في إعدادات المطعم ,Salary Register,راتب التسجيل DocType: Company,Default warehouse for Sales Return,المستودع الافتراضي لعائد المبيعات -DocType: Warehouse,Parent Warehouse,المستودع الأصل +DocType: Pick List,Parent Warehouse,المستودع الأصل DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},لم يتم العثور على قائمة المواد الافتراضية للمادة {0} والمشروع {1} +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}: يرجى ضبط طريقة الدفع في جدول الدفع apps/erpnext/erpnext/config/non_profit.py,Define various loan types,تحديد أنواع القروض المختلفة DocType: Bin,FCFS Rate,FCFS Rate @@ -4525,6 +4588,7 @@ DocType: Travel Itinerary,Lodging Required,الإقامة المطلوبة DocType: Promotional Scheme,Price Discount Slabs,ألواح سعر الخصم DocType: Stock Reconciliation Item,Current Serial No,الرقم التسلسلي الحالي DocType: Employee,Attendance and Leave Details,تفاصيل الحضور والإجازة +,BOM Comparison Tool,أداة مقارنة BOM ,Requested,طلب apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,لا ملاحظات DocType: Asset,In Maintenance,في الصيانة @@ -4547,6 +4611,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,اتفاقية مستوى الخدمة الافتراضية DocType: SG Creation Tool Course,Course Code,كود المقرر التعليمي apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,أكثر من اختيار واحد لـ {0} غير مسموح به +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,سيتم تحديد كمية المواد الخام بناءً على الكمية الخاصة ببند البضائع النهائية DocType: Location,Parent Location,الموقع الأم DocType: POS Settings,Use POS in Offline Mode,استخدام بوس في وضع غير متصل بالشبكة apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,تم تغيير الأولوية إلى {0}. @@ -4565,7 +4630,7 @@ DocType: Stock Settings,Sample Retention Warehouse,مستودع الاحتفاظ DocType: Company,Default Receivable Account,حساب المدينون الافتراضي apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,الصيغة الكمية المتوقعة DocType: Sales Invoice,Deemed Export,يعتبر التصدير -DocType: Stock Entry,Material Transfer for Manufacture,نقل المواد لتصنيع +DocType: Pick List,Material Transfer for Manufacture,نقل المواد لتصنيع 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.,نسبة الخصم يمكن تطبيقها إما مقابل قائمة الأسعار محددة أو لجميع قائمة الأسعار. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,القيود المحاسبية للمخزون DocType: Lab Test,LabTest Approver,لابتيست أبروفر @@ -4608,7 +4673,6 @@ DocType: Training Event,Theory,نظرية apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,تحذير : كمية المواد المطلوبة هي أقل من الحد الأدنى للطلب الكمية apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,الحساب {0} مجمّد DocType: Quiz Question,Quiz Question,مسابقة السؤال -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,مورد> نوع المورد 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",الأغذية والمشروبات والتبغ @@ -4639,6 +4703,7 @@ 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,العناصر المنشورة DocType: Account,Expense Account,حساب النفقات apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,البرمجيات apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,اللون @@ -4676,6 +4741,7 @@ 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,تم إنشاء جميع المعاملات المصرفية DocType: Fee Validity,Visited yet,تمت الزيارة +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,يمكنك ميزة تصل إلى 8 عناصر. 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.,كم مرة يجب تحديث المشروع والشركة استنادًا إلى معاملات المبيعات. @@ -4683,7 +4749,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,البنود المفصصة 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,درجة حرارة التخزين @@ -4708,7 +4773,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,تحويل UOM ف DocType: Contract,Signee Details,تفاصيل المنشور apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} لديه حاليا {1} بطاقة أداء بطاقة الموردين، ويجب أن يتم إصدار طلبات إعادة الشراء إلى هذا المورد بحذر. DocType: Certified Consultant,Non Profit Manager,مدير غير الربح -DocType: BOM,Total Cost(Company Currency),التكلفة الإجمالية (شركة العملات) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,المسلسل لا {0} خلق DocType: Homepage,Company Description for website homepage,وصف الشركة للصفة الرئيسيه بالموقع الألكتروني DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",لراحة العملاء، ويمكن استخدام هذه الرموز في أشكال الطباعة مثل الفواتير والسندات التسليم @@ -4736,7 +4800,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,شراء DocType: Amazon MWS Settings,Enable Scheduled Synch,تمكين التزامن المجدولة apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,إلى التاريخ والوقت apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,سجلات للحفاظ على حالات التسليم لرسائل -DocType: Shift Type,Early Exit Consequence,نتيجة الخروج المبكر DocType: Accounts Settings,Make Payment via Journal Entry,قم بالدفع عن طريق قيد دفتر اليومية apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,يرجى عدم إنشاء أكثر من 500 عنصر في وقت واحد apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,طبع في @@ -4793,6 +4856,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,الحدود ت 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,سر +DocType: Plaid Settings,Plaid Secret,سر منقوشة DocType: Company,Date of Establishment,تاريخ التأسيس apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,رأس المال الاستثماري apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"يوجد بالفعل فصل دراسي مع ""السنة الدراسية"" {0} و ""اسم الفصل"" {1}. يرجى تعديل هذه الإدخالات والمحاولة مرة أخرى." @@ -4854,6 +4918,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,نوع العميل DocType: Compensatory Leave Request,Leave Allocation,تخصيص إجازة DocType: Payment Request,Recipient Message And Payment Details,مستلم رسالة وتفاصيل الدفع +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,يرجى اختيار مذكرة التسليم DocType: Support Search Source,Source DocType,المصدر DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,افتح تذكرة جديدة DocType: Training Event,Trainer Email,بريد المدرب الإلكتروني @@ -4974,6 +5039,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,تحمل أوراق واحال apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""من تاريخ "" يجب أن يكون بعد "" إلى تاريخ """ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,لم يتم العثور على خطط التوظيف لهذا التصنيف apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,تم تعطيل الدفعة {0} من الصنف {1}. @@ -4995,7 +5061,7 @@ DocType: Clinical Procedure,Patient,صبور apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,تجاوز الائتمان الاختيار في أمر المبيعات DocType: Employee Onboarding Activity,Employee Onboarding Activity,نشاط Onboarding الموظف DocType: Location,Check if it is a hydroponic unit,تحقق ما إذا كان هو وحدة الزراعة المائية -DocType: Stock Reconciliation Item,Serial No and Batch,رقم المسلسل و الدفعة +DocType: Pick List Item,Serial No and Batch,رقم المسلسل و الدفعة DocType: Warranty Claim,From Company,من شركة DocType: GSTR 3B Report,January,كانون الثاني apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,مجموع العشرات من معايير التقييم يجب أن يكون {0}. @@ -5019,7 +5085,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,لم يتم العثور على {0} معاملات Inter Company. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,سيارة مستأجرة apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,عن شركتك apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,دائن الى حساب يجب أن يكون من حسابات قائمة المركز المالي @@ -5052,11 +5117,13 @@ apps/erpnext/erpnext/config/accounting.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,إدارة علاقات الزبائن 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,المتبقية DocType: Appraisal,Appraisal,تقييم DocType: Loan,Loan Account,حساب القرض apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,صالحة من وحقول تصل صالحة إلزامية للتراكمية +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",بالنسبة للعنصر {0} في الصف {1} ، لا يتطابق عدد الأرقام التسلسلية مع الكمية المنتقاة DocType: Purchase Invoice,GST Details,غست التفاصيل apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,هذا يعتمد على المعاملات ضد ممارس الرعاية الصحية هذا. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},الايميل تم ارساله إلى المورد {0} @@ -5120,6 +5187,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),الوزن الكلي للحزمة. الوزن الصافي عادة + تغليف المواد الوزن. (للطباعة) DocType: Assessment Plan,Program,برنامج DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,يسمح للمستخدمين مع هذا الدور لضبط الحسابات المجمدة و إنشاء / تعديل القيود المحاسبية على حسابات مجمدة +DocType: Plaid Settings,Plaid Environment,بيئة منقوشة ,Project Billing Summary,ملخص فواتير المشروع DocType: Vital Signs,Cuts,تخفيضات DocType: Serial No,Is Cancelled,هل ملغي @@ -5181,7 +5249,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ملاحظة: لن يتحقق النظام من التسليم الزائد والحجز الزائد للبند {0} حيث أن الكمية أو القيمة هي 0 DocType: Issue,Opening Date,تاريخ الفتح apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,يرجى حفظ المريض أولا -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,جعل اتصال جديد apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,تم وضع علامة الحضور بنجاح. DocType: Program Enrollment,Public Transport,النقل العام DocType: Sales Invoice,GST Vehicle Type,GST نوع المركبة @@ -5207,6 +5274,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,فواتي DocType: POS Profile,Write Off Account,شطب حساب DocType: Patient Appointment,Get prescribed procedures,الحصول على إجراءات المقررة DocType: Sales Invoice,Redemption Account,حساب الاسترداد +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,قم أولاً بإضافة عناصر في جدول مواقع العناصر DocType: Pricing Rule,Discount Amount,قيمة الخصم DocType: Pricing Rule,Period Settings,إعدادات الفترة DocType: Purchase Invoice,Return Against Purchase Invoice,العودة ضد شراء فاتورة @@ -5239,7 +5307,6 @@ DocType: Assessment Plan,Assessment Plan,خطة التقييم DocType: Travel Request,Fully Sponsored,برعاية كاملة apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,عكس دخول المجلة apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,إنشاء بطاقة العمل -DocType: Shift Type,Consequence after,النتيجة بعد DocType: Quality Procedure Process,Process Description,وصف العملية apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,تم إنشاء العميل {0}. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,حاليا لا يوجد مخزون متاح في أي مستودع @@ -5274,6 +5341,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,تاريخ الاستحقاق DocType: Delivery Settings,Dispatch Notification Template,قالب إعلام الإرسال apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,تقرير التقييم apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,الحصول على الموظفين +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,معالجة التفاصيل @@ -5367,7 +5435,6 @@ DocType: Stock Settings,Use Naming Series,استخدام سلسلة التسمي apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,لا رد فعل apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,لا يمكن وضع علامة على رسوم التقييم على انها شاملة DocType: POS Profile,Update Stock,تحديث المخزون -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,سوف UOM مختلفة لعناصر تؤدي إلى غير صحيحة ( مجموع ) صافي قيمة الوزن . تأكد من أن الوزن الصافي من كل عنصر في نفس UOM . DocType: Certification Application,Payment Details,تفاصيل الدفع apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,سعر قائمة المواد @@ -5402,7 +5469,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,هذا هو الشخص المبيعات الجذرية والتي لا يمكن تحريرها. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",إذا تم تحديده، فإن القيمة المحددة أو المحسوبة في هذا المكون لن تساهم في الأرباح أو الاستقطاعات. ومع ذلك، فإنه يمكن الإشارة إلى القيمة من قبل المكونات الأخرى التي يمكن أن تضاف أو خصمها. -DocType: Asset Settings,Number of Days in Fiscal Year,عدد الأيام في السنة المالية ,Stock Ledger,سجل المخزن DocType: Company,Exchange Gain / Loss Account,حساب الربح / الخسارة الناتتج عن الصرف DocType: Amazon MWS Settings,MWS Credentials,MWS بيانات الاعتماد @@ -5437,6 +5503,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,العمود في ملف البنك apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},ترك التطبيق {0} موجود بالفعل أمام الطالب {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,قائمة الانتظار لتحديث أحدث الأسعار في جميع بيل المواد. قد يستغرق بضع دقائق. +DocType: Pick List,Get Item Locations,الحصول على مواقع البند apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,اسم الحساب الجديد. ملاحظة: الرجاء عدم إنشاء حسابات للزبائن والموردين DocType: POS Profile,Display Items In Stock,عرض العناصر في الأوراق المالية apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,نماذج العناوين الافتراضية للبلدان @@ -5460,6 +5527,7 @@ DocType: Crop,Materials Required,المواد المطلوبة apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,لم يتم العثور على أي طلاب DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,إعفاء HRA الشهري DocType: Clinical Procedure,Medical Department,القسم الطبي +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,إجمالي المخارج المبكرة DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,معايير سجل نقاط الأداء للموردين apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,تاريخ ترحيل الفاتورة apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,باع @@ -5471,11 +5539,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","يرجى حذف الموظف {0} \ لإلغاء هذا المستند" DocType: Program Enrollment,School House,مدرسة دار DocType: Serial No,Out of AMC,من AMC DocType: Opportunity,Opportunity Amount,مبلغ الفرصة +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,ملفك الشخصي apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,عدد الاهلاكات المستنفده مسبقا لا يمكن أن يكون أكبر من إجمالي عدد الاهلاكات خلال العمر الافتراضي النافع DocType: Purchase Order,Order Confirmation Date,تاريخ تأكيد الطلب DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5569,7 +5636,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",هناك تناقضات بين المعدل، لا من الأسهم والمبلغ المحسوب apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,أنت لست موجودًا طوال اليوم (الأيام) بين أيام طلب الإجازة التعويضية apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,يرجى إعادة كتابة اسم الشركة للتأكيد -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,إجمالي المعلقة AMT DocType: Journal Entry,Printing Settings,إعدادات الطباعة DocType: Payment Order,Payment Order Type,نوع طلب الدفع DocType: Employee Advance,Advance Account,حساب مقدم @@ -5658,7 +5724,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,اسم العام apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,هناك عطلات أكثر من أيام العمل في هذا الشهر. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,العناصر التالية {0} غير مميزة كعنصر {1}. يمكنك تمكينها كـ عنصر {1} من العنصر الرئيسي الخاص بها -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,بك / لك المرجع DocType: Production Plan Item,Product Bundle Item,المنتج حزمة البند DocType: Sales Partner,Sales Partner Name,اسم المندوب apps/erpnext/erpnext/hooks.py,Request for Quotations,طلب عروض مسعره @@ -5667,19 +5732,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,عناصر الاختبار العادية DocType: QuickBooks Migrator,Company Settings,إعدادات الشركة DocType: Additional Salary,Overwrite Salary Structure Amount,الكتابة فوق هيكل الهيكل المرتب -apps/erpnext/erpnext/config/hr.py,Leaves,اوراق اشجار +DocType: Leave Ledger Entry,Leaves,اوراق اشجار DocType: Student Language,Student Language,اللغة طالب DocType: Cash Flow Mapping,Is Working Capital,هو رأس المال العامل apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,تقديم دليل apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,أوردر / كوت٪ apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,سجل الحيويه المريض DocType: Fee Schedule,Institution,مؤسسة -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: Asset,Partially Depreciated,استهلكت جزئيا DocType: Issue,Opening Time,يفتح من الساعة apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,التواريخ من وإلى مطلوبة apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,الأوراق المالية والبورصات -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},ملخص الاتصال بواسطة {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,بحث المستندات apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',وحدة القياس الافتراضية للمتغير '{0}' يجب أن تكون كما في النمودج '{1}' DocType: Shipping Rule,Calculate Based On,إحسب الربح بناء على @@ -5725,6 +5788,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,القيمة القصوى المسموح بها DocType: Journal Entry Account,Employee Advance,تقدم الموظف DocType: Payroll Entry,Payroll Frequency,الدورة الزمنية لدفع الرواتب +DocType: Plaid Settings,Plaid Client ID,معرف العميل منقوشة DocType: Lab Test Template,Sensitivity,حساسية DocType: Plaid Settings,Plaid Settings,إعدادات منقوشة apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,تم تعطيل المزامنة مؤقتًا لأنه تم تجاوز الحد الأقصى من عمليات إعادة المحاولة @@ -5742,6 +5806,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,يرجى تحديد تاريخ الترحيل أولا apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,تاريخ الافتتاح يجب ان يكون قبل تاريخ الاغلاق DocType: Travel Itinerary,Flight,طيران +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,العودة إلى المنزل DocType: Leave Control Panel,Carry Forward,المضي قدما apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,مركز التكلفة مع المعاملات الحالية لا يمكن تحويلها إلى حساب استاد DocType: Budget,Applicable on booking actual expenses,ينطبق على الحجز النفقات الفعلية @@ -5797,6 +5862,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,إنشاء اقت apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,غير مصرح لك الموافقة على المغادرات التي في التواريخ المحظورة apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} طلب {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,تم فوترة كل هذه البنود +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,لم يتم العثور على فواتير معلقة لـ {0} {1} والتي تؤهل المرشحات التي حددتها. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,تعيين تاريخ الإصدار الجديد DocType: Company,Monthly Sales Target,هدف المبيعات الشهرية apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,لم يتم العثور على فواتير معلقة @@ -5843,6 +5909,7 @@ DocType: Water Analysis,Type of Sample,نوع العينة DocType: Batch,Source Document Name,اسم المستند المصدر DocType: Production Plan,Get Raw Materials For Production,الحصول على المواد الخام للإنتاج DocType: Job Opening,Job Title,المسمى الوظيفي +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,الدفع في المستقبل المرجع apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.",{0} يشير إلى أن {1} لن يقدم اقتباس، ولكن يتم نقل جميع العناصر \ تم نقلها. تحديث حالة اقتباس الأسعار. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,الحد الأقصى للعينات - {0} تم الاحتفاظ به مسبقا للدفعة {1} و العنصر {2} في الدفعة {3}. @@ -5853,12 +5920,10 @@ 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: Company,Product Code,كود المنتج DocType: Quality Review Table,Objective,موضوعي DocType: Supplier Scorecard,Per Month,كل شهر DocType: Education Settings,Make Academic Term Mandatory,جعل الأكاديمي المدة إلزامية -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,"""الكمية لتصنيع"" يجب أن تكون أكبر من 0." -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,احسب جدول الإهلاك بالتناسب استنادا إلى السنة المالية +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,"""الكمية لتصنيع"" يجب أن تكون أكبر من 0." apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,تقرير الزيارة لطلب الصيانة. DocType: Stock Entry,Update Rate and Availability,معدل التحديث والتوفر 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 وحدة. @@ -5869,7 +5934,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,يجب أن يكون تاريخ الإصدار في المستقبل DocType: BOM,Website Description,وصف الموقع apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,صافي التغير في حقوق الملكية -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,يرجى إلغاء فاتورة المشتريات {0} أولاً apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,غير مسموح به. يرجى تعطيل نوع وحدة الخدمة apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}",البريد الإلكتروني {0} مسجل مسبقا DocType: Serial No,AMC Expiry Date,AMC تاريخ انتهاء الاشتراك @@ -5913,6 +5977,7 @@ DocType: Pricing Rule,Price Discount Scheme,مخطط سعر الخصم apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,يجب إلغاء حالة الصيانة أو إكمالها لإرسالها DocType: Amazon MWS Settings,US,الولايات المتحدة DocType: Holiday List,Add Weekly Holidays,أضف عطلات أسبوعية +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,بلغ عن شيء DocType: Staffing Plan Detail,Vacancies,الشواغر DocType: Hotel Room,Hotel Room,غرفة الفندق apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},الحساب {0} لا ينتمي إلى الشركة {1} @@ -5964,12 +6029,15 @@ DocType: Email Digest,Open Quotations,فتح الاقتباسات 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","يرجى حذف الموظف {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,المبلغ الأساسي @@ -5983,6 +6051,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,شاغر DocType: Patient,Alcohol Past Use,الاستخدام الماضي للكحول DocType: Fertilizer Content,Fertilizer Content,محتوى الأسمدة +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,بدون وصف apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,الدولة الفواتير DocType: Quality Goal,Monitoring Frequency,مراقبة التردد @@ -6000,6 +6069,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,لا يمكن أن يكون تاريخ الانتهاء قبل تاريخ الاتصال التالي. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,إدخالات دفعة DocType: Journal Entry,Pay To / Recd From,دفع إلى / من Recd +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,عنصر غير منشور DocType: Naming Series,Setup Series,إعداد الترقيم المتسلسل DocType: Payment Reconciliation,To Invoice Date,إلى تاريخ الفاتورة DocType: Bank Account,Contact HTML,الاتصال HTML @@ -6021,6 +6091,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,بيع قطاعي DocType: Student Attendance,Absent,غائب DocType: Staffing Plan,Staffing Plan Detail,تفاصيل خطة التوظيف DocType: Employee Promotion,Promotion Date,تاريخ العرض +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,ترتبط إجازة التخصيص٪ s بتطبيق الإجازة٪ s 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} @@ -6055,9 +6126,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,الفاتورة {0} لم تعد موجودة DocType: Guardian Interest,Guardian Interest,أهتمام الوصي DocType: Volunteer,Availability,توفر +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,إجازة التطبيق مرتبطة بمخصصات الإجازة {0}. لا يمكن تعيين طلب الإجازة كإجازة بدون أجر apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,إعداد القيم الافتراضية لفواتير نقاط البيع DocType: Employee Training,Training,التدريب DocType: Project,Time to send,الوقت لارسال +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,تتبع هذه الصفحة البنود الخاصة بك والتي أبدى فيها بعض المشترين اهتمامًا. 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,معرف البريد الإلكتروني للوصي 1 @@ -6153,12 +6226,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,القيمة الافتتاحية DocType: Salary Component,Formula,صيغة apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,المسلسل # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,يرجى إعداد نظام تسمية الموظفين في الموارد البشرية> إعدادات الموارد البشرية 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/setup/doctype/company/company.py,Sales Account,حساب مبيعات DocType: Purchase Invoice Item,Total Weight,الوزن الكلي +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} @@ -6182,6 +6255,7 @@ DocType: Company,Default Employee Advance Account,الحساب الافتراض apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),عنصر البحث (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,لا يمكن حذف حساب جرت عليه أي عملية +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,لماذا تعتقد أنه يجب إزالة هذا العنصر؟ DocType: Vehicle,Last Carbon Check,آخر تحقق للكربون apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,نفقات قانونية apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,يرجى تحديد الكمية على الصف @@ -6201,6 +6275,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,انهيار DocType: Travel Itinerary,Vegetarian,نباتي DocType: Patient Encounter,Encounter Date,تاريخ لقاء +DocType: Work Order,Update Consumed Material Cost In Project,تحديث تكلفة المواد المستهلكة في المشروع apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,الحساب: {0} مع العملة: {1} لا يمكن اختياره DocType: Bank Statement Transaction Settings Item,Bank Data,بيانات البنك DocType: Purchase Receipt Item,Sample Quantity,كمية العينة @@ -6255,7 +6330,7 @@ DocType: GSTR 3B Report,April,أبريل DocType: Plant Analysis,Collection Datetime,جمع داتيتيم DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,إجمالي تكاليف التشغيل -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,ملاحظة: تم ادخل البند {0} عدة مرات +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,ملاحظة: تم ادخل البند {0} عدة مرات apps/erpnext/erpnext/config/buying.py,All Contacts.,جميع جهات الاتصال. DocType: Accounting Period,Closed Documents,وثائق مغلقة DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,قم بإدارة إرسال فاتورة المواعيد وإلغاؤها تلقائيًا لـ Patient Encounter @@ -6337,9 +6412,7 @@ DocType: Member,Membership Type,نوع العضوية ,Reqd By Date,Reqd حسب التاريخ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,الدائنين DocType: Assessment Plan,Assessment Name,اسم تقييم -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,إظهار بك في الطباعة apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,الصف # {0}: الرقم التسلسلي إلزامي -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,لم يتم العثور على فواتير معلقة لـ {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,تفصيل ضريبة وفقاً للصنف DocType: Employee Onboarding,Job Offer,عرض عمل apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,اختصار المؤسسة @@ -6398,6 +6471,7 @@ DocType: Serial No,Out of Warranty,لا تغطيه الضمان DocType: Bank Statement Transaction Settings Item,Mapped Data Type,نوع البيانات المعينة DocType: BOM Update Tool,Replace,استبدل apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,لم يتم العثور على منتجات. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,نشر المزيد من العناصر apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},اتفاقية مستوى الخدمة هذه تخص العميل {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} مقابل فاتورة المبيعات {1} DocType: Antibiotic,Laboratory User,مختبر المستخدم @@ -6420,7 +6494,6 @@ DocType: Payment Order Reference,Bank Account Details,تفاصيل الحساب DocType: Purchase Order Item,Blanket Order,أمر بطانية 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,ضريبية الأصول -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},كان طلب الإنتاج {0} DocType: BOM Item,BOM No,رقم قائمة المواد 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,المتوسط المتحرك @@ -6493,6 +6566,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),الإمدادات الخارجية الخاضعة للضريبة (صفر التصنيف) DocType: BOM,Materials Required (Exploded),المواد المطلوبة (مفصصة) 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/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,تاريخ النشر لا يمكن أن يكون تاريخ مستقبلي @@ -6550,7 +6624,6 @@ DocType: Pricing Rule,Same Item,نفس البند DocType: Stock Ledger Entry,Stock Ledger Entry,حركة سجل المخزن DocType: Quality Action Resolution,Quality Action Resolution,قرار جودة العمل apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} إجازة نصف يوم عمل {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,تم إدخال البند نفسه عدة مرات DocType: Department,Leave Block List,قائمة الايام المحضور الإجازة فيها DocType: Purchase Invoice,Tax ID,البطاقة الضريبية apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,البند {0} ليس الإعداد ل مسلسل رقم العمود يجب أن يكون فارغا @@ -6588,7 +6661,7 @@ 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} تعطيل أو لا وجود لها DocType: Purchase Invoice,Return,عودة -DocType: Accounting Dimension,Disable,تعطيل +DocType: Account,Disable,تعطيل apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,طريقة الدفع مطلوبة لإجراء الدفع DocType: Task,Pending Review,في انتظار المراجعة apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.",يمكنك التعديل في الصفحة الكاملة للحصول على مزيد من الخيارات مثل مواد العرض، والرقم التسلسلي، والدفقات، إلخ. @@ -6701,7 +6774,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,يجب أن يساوي جزء الفاتورة مجتمعة 100٪ DocType: Item Default,Default Expense Account,حساب النفقات الإفتراضي DocType: GST Account,CGST Account,حساب غست -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,كود الصنف> مجموعة الصنف> العلامة التجارية apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,طالب معرف البريد الإلكتروني DocType: Employee,Notice (days),إشعار (أيام) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,فواتير قيد إغلاق نقطة البيع @@ -6712,6 +6784,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,تحديد عناصر لحفظ الفاتورة DocType: Employee,Encashment Date,تاريخ التحصيل DocType: Training Event,Internet,الإنترنت +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,معلومات البائع DocType: Special Test Template,Special Test Template,قالب اختبار خاص DocType: Account,Stock Adjustment,تسوية المخزون apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},تكلفة النشاط الافتراضية موجودة لنوع النشاط - {0} @@ -6723,7 +6796,6 @@ 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,يجب تعيين كل من تاريخ بدء الفترة التجريبية وتاريخ انتهاء الفترة التجريبية -DocType: Company,Bank Remittance Settings,إعدادات التحويلات المصرفية apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,المعدل المتوسط 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","""الأصناف المقدمة من العملاء"" لا يمكن ان تحتوي على تكلفة" @@ -6753,6 +6825,7 @@ DocType: Grading Scale Interval,Threshold,العتبة apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),تصفية الموظفين حسب (اختياري) DocType: BOM Update Tool,Current BOM,قائمة المواد الحالية apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),الرصيد (در - كر) +DocType: Pick List,Qty of Finished Goods Item,الكمية من السلع تامة الصنع apps/erpnext/erpnext/public/js/utils.js,Add Serial No,إضافة رقم تسلسلي DocType: Work Order Item,Available Qty at Source Warehouse,الكمية المتاحة في مستودع المصدر apps/erpnext/erpnext/config/support.py,Warranty,الضمان @@ -6831,7 +6904,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",هنا يمكنك ادراج تفاصيل عن الحالة الصحية مثل الطول والوزن، الحساسية، المخاوف الطبية apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,إنشاء حسابات ... DocType: Leave Block List,Applies to Company,ينطبق على شركة -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,لا يمكن الإلغاء لان هناك تدوينات مخزون مقدمة {0} موجوده +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,لا يمكن الإلغاء لان هناك تدوينات مخزون مقدمة {0} موجوده DocType: Loan,Disbursement Date,تاريخ الصرف DocType: Service Level Agreement,Agreement Details,تفاصيل الاتفاقية apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,لا يمكن أن يكون تاريخ بدء الاتفاقية أكبر من أو يساوي تاريخ الانتهاء. @@ -6840,6 +6913,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,السجل الطبي DocType: Vehicle,Vehicle,مركبة DocType: Purchase Invoice,In Words,في كلمات +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,حتى الآن يجب أن يكون قبل من تاريخ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,أدخل اسم البنك أو مؤسسة الإقراض قبل التقديم. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} يجب تسليمها DocType: POS Profile,Item Groups,مجموعات السلعة @@ -6912,7 +6986,6 @@ DocType: Customer,Sales Team Details,تفاصيل فريق المبيعات apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,الحذف بشكل نهائي؟ DocType: Expense Claim,Total Claimed Amount,إجمالي المبلغ المطالب به apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,فرص بيع محتملة. -DocType: Plaid Settings,Link a new bank account,ربط حساب مصرفي جديد apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} هي حالة حضور غير صالحة. DocType: Shareholder,Folio no.,فوليو نو. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},غير صالح {0} @@ -6928,7 +7001,6 @@ DocType: Production Plan,Material Requested,المواد المطلوبة DocType: Warehouse,PIN,دبوس DocType: Bin,Reserved Qty for sub contract,الكمية المحجوزة للعقد من الباطن DocType: Patient Service Unit,Patinet Service Unit,وحدة خدمة Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,توليد ملف نصي DocType: Sales Invoice,Base Change Amount (Company Currency),مدى تغيير المبلغ الأساسي (عملة الشركة ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,لا القيود المحاسبية للمستودعات التالية apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},فقط {0} في المخزون للبند {1} @@ -6942,6 +7014,7 @@ DocType: Item,No of Months,عدد الشهور DocType: Item,Max Discount (%),الحد الأقصى للخصم (٪) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,لا يمكن أن تكون أيام الائتمان رقما سالبا apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,تحميل بيان +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,الإبلاغ عن هذا البند DocType: Purchase Invoice Item,Service Stop Date,تاريخ توقف الخدمة apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,قيمة آخر طلب DocType: Cash Flow Mapper,e.g Adjustments for:,على سبيل المثال، التعديلات على: @@ -7035,16 +7108,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,فئة الإعفاء من ضريبة الموظف apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,يجب ألا يقل المبلغ عن الصفر. DocType: Sales Invoice,C-Form Applicable,C-نموذج قابل للتطبيق -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},يجب أن يكون وقت العملية أكبر من 0 للعملية {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},يجب أن يكون وقت العملية أكبر من 0 للعملية {0} DocType: Support Search Source,Post Route String,Post Post String apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,المستودع إلزامي apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,فشل في إنشاء الموقع الالكتروني DocType: Soil Analysis,Mg/K,ملغ / كيلو DocType: UOM Conversion Detail,UOM Conversion Detail,تفاصيل تحويل وحدة القياس apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,القبول والتسجيل -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,الاحتفاظ الأسهم دخول بالفعل إنشاء أو عينة الكمية غير المقدمة +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,الاحتفاظ الأسهم دخول بالفعل إنشاء أو عينة الكمية غير المقدمة DocType: Program,Program Abbreviation,اختصار برنامج -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,لا يمكن رفع أمر الإنتاج مقابل نمودج البند apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),مجموعة بواسطة قسيمة (الموحدة) DocType: HR Settings,Encrypt Salary Slips in Emails,تشفير قسائم الرواتب في رسائل البريد الإلكتروني DocType: Question,Multiple Correct Answer,الإجابة الصحيحة متعددة @@ -7091,7 +7163,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,غير مصنفة أو DocType: Employee,Educational Qualification,المؤهلات العلمية DocType: Workstation,Operating Costs,تكاليف التشغيل apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},العملة {0} يجب أن تكون {1} -DocType: Employee Checkin,Entry Grace Period Consequence,دخول فترة سماح نتيجة DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,حدد الحضور استنادًا إلى "فحص الموظف" للموظفين المعينين لهذا التحول. DocType: Asset,Disposal Date,تاريخ التخلص DocType: Service Level,Response and Resoution Time,زمن الاستجابة و Resoution @@ -7139,6 +7210,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,تاريخ الانتهاء DocType: Purchase Invoice Item,Amount (Company Currency),المبلغ (عملة الشركة) DocType: Program,Is Featured,هي واردة +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,جلب ... DocType: Agriculture Analysis Criteria,Agriculture User,مستخدم بالقطاع الزراعي apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,صالحة حتى تاريخ لا يمكن أن يكون قبل تاريخ المعاملة 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} لإكمال هذه المعاملة. @@ -7171,7 +7243,6 @@ DocType: Student,B+,B+ 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,مجموع المبالغ المدفوعة AMT 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,غست موزعة المبيعات التسجيل @@ -7195,6 +7266,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,مجهول apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,مستلم من DocType: Lead,Converted,تحويل DocType: Item,Has Serial No,يحتوي على رقم تسلسلي +DocType: Stock Entry Detail,PO Supplied Item,PO الموردة البند 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} @@ -7309,7 +7381,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,تزامن الضرائب 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,لم يتم العثور على قائمة المواد الافتراضية لـ {0} +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}: يرجى تعيين (الكمية المحددة عند اعادة الطلب) apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,انقر على العناصر لإضافتها هنا @@ -7343,7 +7415,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,تاريخ الصيانة DocType: Purchase Invoice Item,Rejected Serial No,رقم المسلسل رفض apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,تاريخ بداية السنة او نهايتها متداخل مع {0}. لتجنب ذلك الرجاء تحديد الشركة -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عبر الإعداد> سلسلة الترقيم apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},يرجى ذكر الاسم الرائد في العميل {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},يجب أن يكون تاريخ البدء قبل تاريخ الانتهاء للبند {0} DocType: Shift Type,Auto Attendance Settings,إعدادات الحضور التلقائي @@ -7354,9 +7425,11 @@ DocType: Upload Attendance,Upload Attendance,رفع الحضور apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,مطلوب، قائمة مكونات المواد و كمية التصنيع apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,مدى العمر 2 DocType: SG Creation Tool Course,Max Strength,القوة القصوى +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","الحساب {0} موجود بالفعل في الشركة التابعة {1}. الحقول التالية لها قيم مختلفة ، يجب أن تكون هي نفسها:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,تثبيت الإعدادات المسبقة DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},لم يتم تحديد ملاحظة التسليم للعميل {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},تمت إضافة الصفوف في {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,الموظف {0} ليس لديه الحد الأقصى لمبلغ الاستحقاق apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,حدد العناصر بناء على تاريخ التسليم DocType: Grant Application,Has any past Grant Record,لديه أي سجل المنحة الماضية @@ -7400,6 +7473,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,تفاصيل الطالب DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",هذا هو UOM الافتراضي المستخدم للعناصر وطلبات المبيعات. احتياطي UOM هو "Nos". DocType: Purchase Invoice Item,Stock Qty,الأسهم الكمية +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,حساب الشحن الافتراضي DocType: Loan,Repayment Period in Months,فترة السداد بالأشهر @@ -7428,6 +7502,7 @@ DocType: Authorization Rule,Customerwise Discount,التخفيض من ناحية apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,الجدول الزمني للمهام. DocType: Purchase Invoice,Against Expense Account,مقابل حساب المصاريف apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,اشعار تركيب {0} سبق تقديمه +DocType: BOM,Raw Material Cost (Company Currency),تكلفة المواد الخام (عملة الشركة) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},أيام إيجار المنازل المدفوعة تتداخل مع {0} DocType: GSTR 3B Report,October,شهر اكتوبر DocType: Bank Reconciliation,Get Payment Entries,الحصول على مدخلات الدفع @@ -7474,15 +7549,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,مطلوب متاح لتاريخ الاستخدام DocType: Request for Quotation,Supplier Detail,المورد التفاصيل apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},خطأ في الصيغة أو الشرط: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,قيمة الفواتير +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,قيمة الفواتير apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,يجب أن تضيف معايير الأوزان ما يصل إلى 100٪ apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,الحضور apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,المخزن عناصر DocType: Sales Invoice,Update Billed Amount in Sales Order,تحديث مبلغ فاتورة في أمر المبيعات +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,تواصل مع البائع 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,يرجى تسجيل الدخول كمستخدم Marketplace للإبلاغ عن هذا العنصر. ,Sales Partner Commission Summary,ملخص عمولة شريك المبيعات ,Item Prices,أسعار الصنف DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,وبعبارة تكون مرئية بمجرد حفظ أمر الشراء. @@ -7496,6 +7573,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,الماستر الخاص بقائمة الأسعار. DocType: Task,Review Date,مراجعة تاريخ DocType: BOM,Allow Alternative Item,السماح لصنف بديل +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,لا يحتوي إيصال الشراء على أي عنصر تم تمكين الاحتفاظ عينة به. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,الفاتورة الكبرى المجموع DocType: Company,Series for Asset Depreciation Entry (Journal Entry),سلسلة دخول الأصول (دخول دفتر اليومية) DocType: Membership,Member Since,عضو منذ @@ -7505,6 +7583,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,على صافي الاجمالي 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: Pricing Rule,Product Discount Scheme,مخطط خصم المنتج +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,لم يتم طرح مشكلة من قبل المتصل. DocType: Restaurant Reservation,Waitlisted,على قائمة الانتظار DocType: Employee Tax Exemption Declaration Category,Exemption Category,فئة الإعفاء apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,لا يمكن تغيير العملة بعد إجراء إدخالات باستخدام بعض العملات الأخرى @@ -7518,7 +7597,6 @@ DocType: Customer Group,Parent Customer Group,مجموعة عملاء أوليا apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,يمكن إنشاء فاتورة البريد الإلكتروني JSON فقط من فاتورة المبيعات apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,وصلت محاولات الحد الأقصى لهذا الاختبار! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,اشتراك -DocType: Purchase Invoice,Contact Email,عنوان البريد الإلكتروني apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,إنشاء الرسوم معلقة DocType: Project Template Task,Duration (Days),المدة (أيام) DocType: Appraisal Goal,Score Earned,نقاط المكتسبة @@ -7543,7 +7621,6 @@ DocType: Landed Cost Item,Landed Cost Item,هبوط تكلفة صنف 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions",يتجاوز مبلغ المعاملة الواحدة الحد الأقصى للمبلغ المسموح به ، وقم بإنشاء أمر دفع منفصل عن طريق تقسيم المعاملات DocType: Service Level Agreement,Entity,كيان DocType: Payment Reconciliation,Receivable / Payable Account,القبض / حساب الدائنة DocType: Delivery Note Item,Against Sales Order Item,مقابل بند طلب مبيعات @@ -7711,6 +7788,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,مت DocType: Quality Inspection Reading,Reading 3,قراءة 3 DocType: Stock Entry,Source Warehouse Address,عنوان مستودع المصدر DocType: GL Entry,Voucher Type,نوع السند +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,المدفوعات المستقبلية 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 ,النشاط الاخير @@ -7737,6 +7815,7 @@ 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,العميل غستين DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,قائمة الأمراض المكتشفة في الميدان. عند اختيارها سوف تضيف تلقائيا قائمة من المهام للتعامل مع المرض +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,هذا هو وحدة خدمة الرعاية الصحية الجذر ولا يمكن تحريرها. DocType: Asset Repair,Repair Status,حالة الإصلاح apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",طلب الكمية : الكمية المطلوبة للشراء ، ولكن ليس أمر . @@ -7751,6 +7830,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,حساب لتغيير المبلغ DocType: QuickBooks Migrator,Connecting to QuickBooks,الاتصال QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,إجمالي الربح / الخسارة +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,إنشاء قائمة انتقاء apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},الصف {0}: حزب / حساب لا يتطابق مع {1} / {2} في {3} {4} DocType: Employee Promotion,Employee Promotion,ترقية الموظف DocType: Maintenance Team Member,Maintenance Team Member,عضو فريق الصيانة @@ -7833,6 +7913,7 @@ 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,فئة الأصول apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,صافي الأجور لا يمكن أن يكون بالسالب @@ -7864,7 +7945,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,هدف الجودة DocType: BOM,Item to be manufactured or repacked,الصنف الذي سيتم تصنيعه أو إعادة تعبئته apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},خطأ في بناء الجملة في الشرط: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,لا قضية أثارها العميل. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,المواد الرئيسية والاختيارية التي تم دراستها apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,يرجى تعيين مجموعة الموردين في إعدادات الشراء. @@ -7957,8 +8037,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,الائتمان أيام apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,يرجى اختيار المريض للحصول على اختبارات مختبر DocType: Exotel Settings,Exotel Settings,إعدادات Exotel -DocType: Leave Type,Is Carry Forward,هل تضاف في العام التالي +DocType: Leave Ledger Entry,Is Carry Forward,هل تضاف في العام التالي DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ساعات العمل أدناه التي يتم وضع علامة الغائب. (صفر لتعطيل) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,ارسل رسالة apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,تنزيل الاصناف من BOM 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,هو ضريبة الدخل diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv index df0355e4bc..f6f689ef39 100644 --- a/erpnext/translations/bg.csv +++ b/erpnext/translations/bg.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Уведомете доставчика apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Моля изберете страна Type първи DocType: Item,Customer Items,Клиентски елементи +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,пасив DocType: Project,Costing and Billing,Остойностяване и фактуриране apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Авансовата валута на сметката трябва да бъде същата като валутата на компанията {0} DocType: QuickBooks Migrator,Token Endpoint,Точката крайна точка @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Мерна единица по подра DocType: SMS Center,All Sales Partner Contact,Всички продажби Partner Контакт DocType: Department,Leave Approvers,Одобряващи отсъствия DocType: Employee,Bio / Cover Letter,Био / покритие писмо +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Елементи за търсене ... DocType: Patient Encounter,Investigations,Изследвания DocType: Restaurant Order Entry,Click Enter To Add,Щракнете върху Enter to Add apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Липсва стойност за парола, ключ за API или URL адрес за пазаруване" DocType: Employee,Rented,Отдаден под наем apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Всички профили apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Не можете да прехвърлите служител със състояние Left -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Спряно производство Поръчка не може да бъде отменено, отпуши го първо да отмените" DocType: Vehicle Service,Mileage,километраж apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Наистина ли искате да се бракувате от този актив? DocType: Drug Prescription,Update Schedule,Актуализиране на график @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Клиент DocType: Purchase Receipt Item,Required By,Изисквани от DocType: Delivery Note,Return Against Delivery Note,Върнете Срещу Бележка за доставка DocType: Asset Category,Finance Book Detail,Подробности за финансовата книга +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Всички амортизации са записани DocType: Purchase Order,% Billed,% Фактуриран apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Номер на ведомост apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Валутен курс трябва да бъде същата като {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Партида - Статус на срок на годност apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Банков чек DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Общо късни записи DocType: Mode of Payment Account,Mode of Payment Account,Вид на разплащателна сметка apps/erpnext/erpnext/config/healthcare.py,Consultation,консултация DocType: Accounts Settings,Show Payment Schedule in Print,Показване на графика на плащанията в печат @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,В apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Основни данни за контакт apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,открити въпроси DocType: Production Plan Item,Production Plan Item,Производство Plan Точка +DocType: Leave Ledger Entry,Leave Ledger Entry,Оставете вписване на книга apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Потребителят {0} вече е назначен служител {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} полето е ограничено до размер {1} DocType: Lab Test Groups,Add new line,Добавете нов ред apps/erpnext/erpnext/utilities/activation.py,Create Lead,Създайте олово DocType: Production Plan,Projected Qty Formula,Прогнозирана Количествена формула @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,М DocType: Purchase Invoice Item,Item Weight Details,Елемент за теглото на елемента DocType: Asset Maintenance Log,Periodicity,Периодичност apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Фискална година {0} се изисква +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Нетна печалба / загуба DocType: Employee Group Table,ERPNext User ID,ERPNext User ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Минималното разстояние между редиците растения за оптимален растеж apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,"Моля, изберете Пациент, за да получите предписана процедура" @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Ценова листа за продажба DocType: Patient,Tobacco Current Use,Тютюновата текуща употреба apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Продажна цена -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,"Моля, запазете документа си, преди да добавите нов акаунт" 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 ...,Търсете нещо ... DocType: Company,Phone No,Телефон No DocType: Delivery Trip,Initial Email Notification Sent,Първоначално изпратено имейл съобщение DocType: Bank Statement Settings,Statement Header Mapping,Ръководство за картографиране на отчети @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Пе DocType: Exchange Rate Revaluation Account,Gain/Loss,Печалба / загуба DocType: Crop,Perennial,целогодишен DocType: Program,Is Published,Издава се +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Показване на бележки за доставка apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","За да разрешите над таксуване, актуализирайте „Над надбавка за фактуриране“ в Настройки на акаунти или Елемент." DocType: Patient Appointment,Procedure,процедура DocType: Accounts Settings,Use Custom Cash Flow Format,Използвайте персонализиран формат на паричен поток @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Оставете подробности за правилата DocType: BOM,Item Image (if not slideshow),Позиция - снимка (ако не слайдшоу) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"Ред № {0}: Операция {1} не е завършена за {2} количество готови продукти в работна поръчка {3}. Моля, актуализирайте състоянието на работа чрез Job Card {4}." -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} е задължителен за генериране на плащания с парични преводи, задайте полето и опитайте отново" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(надница на час / 60) * действително отработено време apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ред # {0}: Референтният Тип на документа трябва да е от декларация за разходи или запис в дневника apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Изберете BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Погасяване Над брой периоди apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Количеството за производство не може да бъде по-малко от нула DocType: Stock Entry,Additional Costs,Допълнителни разходи +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Клиентска група> Територия apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Сметка със съществуващa трансакция не може да бъде превърната в група. DocType: Lead,Product Enquiry,Каталог Запитване DocType: Education Settings,Validate Batch for Students in Student Group,Валидирайте партида за студенти в студентска група @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Под Graduate apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,"Моля, задайте шаблона по подразбиране за известие за отпадане на статуса в настройките на HR." apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Цел - На DocType: BOM,Total Cost,Обща Цена +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Разпределението изтече! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Максимално пренасяне на препратени листа DocType: Salary Slip,Employee Loan,Служител кредит DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Изпращане на имейл с искане за плащане @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Нед apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Извлечение от сметка apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Фармации DocType: Purchase Invoice Item,Is Fixed Asset,Има дълготраен актив +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Показване на бъдещи плащания DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Тази банкова сметка вече е синхронизирана DocType: Homepage,Homepage Section,Секция за начална страница @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,тор apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.","Не може да се осигури доставка по сериен номер, тъй като \ Item {0} е добавен с и без да се гарантира доставката чрез \ сериен номер" -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Моля, настройте системата за именуване на инструктори в Образование> Настройки за образование" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,се изисква най-малко един режим на плащане за POS фактура. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Не е необходим партиден номер за партиден артикул {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Показател за транзакция на банкова декларация @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Изберете Общи усл apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Изх. стойност DocType: Bank Statement Settings Item,Bank Statement Settings Item,Елемент за настройки на банковата декларация DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings +DocType: Leave Ledger Entry,Transaction Name,Име на транзакцията DocType: Production Plan,Sales Orders,Поръчки за продажба apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,"Няколко програми за лоялност, намерени за клиента. Моля, изберете ръчно." DocType: Purchase Taxes and Charges,Valuation,Оценка @@ -460,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Показвайте само клиент на тези групи клиенти DocType: Sales Invoice,Is Opening Entry,Се отваря Влизане @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,"Споменете, ако нестандартно вземане предвид приложимо" 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,Вписването на акции вече е създадено спрямо този списък за избор DocType: Supplier Scorecard,Criteria Setup,Настройка на критериите -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,За склад се изисква преди изпращане +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,Получен на DocType: Codification Table,Medical Code,Медицински кодекс apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Свържете Amazon с ERPNext @@ -485,7 +495,7 @@ DocType: Restaurant Order Entry,Add Item,Добави елемент DocType: Party Tax Withholding Config,Party Tax Withholding Config,Конфиг DocType: Lab Test,Custom Result,Потребителски резултат apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Добавени са банкови сметки -DocType: Delivery Stop,Contact Name,Контакт - име +DocType: Call Log,Contact Name,Контакт - име DocType: Plaid Settings,Synchronize all accounts every hour,Синхронизирайте всички акаунти на всеки час DocType: Course Assessment Criteria,Course Assessment Criteria,Критерии за оценка на курса DocType: Pricing Rule Detail,Rule Applied,Прилага се правило @@ -529,7 +539,6 @@ 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,Фактура за продажба - Номер -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Неизвестен номер DocType: Website Filter Field,Website Filter Field,Поле за филтриране на уебсайтове apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Тип доставка DocType: Material Request Item,Min Order Qty,Минимално количество за поръчка @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Обща главна сума DocType: Student Guardian,Relation,Връзка DocType: Quiz Result,Correct,правилен DocType: Student Guardian,Mother,майка -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,"Моля, първо добавете валидни ключове за аплодисменти в site_config.json" DocType: Restaurant Reservation,Reservation End Time,Време за край на резервацията DocType: Crop,Biennial,двегодишен ,BOM Variance Report,Доклад за отклоненията в BOM @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,Plaid публичен ключ DocType: Payment Term,Payment Term Name,Условия за плащане - Име DocType: Healthcare Settings,Create documents for sample collection,Създаване на документи за събиране на проби apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},"Заплащане срещу {0} {1} не може да бъде по-голяма от дължимата сума, {2}" @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Офлайн POS настройки DocType: Stock Entry Detail,Reference Purchase Receipt,Справка за покупка DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,МАТ-Reco-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Вариант на -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Изпълнено Количество не може да бъде по-голямо от ""Количество за производство""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Изпълнено Количество не може да бъде по-голямо от ""Количество за производство""" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,"Период, базиран на" DocType: Period Closing Voucher,Closing Account Head,Закриване на профила Head DocType: Employee,External Work History,Външно работа apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Циклична референция - Грешка apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Карта на студентите apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,От кода на ПИН +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Покажи лице за продажби DocType: Appointment Type,Is Inpatient,Е стационар apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Наименование Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Словом (износ) ще бъде видим след като запазите складовата разписка. @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Име на величината apps/erpnext/erpnext/healthcare/setup.py,Resistant,устойчив apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Моля, посочете цената на стаята в хотел {}" +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте сериите за номериране на посещаемостта чрез Настройка> Серия за номериране" DocType: Journal Entry,Multi Currency,Много валути DocType: Bank Statement Transaction Invoice Item,Invoice Type,Вид фактура apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Валидно от датата трябва да е по-малко от валидната до дата @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Приети DocType: Workstation,Rent Cost,Разход за наем 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,Сума след амортизация apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Предстоящи Календар на събитията apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Вариант атрибути @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Запитване за о 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Показване на продавач в печат 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,сила @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Създаване на нов клиент apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Изтичане на On apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ако няколко ценови правила продължават да преобладават, потребителите се приканват да се настрои приоритет ръчно да разрешите конфликт." -DocType: Purchase Invoice,Scan Barcode,Сканиране на баркод apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Създаване на поръчки за покупка ,Purchase Register,Покупка Регистрация apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Пациентът не е намерен @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Channel Partner DocType: Account,Old Parent,Предишен родител apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Задължително поле - академична година apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} не е свързана с {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Заплата Компонент за график базирани работни заплати. DocType: Driver,Applicable for external driver,Приложим за външен драйвер DocType: Sales Order Item,Used for Production Plan,Използвани за производство на План +DocType: BOM,Total Cost (Company Currency),Обща цена (валута на компанията) DocType: Loan,Total Payment,Общо плащане apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Не може да се анулира транзакцията за Завършена поръчка за работа. DocType: Manufacturing Settings,Time Between Operations (in mins),Време между операциите (в минути) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Известяване на д DocType: Vital Signs,Blood Pressure (systolic),Кръвно налягане (систолично) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} е {2} DocType: Item Price,Valid Upto,Валиден до +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.,Изброите някои от вашите клиенти. Те могат да бъдат организации или индивидуални лица. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Промени в {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Моля изберете фирма DocType: Employee Skill,Employee Skill,Умение на служителите apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Разлика Акаунт @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Рискови фактори DocType: Patient,Occupational Hazards and Environmental Factors,Професионални опасности и фактори на околната среда apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Вече се създават записи за поръчка за работа apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Вижте минали поръчки +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} разговори DocType: Vital Signs,Respiratory rate,Респираторна скорост apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Управление Подизпълнители DocType: Vital Signs,Body Temperature,Температура на тялото @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Регистриран съст apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Здравейте apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Преместване на елемент DocType: Employee Incentive,Incentive Amount,Стимулираща сума +,Employee Leave Balance Summary,Обобщение на баланса на служителите DocType: Serial No,Warranty Period (Days),Гаранционен период (дни) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Общата сума за кредит / дебит трябва да бъде същата като свързаната с вписването в дневника DocType: Installation Note Item,Installation Note Item,Монтаж Забележка Точка @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,подут DocType: Salary Slip,Salary Slip Timesheet,Заплата Slip график apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Доставчик склад е задължителен за подизпълнители с разписка за покупка DocType: Item Price,Valid From,Валидна от +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Вашият рейтинг: DocType: Sales Invoice,Total Commission,Общо комисионна DocType: Tax Withholding Account,Tax Withholding Account,Сметка за удържане на данъци DocType: Pricing Rule,Sales Partner,Търговски партньор @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Всички оц DocType: Buying Settings,Purchase Receipt Required,Покупка Квитанция Задължително DocType: Sales Invoice,Rail,релса apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Реална цена +DocType: Item,Website Image,Изображение на уебсайт apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Целевият склад в ред {0} трябва да бъде същият като работната поръчка apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Оценка процент е задължително, ако влезе Откриване Фондова" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Не са намерени записи в таблицата с фактури @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,"Моля, завършете конфигурацията на Plaid API, преди да синхронизирате акаунта си" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Половин ден е задължително DocType: Sales Order,Billing and Delivery Status,Статус на фактуриране и доставка DocType: Job Applicant,Resume Attachment,Resume Attachment @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,План за производство DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Отваряне на инструмента за създаване на фактури DocType: Salary Component,Round to the Nearest Integer,Завъртете до най-близкия цяло число apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Продажби - Връщане -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Забележка: Общо отпуснати листа {0} не трябва да бъдат по-малки от вече одобрените листа {1} за периода DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Задайте количество в транзакции въз основа на сериен № вход ,Total Stock Summary,Общо обобщение на наличностите apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,"Л apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,размер на главницата DocType: Loan Application,Total Payable Interest,Общо дължими лихви apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Общо неизключение: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Отворете контакт 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} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},За сериализиран артикул се изискват сериен номер (и) {0} @@ -1080,6 +1099,7 @@ 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,Възникна грешка по време на процеса на актуализиране DocType: Restaurant Reservation,Restaurant Reservation,Ресторант Резервация +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Вашите вещи apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Предложение за писане DocType: Payment Entry Deduction,Payment Entry Deduction,Плащането - отстъпка/намаление DocType: Service Level Priority,Service Level Priority,Приоритет на нивото на услугата @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Серия от серии от партиди apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Съществува друга продажбите Person {0} със същия Employee ID DocType: Employee Advance,Claimed Amount,Сумата по иск +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Изтичане на разпределението DocType: QuickBooks Migrator,Authorization Settings,Настройки за упълномощаване DocType: Travel Itinerary,Departure Datetime,Дата на заминаване apps/erpnext/erpnext/hub_node/api.py,No items to publish,Няма елементи за публикуване @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,Партида Име DocType: Fee Validity,Max number of visit,Максимален брой посещения DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Задължително за сметка на печалбата и загубата ,Hotel Room Occupancy,Заседание в залата на хотела -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,График създаден: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},"Моля, задайте по подразбиране в брой или по банкова сметка за начин на плащане {0}" apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Записване DocType: GST Settings,GST Settings,Настройки за GST @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),Комисионен процент ( apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,"Моля, изберете Програма" DocType: Project,Estimated Cost,Очаквани разходи DocType: Request for Quotation,Link to material requests,Препратка към материални искания +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,публикувам apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Космически ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Кредитна карта - Запис @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Текущи активи apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} не е в наличност apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Моля, споделете отзивите си към обучението, като кликнете върху "Обратна връзка за обучението" и след това върху "Ново"" +DocType: Call Log,Caller Information,Информация за обаждащия се DocType: Mode of Payment Account,Default Account,Сметка по подрозбиране apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,"Моля, първо изберете Списъка за запазване на образеца в настройките за запас" apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,"Моля, изберете типа Multiple Tier Program за повече от една правила за събиране." @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Auto Материал Исканията Генерирани DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Работно време, под което е отбелязан половин ден. (Нула за деактивиране)" DocType: Job Card,Total Completed Qty,Общо завършен брой +DocType: HR Settings,Auto Leave Encashment,Автоматично оставяне Encashment apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Загубен apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Вие не можете да въведете текущата ваучер "Срещу вестник Entry" колона DocType: Employee Benefit Application Detail,Max Benefit Amount,Максимална сума на ползата @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,абонат DocType: Item Attribute Value,Item Attribute Value,Позиция атрибут - Стойност apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Валутната обмяна трябва да бъде приложима при закупуване или продажба. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Само разпределението с изтекъл срок може да бъде анулирано DocType: Item,Maximum sample quantity that can be retained,"Максимално количество проба, което може да бъде запазено" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Ред {0} # елемент {1} не може да бъде прехвърлен повече от {2} срещу поръчка за покупка {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Продажби кампании. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Неизвестен обаждащ се DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1400,6 +1425,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Графи apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Име DocType: Expense Claim Detail,Expense Claim Type,Expense претенция Type DocType: Shopping Cart Settings,Default settings for Shopping Cart,Настройките по подразбиране за пазарската количка +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Запазване на елемент apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Нов разход apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Игнорирайте съществуващите подредени Кол apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Добавете времеви слотове @@ -1412,6 +1438,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Преглед на изпратената покана DocType: Shift Assignment,Shift Assignment,Shift Assignment DocType: Employee Transfer Property,Employee Transfer Property,Собственост +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Полето Сметка за собствен капитал / пасив не може да бъде празно apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,От времето трябва да бъде по-малко от времето apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Биотехнология apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1493,11 +1520,13 @@ 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,Създайте нов контакт apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,График на курса DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B отчет DocType: Request for Quotation Supplier,Quote Status,Статус на цитата DocType: GoCardless Settings,Webhooks Secret,Уикенд Тайк DocType: Maintenance Visit,Completion Status,Статус на Завършване +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Общата сума на плащанията не може да бъде по-голяма от {} DocType: Daily Work Summary Group,Select Users,Изберете Потребители DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Елемент за ценообразуване в хотелски стаи DocType: Loyalty Program Collection,Tier Name,Име на подреждането @@ -1535,6 +1564,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Сума DocType: Lab Test Template,Result Format,Формат на резултатите DocType: Expense Claim,Expenses,Разходи DocType: Service Level,Support Hours,Часове за поддръжка +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Доставка Бележки DocType: Item Variant Attribute,Item Variant Attribute,Позиция Variant Умение ,Purchase Receipt Trends,Покупка Квитанция Trends DocType: Payroll Entry,Bimonthly,Два пъти месечно @@ -1557,7 +1587,6 @@ DocType: Sales Team,Incentives,Стимули DocType: SMS Log,Requested Numbers,Желани номера DocType: Volunteer,Evening,вечер DocType: Quiz,Quiz Configuration,Конфигурация на викторината -DocType: Customer,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,Фондова Детайли @@ -1604,7 +1633,6 @@ apps/erpnext/erpnext/config/accounting.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,Филтриране общо нулев брой -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Не може да се намери време слот за следващия {0} ден за операция {1} DocType: Work Order,Plan material for sub-assemblies,План материал за частите 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,Няма налични елементи за прехвърляне @@ -1619,9 +1647,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,"Трябва да активирате автоматично пренареждане в Настройки на запасите, за да поддържате нивата на повторна поръчка." apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменете Материал Посещения {0} преди да анулирате тази поддръжка посещение DocType: Pricing Rule,Rate or Discount,Процент или Отстъпка +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Банкова информация DocType: Vital Signs,One Sided,Едностранно apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Сериен № {0} не принадлежи на позиция {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Необходим Количество +DocType: Purchase Order Item Supplied,Required Qty,Необходим Количество DocType: Marketplace Settings,Custom Data,Персонализирани данни apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Складове с действащото сделка не може да се превърнат в книга. DocType: Service Day,Service Day,Ден на обслужване @@ -1649,7 +1678,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Валута на сметката DocType: Lab Test,Sample ID,Идентификатор на образец apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,"Моля, посочете закръглят Account в Company" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Диапазон DocType: Supplier,Default Payable Accounts,По подразбиране Платими сметки apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Служител {0} не е активен или не съществува @@ -1690,8 +1718,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Заявка за информация DocType: Course Activity,Activity Date,Дата на активност apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} на {} -,LeaderBoard,Списък с водачите DocType: Sales Invoice Item,Rate With Margin (Company Currency),Оцени с марджин (валута на компанията) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Категории apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Синхронизиране на офлайн Фактури DocType: Payment Request,Paid,Платен DocType: Service Level,Default Priority,Приоритет по подразбиране @@ -1726,11 +1754,11 @@ 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,Непряк доход DocType: Student Attendance Tool,Student Attendance Tool,Student Присъствие Tool DocType: Restaurant Menu,Price List (Auto created),Ценоразпис (създадено автоматично) +DocType: Pick List Item,Picked Qty,Избран Кол DocType: Cheque Print Template,Date Settings,Дата Настройки 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,Подробности за промоцията на служителите -,Company Name,Име на фирмата DocType: SMS Center,Total Message(s),Общо съобщения DocType: Share Balance,Purchased,Закупен DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Преименувайте стойността на атрибута в атрибута на елемента @@ -1749,7 +1777,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Последен опит 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} -DocType: BOM,Raw Material Cost(Company Currency),Разходи за суровини (фирмена валута) 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,Разход за ток @@ -1816,6 +1843,7 @@ DocType: Travel Itinerary,Train,Влак ,Delayed Item Report,Отчет за отложено изделие apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Допустим ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Задържане в болница +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Публикувайте първите си артикули DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Време след края на смяната, по време на което напускането се счита за присъствие." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},"Моля, посочете {0}" @@ -1931,6 +1959,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Всички сп apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Създаване на записите в Inter Company Journal DocType: Company,Parent Company,Компанията-майка apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Хотел Стаи тип {0} не са налице на {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Сравнете BOMs за промени в суровините и експлоатацията apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Документът {0} успешно не е изчистен DocType: Healthcare Practitioner,Default Currency,Валута по подразбиране apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Примирете този акаунт @@ -1965,6 +1994,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,Детайли на Cи-форма Фактура DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Заплащане помирение Invoice DocType: Clinical Procedure,Procedure Template,Шаблон на процедурата +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Публикуване на елементи apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Принос % apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Както е описано в Настройките за купуване, ако поръчката за доставка е задължителна == "ДА", тогава за да се създаде фактура за покупка, потребителят трябва първо да създаде поръчка за покупка за елемент {0}" ,HSN-wise-summary of outward supplies,HSN-мъдро обобщение на външните доставки @@ -1977,7 +2007,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',"Моля, задайте "Прилагане Допълнителна отстъпка от '" DocType: Party Tax Withholding Config,Applicable Percent,Приложимо процента ,Ordered Items To Be Billed,"Поръчани артикули, които да се фактурират" -DocType: Employee Checkin,Exit Grace Period Consequence,Изход от последица за грациозен период apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,От диапазон трябва да бъде по-малко от До диапазон DocType: Global Defaults,Global Defaults,Глобални настройки по подразбиране apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Проект Collaboration Покана @@ -1985,13 +2014,11 @@ DocType: Salary Slip,Deductions,Удръжки DocType: Setup Progress Action,Action Name,Име на действието apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Старт Година apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Създайте заем -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Начална дата на периода на текущата фактура за DocType: Shift Type,Process Attendance After,Посещение на процесите след ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Неплатен отпуск DocType: Payment Request,Outward,навън -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Грешка при Планиране на капацитета apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Държавен / НТ данък ,Trial Balance for Party,Оборотка за партньор ,Gross and Net Profit Report,Отчет за брутната и нетната печалба @@ -2010,7 +2037,6 @@ DocType: Payroll Entry,Employee Details,Детайли на служителит 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} се изисква актив -DocType: Setup Progress Action,Domains,Домейни 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} @@ -2053,7 +2079,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Обща 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.","Режимът на плащане не е конфигуриран. Моля, проверете, дали сметката е настроен на режим на плащания или на POS профил." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Същата позиция не може да бъде въведена няколко пъти. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Допълнителни сметки могат да бъдат направени по групи, но записи могат да бъдат направени по отношение на не-групи" -DocType: Email Campaign,Lead,Потенциален клиент +DocType: Call Log,Lead,Потенциален клиент DocType: Email Digest,Payables,Задължения DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Кампания за имейл за @@ -2065,6 +2091,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,"Покупка Поръчка артикули, които се таксуват" 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,Кредитни лимити DocType: Purchase Invoice Item,Net Rate,Нетен коефициент apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,"Моля, изберете клиент" DocType: Leave Policy,Leave Allocations,Оставете разпределения @@ -2078,6 +2105,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Затваряне на проблем след брой дни ,Eway Bill,Еуей Бил apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,"Трябва да сте потребител с роли на System Manager и мениджър на елементи, за да добавите потребители към Marketplace." +DocType: Attendance,Early Exit,Ранен изход DocType: Job Opening,Staffing Plan,Персонал План apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON може да се генерира само от представен документ apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Данък на служителите и предимства @@ -2098,6 +2126,7 @@ DocType: Maintenance Team Member,Maintenance Role,Роля за поддръжк apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Дублиран ред {0} със същия {1} DocType: Marketplace Settings,Disable Marketplace,Деактивиране на пазара DocType: Quality Meeting,Minutes,Минути +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Вашите избрани артикули ,Trial Balance,Оборотна ведомост apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Показване завършено apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Фискална година {0} не е намерена @@ -2107,8 +2136,8 @@ 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,Моля изберете префикс първо DocType: Contract,Fulfilment Deadline,Краен срок за изпълнение +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Близо до вас DocType: Student,O-,О- -DocType: Shift Type,Consequence,следствие DocType: Subscription Settings,Subscription Settings,Настройки за абонамент DocType: Purchase Invoice,Update Auto Repeat Reference,Актуализиране на референцията за автоматично повторение apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Незадължителен празничен списък не е зададен за период на отпуск {0} @@ -2119,7 +2148,6 @@ DocType: Maintenance Visit Purpose,Work Done,"Работата, извършен apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,"Моля, посочете поне един атрибут в таблицата с атрибути" DocType: Announcement,All Students,Всички студенти apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,"Позиция {0} трябва да е позиция, която не се с наличности" -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Банкови деатили apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Показване на счетоводна книга DocType: Grading Scale,Intervals,Интервали DocType: Bank Statement Transaction Entry,Reconciled Transactions,Съгласувани транзакции @@ -2155,6 +2183,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Този склад ще се използва за създаване на поръчки за продажба. Резервният склад е "Магазини". DocType: Work Order,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,Поддържане на същия процент в цялия цикъл на покупка DocType: Opportunity Item,Opportunity Item,Възможност - позиция DocType: Quality Action,Quality Review,Преглед на качеството @@ -2181,7 +2210,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Вземи неплатените фактури -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Поръчка за продажба {0} не е валидна +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,Предупреждавайте за нова заявка за оферти apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Поръчки помогнат да планирате и проследяване на вашите покупки apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Предписания за лабораторни тестове @@ -2206,6 +2235,7 @@ DocType: Employee Onboarding,Notify users by email,Уведомете потре DocType: Travel Request,International,международен DocType: Training Event,Training Event,обучение на Събитията DocType: Item,Auto re-order,Автоматична повторна поръчка +DocType: Attendance,Late Entry,Късен вход apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Общо Постигнати DocType: Employee,Place of Issue,Място на издаване DocType: Promotional Scheme,Promotional Scheme Price Discount,Промоционална схема Отстъпка от цени @@ -2252,6 +2282,7 @@ DocType: Serial No,Serial No Details,Сериен № - Детайли DocType: Purchase Invoice Item,Item Tax Rate,Позиция данъчна ставка apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,От името на партията apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Нетна сума на заплатата +DocType: Pick List,Delivery against Sales Order,Доставка срещу поръчка за продажба DocType: Student Group Student,Group Roll Number,Номер на ролката в групата apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","За {0}, само кредитни сметки могат да бъдат свързани с друг запис дебитна" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Складова разписка {0} не е подадена @@ -2323,7 +2354,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Тази стойност се използва за изчисление pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Трябва да се активира функционалността за количка за пазаруване DocType: Payment Entry,Writeoff,Отписване DocType: Maintenance Visit,MAT-MVS-.YYYY.-,МАТ-MVS-.YYYY.- @@ -2337,6 +2367,7 @@ DocType: Delivery Trip,Total Estimated Distance,Общо оценено разс DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Неплатена сметка на вземанията DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Не е позволено да създава счетоводна величина за {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,"Моля, актуализирайте състоянието си за това събитие за обучение" DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Добави или Приспадни @@ -2346,7 +2377,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Неактивни артикули за продажби DocType: Quality Review,Additional Information,Допълнителна информация apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Обща стойност на поръчката -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Нулиране на споразумение за ниво на услуга. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Храна apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Застаряването на населението Range 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Детайли за ваучерите за затваряне на POS @@ -2393,6 +2423,7 @@ 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,Кампания 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 трябва да бъде "Одобрена" или "Отхвърлени" DocType: Healthcare Practitioner,Contacts and Address,Контакти и адрес DocType: Shift Type,Determine Check-in and Check-out,Определете настаняване и напускане @@ -2412,7 +2443,6 @@ DocType: Student Admission,Eligibility and Details,Допустимост и п apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Включена в брутната печалба apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Нетна промяна в дълготрайни материални активи apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Необходимият брой -DocType: Company,Client Code,Код на клиента apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge от тип "Край" в ред {0} не могат да бъдат включени в т Курсове apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Макс: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,От дата/час @@ -2480,6 +2510,7 @@ DocType: Journal Entry Account,Account Balance,Баланс на Сметка apps/erpnext/erpnext/config/accounting.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 (%),Помощ за прехвърляне (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: изисква се клиент при сметка за вземания{2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Общо данъци и такси (фирмена валута) DocType: Weather,Weather Parameter,Параметър на времето @@ -2542,6 +2573,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Праг на работ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Въз основа на общата сума може да има няколко фактора за събиране. Но конверсионният коефициент за обратно изкупуване винаги ще бъде същият за всички нива. apps/erpnext/erpnext/config/help.py,Item Variants,Елемент Варианти apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Услуги +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Email Заплата поднасяне на служителите DocType: Cost Center,Parent Cost Center,Разходен център - Родител @@ -2552,7 +2584,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields"," DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Импортирайте бележките за доставка от Shopify при доставката apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Покажи затворен DocType: Issue Priority,Issue Priority,Приоритет на издаване -DocType: Leave Type,Is Leave Without Pay,Дали си тръгне без Pay +DocType: Leave Ledger Entry,Is Leave Without Pay,Дали си тръгне без Pay apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset Категория е задължително за Фиксирана позиция в актива DocType: Fee Validity,Fee Validity,Валидност на таксата @@ -2601,6 +2633,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Свободно Ba apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Актуализация на Print Format DocType: Bank Account,Is Company Account,Е фирмен профил apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Оставете тип {0} не е инкасан +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Кредитният лимит вече е определен за компанията {0} DocType: Landed Cost Voucher,Landed Cost Help,Поземлен Cost Помощ DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-Vlog-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Изберете Адрес за доставка @@ -2625,6 +2658,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Двупосочен DocType: Item,Manufacturers,Производители @@ -2661,7 +2695,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Банково извлечение - Резюме DocType: Patient Encounter,Medical Coding,Медицински кодиране DocType: Healthcare Settings,Reminder Message,Съобщение за напомняне -,Lead Name,Потенциален клиент - име +DocType: Call Log,Lead Name,Потенциален клиент - име ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Проучване @@ -2693,12 +2727,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Доставчик Склад DocType: Opportunity,Contact Mobile No,Контакт - мобилен номер apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Изберете фирма ,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: Student Report Generation Tool,Print Section,Раздел за печат DocType: Staffing Plan Detail,Estimated Cost Per Position,Очаквана цена за позиция DocType: Employee,HR-EMP-,HR-EMP- 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,Качествени минути на срещата +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Доставчик> Тип доставчик apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Служебни препоръки DocType: Student Group,Set 0 for no limit,Определете 0 за без лимит apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Деня (и), на който кандидатствате за отпуск е празник. Не е нужно да кандидатствате за отпуск." @@ -2732,12 +2768,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Нетна промяна в паричната наличност DocType: Assessment Plan,Grading Scale,Оценъчна скала apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Мерна единица {0} е въведен повече от веднъж в реализациите Factor Таблица -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Вече приключен apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Склад в ръка apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component","Моля, добавете останалите предимства {0} към приложението като компонент \ pro-rata" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',"Моля, задайте фискален код за публичната администрация „% s“" -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Вече съществува заявка за плащане {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Разходите за изписани стоки DocType: Healthcare Practitioner,Hospital,Болница apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Количество не трябва да бъде повече от {0} @@ -2782,6 +2816,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Човешки Ресурси apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Upper подоходно DocType: Item Manufacturer,Item Manufacturer,Позиция - Производител +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Създайте нова водеща позиция DocType: BOM Operation,Batch Size,Размер на партидата apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Отхвърляне DocType: Journal Entry Account,Debit in Company Currency,Дебит сума във валута на фирмата @@ -2802,9 +2837,11 @@ DocType: Bank Transaction,Reconciled,помирен DocType: Expense Claim,Total Amount Reimbursed,Обща сума възстановена apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Това се основава на трупи срещу това превозно средство. Вижте график по-долу за повече подробности apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Датата на заплащане не може да бъде по-малка от датата на присъединяване на служителя +DocType: Pick List,Item Locations,Местоположения на артикули apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} създаден apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Отваряне на работни места за означаване {0} вече отворено или завършено наемане по план за персонал {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Можете да публикувате до 200 елемента. DocType: Vital Signs,Constipated,запек apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Срещу фактура от доставчик {0} от {1} DocType: Customer,Default Price List,Ценоразпис по подразбиране @@ -2896,6 +2933,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Действително начало на Shift DocType: Tally Migration,Is Day Book Data Imported,Импортират ли се данните за дневна книга apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Разходите за маркетинг +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} единици от {1} не са налични. ,Item Shortage Report,Позиция Недостиг Доклад 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,"Не може да се създадат стандартни критерии. Моля, преименувайте критериите" @@ -2918,6 +2956,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,Дата на пенсиониране DocType: Upload Attendance,Get Template,Вземи шаблон +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Изберете списък ,Sales Person Commission Summary,Резюме на Комисията по продажбите DocType: Material Request,Transferred,Прехвърлен DocType: Vehicle,Doors,Врати @@ -2997,7 +3036,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Клиентски Код на DocType: Stock Reconciliation,Stock Reconciliation,Склад за помирение DocType: Territory,Territory Name,Територия Име DocType: Email Digest,Purchase Orders to Receive,"Поръчки за покупка, които да получавате" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Склад за Незавършено производство се изисква преди изпращане +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Склад за Незавършено производство се изисква преди изпращане apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Можете да имате планове само със същия цикъл на таксуване в абонамент DocType: Bank Statement Transaction Settings Item,Mapped Data,Картографирани данни DocType: Purchase Order Item,Warehouse and Reference,Склад и справочник @@ -3071,6 +3110,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Настройки за доставка apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Извличане на данни apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},"Максималният отпуск, разрешен в отпуск тип {0} е {1}" +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Публикуване на 1 елемент DocType: SMS Center,Create Receiver List,Създаване на списък за получаване DocType: Student Applicant,LMS Only,Само за LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,"Датата, която трябва да се използва, трябва да бъде след датата на покупката" @@ -3104,6 +3144,7 @@ DocType: Serial No,Delivery Document No,Доставка документ № DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Осигурете доставка на базата на произведен сериен номер DocType: Vital Signs,Furry,кожен apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Моля, задайте "Печалба / Загуба на профила за изхвърляне на активи" в компания {0}" +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} се изисква местоположението на целта. @@ -3115,6 +3156,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Преглед на всички проблеми от {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,МАТ-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Качествена среща за срещи +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/templates/pages/help.html,Visit the forums,Посетете форумите DocType: Student,Student Mobile Number,Student мобилен номер DocType: Item,Has Variants,Има варианти @@ -3125,9 +3167,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Име на месец Дистрибуцията DocType: Quality Procedure Process,Quality Procedure Process,Процес на качествена процедура apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Идентификационният номер на партидата е задължителен +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,"Моля, първо изберете клиента" DocType: Sales Person,Parent Sales Person,Родител Продажби Person apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Не се получават просрочени суми apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Продавачът и купувачът не могат да бъдат същите +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Няма още показвания DocType: Project,Collect Progress,Събиране на напредъка DocType: Delivery Note,MAT-DN-.YYYY.-,МАТ-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Първо изберете програмата @@ -3149,11 +3193,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Постигнато DocType: Student Admission,Application Form Route,Заявление форма Път apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Крайната дата на споразумението не може да бъде по-малка от днешната. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter за изпращане DocType: Healthcare Settings,Patient Encounters in valid days,Срещите на пациентите в валидни дни apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Тип отсъствие {0} не може да бъде разпределено, тъй като то е без заплащане" 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},Row {0}: отпусната сума {1} трябва да е по-малка или равна на фактурира непогасения {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Словом ще бъде видим след като запазите фактурата. DocType: Lead,Follow Up,Последвай +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Център за разходи: {0} не съществува DocType: Item,Is Sales Item,Е-продажба Точка apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Позиция Group Tree apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Позиция {0} не е настройка за серийни номера. Проверете настройките. @@ -3197,9 +3243,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Доставено количество DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Заявка за материал - позиция -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,"Моля, първо да отмените разписката за покупка {0}" apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Дърво на стокови групи. DocType: Production Plan,Total Produced Qty,Общ брой произведени количества +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Още няма отзиви apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Не може да се отнесе поредни номера по-голям или равен на текущия брой ред за този тип Charge DocType: Asset,Sold,продаден ,Item-wise Purchase History,Точка-мъдър История на покупките @@ -3218,7 +3264,7 @@ DocType: Designation,Required Skills,Необходими умения DocType: Inpatient Record,O Positive,O Положителен apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Инвестиции DocType: Issue,Resolution Details,Резолюция Детайли -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Тип транзакция +DocType: Leave Ledger Entry,Transaction Type,Тип транзакция DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критерии за приемане apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Моля, въведете Материал Исканията в таблицата по-горе" apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Няма налични изплащания за вписване в дневника @@ -3259,6 +3305,7 @@ DocType: Bank Account,Bank Account No,Номер на банкова сметк DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Декларация за освобождаване от данък върху доходите на служителите DocType: Patient,Surgical History,Хирургическа история DocType: Bank Statement Settings Item,Mapped Header,Картографирано заглавие +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте системата за именуване на служители в Човешки ресурси> Настройки за човешки ресурси" DocType: Employee,Resignation Letter Date,Дата на молбата за напускане apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Правилата за ценообразуване са допълнително филтрирани въз основа на количеството. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},"Моля, задайте датата на присъединяване за служител {0}" @@ -3326,7 +3373,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Добавяне на б 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Общо отпуснати листа {0} не могат да бъдат по-малки от вече одобрените листа {1} за периода DocType: Contract Fulfilment Checklist,Requirement,изискване DocType: Journal Entry,Accounts Receivable,Вземания DocType: Quality Goal,Objectives,Цели @@ -3349,7 +3395,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Праг на еди DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Тази стойност се актуализира в ценовата листа по подразбиране. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Количката ви е Празна DocType: Email Digest,New Expenses,Нови разходи -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Сума на PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Не може да се оптимизира маршрута, тъй като адресът на драйвера липсва." DocType: Shareholder,Shareholder,акционер DocType: Purchase Invoice,Additional Discount Amount,Допълнителна отстъпка сума @@ -3386,6 +3431,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Задача за поддръ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,"Моля, задайте B2C Limit в настройките на GST." 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} сега е по подразбиране фискална година. Моля, опреснете браузъра си за да влезе в сила промяната." @@ -3422,6 +3468,7 @@ DocType: Salary Component,Deduction,Намаление DocType: Item,Retain Sample,Запазете пробата apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Ред {0}: От време и До време - е задължително. DocType: Stock Reconciliation Item,Amount Difference,сума Разлика +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"Тази страница следи артикулите, които искате да закупите от продавачите." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Елемент Цена добавя за {0} в Ценовата листа {1} DocType: Delivery Stop,Order Information,информация за поръчка apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Моля, въведете Id Служител на този търговец" @@ -3450,6 +3497,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Фискална година ** представлява финансова година. Всички счетоводни записвания и други големи движения се записват към ** Фискална година **. DocType: Opportunity,Customer / Lead Address,Клиент / Потенциален клиент - Адрес DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Настройка на таблицата с доставчици +DocType: Customer Credit Limit,Customer Credit Limit,Лимит на клиентски кредит apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Име на плана за оценка apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Детайли за целта apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Приложимо, ако компанията е SpA, SApA или SRL" @@ -3502,7 +3550,6 @@ DocType: Company,Transactions Annual History,Годишна история на 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,Име на банката -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-По-горе 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,течност @@ -3554,6 +3601,7 @@ 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,Добавено към Препоръчани елементи apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Печалба за годината 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,В Процес @@ -3607,12 +3655,10 @@ 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,Допускане на един и същ елемент няколко пъти -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Няма намерен GST номер за компанията. 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,Служители DocType: Question,Single Correct Answer,Единен правилен отговор -DocType: Employee,Contact Details,Данни за контакт DocType: C-Form,Received Date,Дата на получаване DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ако сте създали стандартен формуляр в продажбите данъци и такси Template, изберете един и кликнете върху бутона по-долу." DocType: BOM Scrap Item,Basic Amount (Company Currency),Основна сума (Валута на компанията) @@ -3642,12 +3688,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Website Операци DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,Доклад за доставчиците apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,График за приемане +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Общата сума на заявката за плащане не може да бъде по-голяма от {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Граница на кумулативните транзакции DocType: Promotional Scheme Price Discount,Discount Type,Тип отстъпка -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Общо фактурирана сума DocType: Purchase Invoice Item,Is Free Item,Безплатен артикул +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Процент, който можете да прехвърлите повече срещу поръчаното количество. Например: Ако сте поръчали 100 единици. и вашето обезщетение е 10%, тогава можете да прехвърлите 110 единици." DocType: Supplier,Warn RFQs,Предупреждавайте RFQ -apps/erpnext/erpnext/templates/pages/home.html,Explore,Изследвай +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Изследвай DocType: BOM,Conversion Rate,Обменен курс apps/erpnext/erpnext/www/all-products/index.html,Product Search,Търсене на продукти ,Bank Remittance,Банкови преводи @@ -3659,6 +3706,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Обща платена сума DocType: Asset,Insurance End Date,Крайна дата на застраховката apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Моля, изберете Студентски прием, който е задължителен за платения кандидат за студент" +DocType: Pick List,STO-PICK-.YYYY.-,STO ИЗБОР-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Бюджетен списък DocType: Campaign,Campaign Schedules,График на кампанията DocType: Job Card Time Log,Completed Qty,Изпълнено Количество @@ -3681,6 +3729,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Нов а DocType: Quality Inspection,Sample Size,Размер на извадката apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,"Моля, въведете Получаване на документация" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Всички елементи вече са фактурирани +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Отнети листа apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Моля, посочете валиден "От Case No."" 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,"Допълнителни разходни центрове могат да бъдат направени по групи, но записи могат да бъдат направени по отношение на не-групи" 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,Общите разпределени листа са повече дни от максималното разпределение на {0} отпуск за служител {1} за периода @@ -3780,6 +3829,8 @@ 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: Call Log,Received By,Получено от 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.,Абонирай се за отделни приходи и разходи за вертикали продуктови или подразделения. @@ -3833,6 +3884,7 @@ DocType: Support Search Source,Result Title Field,Поле за заглавие apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Обобщение на обажданията DocType: Sample Collection,Collected Time,Събрано време DocType: Employee Skill Map,Employee Skills,Умения на служителите +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Разход за гориво DocType: Company,Sales Monthly History,Месечна история на продажбите apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,"Моля, задайте поне един ред в таблицата за данъци и такси" DocType: Asset Maintenance Task,Next Due Date,Следваща дата @@ -3842,6 +3894,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Жизн DocType: Payment Entry,Payment Deductions or Loss,Плащане Удръжки или загуба DocType: Soil Analysis,Soil Analysis Criterias,Критерии за анализ на почвите apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Стандартни договорни условия за покупко-продажба или покупка. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Редовете са премахнати в {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Започнете настаняването преди началото на смяната (в минути) DocType: BOM Item,Item operation,Позиция на елемента apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Групирай по Ваучер @@ -3867,11 +3920,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Заплата поднасяне на служител {0} вече е създаден за този период apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Лекарствена apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Можете да подадете Оставете Encashment само за валидна сума за инкасо +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Елементи от apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Разходи за закупени стоки DocType: Employee Separation,Employee Separation Template,Шаблон за разделяне на служители DocType: Selling Settings,Sales Order Required,Поръчка за продажба е задължителна apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Станете продавач -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Броят на събитията, след които последствието се изпълнява." ,Procurement Tracker,Проследяване на поръчки DocType: Purchase Invoice,Credit To,Кредит на apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC обърнат @@ -3884,6 +3937,7 @@ DocType: Quality Meeting,Agenda,дневен ред DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,График за поддръжка Подробности DocType: Supplier Scorecard,Warn for new Purchase Orders,Предупреждавайте за нови Поръчки за покупка DocType: Quality Inspection Reading,Reading 9,Четене 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Свържете акаунта си в Exotel с ERPNext и проследявайте дневниците на повикванията DocType: Supplier,Is Frozen,Е замразен DocType: Tally Migration,Processed Files,Обработени файлове apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Група възел склад не е позволено да изберете за сделки @@ -3893,6 +3947,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Номер. з DocType: Upload Attendance,Attendance To Date,Присъствие към днешна дата 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,предписания @@ -3917,7 +3972,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Заявител apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Невалидна референция {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Правила за прилагане на различни промоционални схеми. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може да бъде по-голямо от планирано количество ({2}) в производствена поръчка {3} DocType: Shipping Rule,Shipping Rule Label,Доставка Правило Label DocType: Journal Entry Account,Payroll Entry,Въвеждане на заплати apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Преглед на записите за таксите @@ -3929,6 +3983,7 @@ DocType: Contract,Fulfilment Status,Статус на изпълнение DocType: Lab Test Sample,Lab Test Sample,Лабораторна проба за изпитване DocType: Item Variant Settings,Allow Rename Attribute Value,Разрешаване на преименуване на стойност на атрибута apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Quick вестник Влизане +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Бъдеща сума на плащане apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Вие не можете да променяте скоростта, ако BOM споменато agianst всеки елемент" DocType: Restaurant,Invoice Series Prefix,Префикс на серията фактури DocType: Employee,Previous Work Experience,Предишен трудов опит @@ -3958,6 +4013,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Статус на проекта DocType: UOM,Check this to disallow fractions. (for Nos),Маркирайте това да забраниш фракции. (За NOS) DocType: Student Admission Program,Naming Series (for Student Applicant),Поредни Номера (за Кандидат студент) +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/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,График на звеното за обслужване на практикуващите @@ -3973,6 +4029,7 @@ DocType: Fiscal Year,Year End Date,Година Крайна дата 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} е затворен @@ -3981,6 +4038,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Вземи наличности DocType: Purchase Invoice,ineligible,неприемлив apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Дърво на Спецификация на материали (BOM) +DocType: BOM,Exploded Items,Експлодирани предмети DocType: Student,Joining Date,Постъпване - Дата ,Employees working on a holiday,"Служителите, които работят по празници" ,TDS Computation Summary,Обобщение на изчисленията за TDS @@ -4013,6 +4071,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Основен кур DocType: SMS Log,No of Requested SMS,Брои на заявени SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Неплатен отпуск не съвпада с одобрените записи оставите приложението apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Следващи стъпки +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Запазени елементи DocType: Travel Request,Domestic,вътрешен apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,"Моля, доставете определени елементи на възможно най-добрите цени" apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Прехвърлянето на служители не може да бъде подадено преди датата на прехвърлянето @@ -4065,7 +4124,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Ред # {0} (Платежна таблица): Сумата трябва да бъде положителна -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Не може да се произвежда повече позиция {0} от количеството в поръчка за продажба {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Не може да се произвежда повече позиция {0} от количеството в поръчка за продажба {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Нищо не е включено в бруто apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,За този документ вече съществува e-Way Bill apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Изберете стойности на атрибутите @@ -4100,12 +4159,10 @@ 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,Настройка на компанията -DocType: Shift Type,Enable Different Consequence for Early Exit,Активиране на различни последици за ранно излизане ,Lab Test Report,Лабораторен тестов доклад DocType: Employee Benefit Application,Employee Benefit Application,Приложение за обезщетения за служители apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Допълнителен компонент на заплатата съществува. DocType: Purchase Invoice,Unregistered,нерегистриран -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,"Моля, създайте Стокова разписка първо" DocType: Student Applicant,Application Date,Дата Application DocType: Salary Component,Amount based on formula,Сума на база формула DocType: Purchase Invoice,Currency and Price List,Валута и ценова листа @@ -4134,6 +4191,7 @@ DocType: Purchase Receipt,Time at which materials were received,При коят DocType: Products Settings,Products per Page,Продукти на страница 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,Дата на фактуриране apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Отделената сума не може да бъде отрицателна DocType: Sales Order,Billing Status,(Фактура) Статус apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Докладвай проблем @@ -4143,6 +4201,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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,Row {0}: вестник Влизане {1} Няма профил {2} или вече съчетани срещу друг ваучер DocType: Supplier Scorecard Criteria,Criteria Weight,Критерии Тегло +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Акаунт: {0} не е разрешено при въвеждане на плащане DocType: Production Plan,Ignore Existing Projected Quantity,Игнорирайте съществуващото прогнозирано количество apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Оставете уведомление за одобрение DocType: Buying Settings,Default Buying Price List,Ценови лист за закупуване по подразбиране @@ -4151,6 +4210,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Ред {0}: Въведете местоположението на елемента на актив {1} DocType: Employee Checkin,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, валути, текущата фискална година, и т.н." DocType: Payment Entry,Payment Type,Вид на плащане apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Моля, изберете партида за елемент {0}. Не може да се намери една партида, която отговаря на това изискване" @@ -4179,6 +4239,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Количка за па DocType: Journal Entry,Accounting Entries,Счетоводни записи 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.","Ако е избрано правило за ценообразуване за "Оцени", то ще презапише Ценовата листа. Ценовата ставка е окончателната ставка, така че не трябва да се прилага допълнителна отстъпка. Следователно, при транзакции като поръчка за продажба, поръчка за покупка и т.н., тя ще бъде изтеглена в полето "Оцени", а не в полето "Ценова листа"." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Моля, настройте системата за именуване на инструктори в Образование> Настройки за образование" DocType: Journal Entry,Paid Loan,Платен заем 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,Дата на референтната дата @@ -4195,12 +4256,14 @@ DocType: Shopify Settings,Webhooks Details,Подробности за Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Няма време листове DocType: GoCardless Mandate,GoCardless Customer,GoCardless Клиент apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Оставете Type {0} не може да се извърши-препрати +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на артикула> Група артикули> Марка apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"График за поддръжка не се генерира за всички предмети. Моля, кликнете върху "Генериране Schedule"" ,To Produce,Да произведа DocType: Leave Encashment,Payroll,ведомост 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} трябва да се включат и те" DocType: Healthcare Service Unit,Parent Service Unit,Отдел за обслужване на родители DocType: Packing Slip,Identification of the package for the delivery (for print),Наименование на пакета за доставка (за печат) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Споразумението за ниво на услугата беше нулирано. DocType: Bin,Reserved Quantity,Запазено Количество apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,"Моля, въведете валиден имейл адрес" DocType: Volunteer Skill,Volunteer Skill,Доброволчески умения @@ -4221,7 +4284,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Отстъпка за цена или продукт apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,За ред {0}: Въведете планираните количества DocType: Account,Income Account,Сметка за доход -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Клиентска група> Територия DocType: Payment Request,Amount in customer's currency,Сума във валута на клиента apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Доставка apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Присвояване на структури ... @@ -4244,6 +4306,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,"Ще загубите записите на фактури, генерирани преди това. Наистина ли искате да рестартирате този абонамент?" @@ -4299,11 +4362,10 @@ DocType: Additional Salary,HR User,ЧР потребителя DocType: Bank Guarantee,Reference Document Name,Име на референтния документ DocType: Purchase Invoice,Taxes and Charges Deducted,Данъци и такси - Удръжки DocType: Support Settings,Issues,Изписвания -DocType: Shift Type,Early Exit Consequence after,Последствие от ранно излизане след DocType: Loyalty Program,Loyalty Program Name,Име на програмата за лоялност apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Статус трябва да бъде един от {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Напомняне за актуализиране на GSTIN Изпратено -DocType: Sales Invoice,Debit To,Дебит към +DocType: Discounted Invoice,Debit To,Дебит към DocType: Restaurant Menu Item,Restaurant Menu Item,Ресторант позиция в менюто DocType: Delivery Note,Required only for sample item.,Изисква се само за проба т. DocType: Stock Ledger Entry,Actual Qty After Transaction,Действително Количество След Трансакция @@ -4386,6 +4448,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Име на пара apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Оставете само приложения със статут "Одобрен" и "Отхвърлени" може да бъде подадено apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Създаване на размери ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Student Име на групата е задължително в ред {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Байпас на кредит limit_check DocType: Homepage,Products to be shown on website homepage,"Продукти, които се показват на сайта на началната страница" DocType: HR Settings,Password Policy,Политика за пароли apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Това е корен група клиенти и не може да се редактира. @@ -4432,10 +4495,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ак apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,"Моля, задайте клиент по подразбиране в настройките на ресторанта" ,Salary Register,Заплата Регистрирайте се DocType: Company,Default warehouse for Sales Return,По подразбиране склад за връщане на продажби -DocType: Warehouse,Parent Warehouse,Склад - Родител +DocType: Pick List,Parent Warehouse,Склад - Родител DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},Стандартният BOM не е намерен за елемент {0} и проект {1} +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 Курсове @@ -4472,6 +4535,7 @@ DocType: Travel Itinerary,Lodging Required,Необходимо е настан DocType: Promotional Scheme,Price Discount Slabs,Ценови плочи с отстъпка DocType: Stock Reconciliation Item,Current Serial No,Текущ сериен номер DocType: Employee,Attendance and Leave Details,Подробности за посещенията и отпуските +,BOM Comparison Tool,BOM инструмент за сравнение ,Requested,Заявени apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Няма забележки DocType: Asset,In Maintenance,В поддръжката @@ -4494,6 +4558,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Споразумение за ниво на обслужване по подразбиране DocType: SG Creation Tool Course,Course Code,Код на курса apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Повече от един избор за {0} не е разрешен +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Количеството суровини ще бъде определено въз основа на количеството на артикула за готови стоки DocType: Location,Parent Location,Родителско местоположение DocType: POS Settings,Use POS in Offline Mode,Използвайте POS в режим Офлайн apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Приоритетът е променен на {0}. @@ -4512,7 +4577,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Склад за съхран DocType: Company,Default Receivable Account,Сметка за вземания по подразбиране apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Формулирана количествена формула DocType: Sales Invoice,Deemed Export,Смятан за износ -DocType: Stock Entry,Material Transfer for Manufacture,Прехвърляне на материал за Производство +DocType: Pick List,Material Transfer for Manufacture,Прехвърляне на материал за Производство 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.,Отстъпка Процент може да бъде приложена или за ценоразпис или за всички ценови листи (ценоразписи). apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Счетоводен запис за Складова наличност DocType: Lab Test,LabTest Approver,LabTest Схема @@ -4555,7 +4620,6 @@ DocType: Training Event,Theory,Теория apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Внимание: Материал Заявени Количество е по-малко от минималното Поръчка Количество apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Сметка {0} е замразена DocType: Quiz Question,Quiz Question,Въпрос на викторина -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Доставчик> Тип доставчик 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","Храни, напитки и тютюневи изделия" @@ -4586,6 +4650,7 @@ 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,Публикувани артикули DocType: Account,Expense Account,Expense Account apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Софтуер apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Цвят @@ -4623,6 +4688,7 @@ 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,Всички банкови транзакции са създадени DocType: Fee Validity,Visited yet,Посетена още +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Можете да включите до 8 елемента. 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.,Колко често трябва да се актуализира проектът и фирмата въз основа на продажбите. @@ -4630,7 +4696,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,Температура на съхранение @@ -4655,7 +4720,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Преобра DocType: Contract,Signee Details,Сигнес Детайли apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} понастоящем има {1} карта с резултати за доставчика, а RFQ на този доставчик трябва да се издават с повишено внимание." DocType: Certified Consultant,Non Profit Manager,Мениджър с нестопанска цел -DocType: BOM,Total Cost(Company Currency),Обща стойност (Company валути) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Сериен № {0} е създаден DocType: Homepage,Company Description for website homepage,Описание на компанията за началната страница на уеб сайта DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","За удобство на клиентите, тези кодове могат да бъдат използвани в печатни формати като фактури и доставка Notes" @@ -4683,7 +4747,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Поку DocType: Amazon MWS Settings,Enable Scheduled Synch,Активиране на насрочено синхронизиране apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Към дата и час apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Дневници за поддържане състоянието на доставка на SMS -DocType: Shift Type,Early Exit Consequence,Последствие от ранно излизане DocType: Accounts Settings,Make Payment via Journal Entry,Направи Плащане чрез вестник Влизане apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,"Моля, не създавайте повече от 500 артикула наведнъж" apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,отпечатан на @@ -4740,6 +4803,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Премина 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,Тайна +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Дата на основаване apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Рисков капитал apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Един учебен план с това "Учебна година" {0} и "Срок име" {1} вече съществува. Моля, променете тези записи и опитайте отново." @@ -4801,6 +4865,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Тип на клиента DocType: Compensatory Leave Request,Leave Allocation,Оставете Разпределение DocType: Payment Request,Recipient Message And Payment Details,Получател на съобщението и данни за плащане +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,"Моля, изберете Бележка за доставка" DocType: Support Search Source,Source DocType,Източник DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Отворете нов билет DocType: Training Event,Trainer Email,Trainer Email @@ -4921,6 +4986,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""От дата"" трябва да е преди ""До дата""" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Няма намерени персонални планове за това означение apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Партида {0} на елемент {1} е деактивирана. @@ -4942,7 +5008,7 @@ DocType: Clinical Procedure,Patient,Пациент apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Пропускане на проверка на кредитния лимит при поръчка за продажба DocType: Employee Onboarding Activity,Employee Onboarding Activity,Активност при наемане на служители DocType: Location,Check if it is a hydroponic unit,Проверете дали е хидропонична единица -DocType: Stock Reconciliation Item,Serial No and Batch,Сериен № и Партида +DocType: Pick List Item,Serial No and Batch,Сериен № и Партида DocType: Warranty Claim,From Company,От фирма DocType: GSTR 3B Report,January,януари apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Сума на рекордите на критериите за оценка трябва да бъде {0}. @@ -4966,7 +5032,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,"Не {0}, намерени за сделки между фирмите." -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,Отдавна кола apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,За вашата компания apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на сметката трябва да бъде балансова сметка @@ -4999,11 +5064,13 @@ apps/erpnext/erpnext/config/accounting.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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,оставащ DocType: Appraisal,Appraisal,Оценка DocType: Loan,Loan Account,Кредитна сметка apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Валидни и валидни до горе полета са задължителни за кумулативните +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","За артикул {0} на ред {1}, броят на серийните номера не съвпада с избраното количество" DocType: Purchase Invoice,GST Details,GST Детайли apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Това се основава на транзакции срещу този медицински специалист. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Изпратен имейл доставчика {0} @@ -5067,6 +5134,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Брутното тегло на опаковката. Обикновено нетно тегло + опаковъчен материал тегло. (За печат) DocType: Assessment Plan,Program,програма DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Потребителите с тази роля е разрешено да задават замразени сметки и да се създаде / модифицира счетоводни записи срещу замразените сметки +DocType: Plaid Settings,Plaid Environment,Plaid Environment ,Project Billing Summary,Обобщение на проекта за фактуриране DocType: Vital Signs,Cuts,Cuts DocType: Serial No,Is Cancelled,Е отменен @@ -5128,7 +5196,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Забележка: Системата няма да се покажат над-доставка и свръх-резервации за позиция {0} като количество или стойност е 0 DocType: Issue,Opening Date,Откриване Дата apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,"Моля, запишете първо данните на пациента" -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Направете нов контакт apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Присъствие е маркирано успешно. DocType: Program Enrollment,Public Transport,Обществен транспорт DocType: Sales Invoice,GST Vehicle Type,GST Тип на превозното средство @@ -5154,6 +5221,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Факту DocType: POS Profile,Write Off Account,Отпишат Акаунт DocType: Patient Appointment,Get prescribed procedures,Представете предписани процедури DocType: Sales Invoice,Redemption Account,Сметка за обратно изкупуване +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Първо добавете елементи в таблицата Местоположения на артикули DocType: Pricing Rule,Discount Amount,Отстъпка Сума DocType: Pricing Rule,Period Settings,Настройки на периода DocType: Purchase Invoice,Return Against Purchase Invoice,Върнете Срещу фактурата за покупка @@ -5186,7 +5254,6 @@ DocType: Assessment Plan,Assessment Plan,План за оценка DocType: Travel Request,Fully Sponsored,Напълно спонсориран apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Вписване на обратния дневник apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Създайте Job Card -DocType: Shift Type,Consequence after,Последствие след това DocType: Quality Procedure Process,Process Description,Описание на процеса apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Клиент {0} е създаден. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Понастоящем няма налични запаси в нито един склад @@ -5221,6 +5288,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Клирънсът Дата DocType: Delivery Settings,Dispatch Notification Template,Шаблон за уведомяване за изпращане apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Доклад за оценка apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Вземете служители +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,Адрес Описание @@ -5314,7 +5382,6 @@ DocType: Stock Settings,Use Naming Series,Използвайте серията apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Не се предприемат действия apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Такси тип оценка не може маркирани като Inclusive DocType: POS Profile,Update Stock,Актуализация Наличности -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Different мерна единица за елементи ще доведе до неправилно (Total) Нетна стойност на теглото. Уверете се, че нетното тегло на всеки артикул е в една и съща мерна единица." DocType: Certification Application,Payment Details,Подробности на плащане apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Курс @@ -5349,7 +5416,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,"Това е човек, корен на продажбите и не може да се редактира." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ако е избрано, стойността, посочена или изчислена в този компонент, няма да допринесе за приходите или удръжките. Въпреки това, стойността му може да се посочи от други компоненти, които могат да бъдат добавени или приспаднати." -DocType: Asset Settings,Number of Days in Fiscal Year,Брой дни във фискалната година ,Stock Ledger,Фондова Ledger DocType: Company,Exchange Gain / Loss Account,Exchange Печалба / загуба на профила DocType: Amazon MWS Settings,MWS Credentials,Удостоверения за MWS @@ -5384,6 +5450,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Колона в банков файл apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Оставете заявката {0} вече да съществува срещу ученика {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Нарежда се за актуализиране на последната цена във всички сметки. Може да отнеме няколко минути. +DocType: Pick List,Get Item Locations,Вземете местоположения на артикули apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Име на нов профил. Забележка: Моля, не създават сметки за клиенти и доставчици" DocType: POS Profile,Display Items In Stock,Показва наличните елементи apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Шаблон на адрес по подразбиране за държавата @@ -5407,6 +5474,7 @@ DocType: Crop,Materials Required,Необходими материали apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Няма намерени студенти DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Месечно изключение за HRA DocType: Clinical Procedure,Medical Department,Медицински отдел +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Общо ранни изходи DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Критерий за оценяване на доставчиците на Scorecard apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Фактура - дата на осчетоводяване apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,продажба @@ -5418,11 +5486,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Моля, изтрийте Служителя {0} \, за да отмените този документ" DocType: Program Enrollment,School House,училище Къща DocType: Serial No,Out of AMC,Няма AMC DocType: Opportunity,Opportunity Amount,Възможност Сума +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Твоят профил apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Брой на амортизации Договорени не може да бъде по-голям от общия брой амортизации DocType: Purchase Order,Order Confirmation Date,Дата на потвърждаване на поръчката DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5516,7 +5583,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Има несъответствия между процента, не на акциите и изчислената сума" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Вие не присъствате през целия (ите) ден (и) между дни на компенсаторни отпуски apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,"Моля име повторно вид фирма, за да потвърдите" -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Общият размер на неизплатените Amt DocType: Journal Entry,Printing Settings,Настройки за печат DocType: Payment Order,Payment Order Type,Вид платежно нареждане DocType: Employee Advance,Advance Account,Адванс акаунт @@ -5605,7 +5671,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Година Име apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Има повече почивки от работни дни в този месец. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Следните елементи {0} не се означават като {1} елемент. Можете да ги активирате като {1} елемент от главния му елемент -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Реф DocType: Production Plan Item,Product Bundle Item,Каталог Bundle Точка DocType: Sales Partner,Sales Partner Name,Търговски партньор - Име apps/erpnext/erpnext/hooks.py,Request for Quotations,Запитвания за оферти @@ -5614,19 +5679,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,Нормални тестови елементи DocType: QuickBooks Migrator,Company Settings,Настройки на компанията DocType: Additional Salary,Overwrite Salary Structure Amount,Презаписване на сумата на структурата на заплатите -apps/erpnext/erpnext/config/hr.py,Leaves,Листа +DocType: Leave Ledger Entry,Leaves,Листа DocType: Student Language,Student Language,Student Език DocType: Cash Flow Mapping,Is Working Capital,Работен капитал apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Изпратете доказателство apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Поръчка / Оферта % apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Записване на виталите на пациента DocType: Fee Schedule,Institution,Институция -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: Asset,Partially Depreciated,Частично амортизиран DocType: Issue,Opening Time,Наличност - Време apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,От и до датите са задължителни apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Ценни книжа и стоковите борси -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Обобщение на обажданията до {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Търсене на документи apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Default мерната единица за Variant '{0}' трябва да бъде същото, както в Template "{1}"" DocType: Shipping Rule,Calculate Based On,Изчислете на основата на @@ -5672,6 +5735,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Максимална допустима стойност DocType: Journal Entry Account,Employee Advance,Служител Advance DocType: Payroll Entry,Payroll Frequency,ТРЗ Честота +DocType: Plaid Settings,Plaid Client ID,Плейд клиентски идентификатор DocType: Lab Test Template,Sensitivity,чувствителност DocType: Plaid Settings,Plaid Settings,Настройки на плейд apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Синхронизирането временно бе деактивирано, тъй като максималните опити бяха превишени" @@ -5689,6 +5753,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Моля, изберете първо счетоводна дата" apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Откриване Дата трябва да е преди крайната дата DocType: Travel Itinerary,Flight,полет +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Обратно в къщи DocType: Leave Control Panel,Carry Forward,Пренасяне apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Разходен център със съществуващи операции не може да бъде превърнат в книга DocType: Budget,Applicable on booking actual expenses,Прилага се при резервиране на действителните разходи @@ -5744,6 +5809,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Създаване apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Вие нямате право да одобри листата на Блок Дати apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Заявка за {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Всички тези елементи вече са били фактурирани +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Няма открити фактури за {0} {1}, които отговарят на филтрите, които сте посочили." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Задайте нова дата на издаване DocType: Company,Monthly Sales Target,Месечна цел за продажби apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Не са открити неизплатени фактури @@ -5790,6 +5856,7 @@ DocType: Water Analysis,Type of Sample,Тип на пробата DocType: Batch,Source Document Name,Име на изходния документ DocType: Production Plan,Get Raw Materials For Production,Вземи суровини за производство DocType: Job Opening,Job Title,Длъжност +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Бъдещо плащане Реф apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} показва, че {1} няма да предостави котировка, но са цитирани всички елементи \. Актуализиране на състоянието на котировката на RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максималните проби - {0} вече са запазени за партида {1} и елемент {2} в партида {3}. @@ -5800,12 +5867,10 @@ 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: Company,Product Code,Код на продукта DocType: Quality Review Table,Objective,Обективен DocType: Supplier Scorecard,Per Month,На месец DocType: Education Settings,Make Academic Term Mandatory,Задължително е академичното наименование -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Количество за Производство трябва да е по-голямо от 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,"Изчислете пропорционалния график на амортизацията, основан на фискалната година" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Количество за Производство трябва да е по-голямо от 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Посетете доклад за поддръжка повикване. DocType: Stock Entry,Update Rate and Availability,Актуализация Курсове и Наличност 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 единици. и си Allowance е 10% след което се оставя да се получи 110 единици. @@ -5816,7 +5881,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Дата на издаване трябва да бъде в бъдеще DocType: BOM,Website Description,Website Описание apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Нетна промяна в собствения капитал -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Моля анулирайте фактурата за покупка {0} първо apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,"Не е разрешено. Моля, деактивирайте типа услуга" apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-mail адрес трябва да бъде уникален, вече съществува за {0}" DocType: Serial No,AMC Expiry Date,AMC срок на годност @@ -5860,6 +5924,7 @@ DocType: Pricing Rule,Price Discount Scheme,Схема за ценови отс apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,"Състоянието на поддръжката трябва да бъде отменено или завършено, за да бъде изпратено" DocType: Amazon MWS Settings,US,нас DocType: Holiday List,Add Weekly Holidays,Добавете седмични празници +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Елемент на отчета DocType: Staffing Plan Detail,Vacancies,"Свободни работни места," DocType: Hotel Room,Hotel Room,Хотелска стая apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Сметка {0} не принадлежи на фирма {1} @@ -5911,12 +5976,15 @@ DocType: Email Digest,Open Quotations,Отворени оферти 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Моля, изтрийте Служителя {0} \, за да отмените този документ" 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,Основна сума @@ -5930,6 +5998,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,незает DocType: Patient,Alcohol Past Use,Използване на алкохол в миналото DocType: Fertilizer Content,Fertilizer Content,Съдържание на тор +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,няма описание apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,(Фактура) Състояние DocType: Quality Goal,Monitoring Frequency,Мониторинг на честотата @@ -5947,6 +6016,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Крайната дата не може да бъде преди следващата дата на контакта. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Партидни записи DocType: Journal Entry,Pay To / Recd From,Плати на / Получи от +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Отказване на елемент DocType: Naming Series,Setup Series,Настройка на номерацията DocType: Payment Reconciliation,To Invoice Date,Към датата на фактурата DocType: Bank Account,Contact HTML,Контакт - HTML @@ -5968,6 +6038,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,На дребно DocType: Student Attendance,Absent,Липсващ DocType: Staffing Plan,Staffing Plan Detail,Персоналният план подробности DocType: Employee Promotion,Promotion Date,Дата на промоцията +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Разпределението на отпуск% s е свързано с молба за отпуск% s 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} @@ -6002,9 +6073,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Фактурата {0} вече не съществува DocType: Guardian Interest,Guardian Interest,Guardian Интерес DocType: Volunteer,Availability,Наличност +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Заявлението за напускане е свързано с отпускане на отпуски {0}. Заявлението за напускане не може да бъде зададено като отпуск без заплащане apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Настройване на стандартните стойности за POS фактури DocType: Employee Training,Training,Обучение DocType: Project,Time to send,Време за изпращане +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Тази страница следи вашите артикули, към които купувачите са проявили известен интерес." 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 @@ -6100,12 +6173,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Наличност - Стойност DocType: Salary Component,Formula,формула apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте системата за именуване на служители в Човешки ресурси> Настройки за човешки ресурси" 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/setup/doctype/company/company.py,Sales Account,Профил за продажби DocType: Purchase Invoice Item,Total Weight,Общо тегло +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}" @@ -6129,6 +6202,7 @@ DocType: Company,Default Employee Advance Account,Стандартен аван apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Елемент от търсенето (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Сметка със съществуващa трансакция не може да бъде изтрита +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,"Защо мисля, че този артикул трябва да бъде премахнат?" DocType: Vehicle,Last Carbon Check,Последна проверка на въглерода apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Правни разноски apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,"Моля, изберете количество на ред" @@ -6148,6 +6222,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Авария DocType: Travel Itinerary,Vegetarian,вегетарианец DocType: Patient Encounter,Encounter Date,Дата на среща +DocType: Work Order,Update Consumed Material Cost In Project,Актуализиране на разходите за консумирани материали в проекта apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Сметка: {0} с валута: не може да бъде избран {1} DocType: Bank Statement Transaction Settings Item,Bank Data,Банкови данни DocType: Purchase Receipt Item,Sample Quantity,Количество проба @@ -6202,7 +6277,7 @@ DocType: GSTR 3B Report,April,април DocType: Plant Analysis,Collection Datetime,Дата на събиране на колекцията DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Общо оперативни разходи -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Забележка: Елемент {0} е въведен няколко пъти +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Забележка: Елемент {0} е въведен няколко пъти apps/erpnext/erpnext/config/buying.py,All Contacts.,Всички контакти. DocType: Accounting Period,Closed Documents,Затворени документи DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Управлявайте изпращането и анулирането на фактурата за назначаване за пациентски срещи @@ -6284,9 +6359,7 @@ DocType: Member,Membership Type,Тип членство ,Reqd By Date,Необходим до дата apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Кредитори DocType: Assessment Plan,Assessment Name,оценка Име -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Показване на PDC в печат apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Пореден № е задължително -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Не са открити неизплатени фактури за {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Позиция Wise Tax Подробности DocType: Employee Onboarding,Job Offer,Предложение за работа apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Институт Съкращение @@ -6344,6 +6417,7 @@ DocType: Serial No,Out of Warranty,Извън гаранция DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Тип данни с карти DocType: BOM Update Tool,Replace,Заменете apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Няма намерени продукти. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Публикуване на още елементи apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Това Споразумение за ниво на услуга е специфично за Клиента {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} по Фактура за продажба {1} DocType: Antibiotic,Laboratory User,Лабораторен потребител @@ -6366,7 +6440,6 @@ DocType: Payment Order Reference,Bank Account Details,Детайли за бан DocType: Purchase Order Item,Blanket Order,Поръчка за одеяла 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,Данъчни активи -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Производствената поръчка е {0} DocType: BOM Item,BOM No,BOM Номер 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,Пълзяща средна стойност @@ -6439,6 +6512,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Външно облагаеми доставки (нулева оценка) DocType: BOM,Materials Required (Exploded),Необходими материали (в детайли) 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/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,Публикуване Дата не може да бъде бъдеща дата @@ -6496,7 +6570,6 @@ DocType: Pricing Rule,Same Item,Същият артикул DocType: Stock Ledger Entry,Stock Ledger Entry,Фондова Ledger Влизане DocType: Quality Action Resolution,Quality Action Resolution,Качествена резолюция за действие apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} на половин ден отпуск на {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Същата позиция е въведена много пъти DocType: Department,Leave Block List,Оставете Block List DocType: Purchase Invoice,Tax ID,Данъчен номер apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Точка {0} не е настройка за серийни номера. Колоната трябва да бъде празно @@ -6534,7 +6607,7 @@ 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} е забранено или не съществува DocType: Purchase Invoice,Return,Връщане -DocType: Accounting Dimension,Disable,Изключване +DocType: Account,Disable,Изключване apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Начин на плащане се изисква за извършване на плащане DocType: Task,Pending Review,До Review apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Редактирайте цялата страница за повече опции, като активи, серийни номера, партиди и т.н." @@ -6647,7 +6720,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Комбинираната част от фактурите трябва да е равна на 100% DocType: Item Default,Default Expense Account,Разходна сметка по подразбиране DocType: GST Account,CGST Account,CGST профил -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на артикула> Група артикули> Марка apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student Email ID DocType: Employee,Notice (days),Известие (дни) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Фактурите за ваучери за затваряне на POS @@ -6658,6 +6730,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Изберете артикули, за да запазите фактурата" DocType: Employee,Encashment Date,Инкасо Дата DocType: Training Event,Internet,интернет +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Информация за продавача DocType: Special Test Template,Special Test Template,Специален тестов шаблон DocType: Account,Stock Adjustment,Корекция на наличности apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Съществува Cost Default активност за вид дейност - {0} @@ -6669,7 +6742,6 @@ 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,Трябва да се настрои и началната дата на пробния период и крайната дата на изпитателния период -DocType: Company,Bank Remittance Settings,Настройки за банкови преводи apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Средна цена 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","„Предмет, предоставен от клиента“ не може да има процент на оценка" @@ -6697,6 +6769,7 @@ DocType: Grading Scale Interval,Threshold,праг apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Филтриране на служителите по (незадължително) DocType: BOM Update Tool,Current BOM,Текущ BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Баланс (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Брой готови стоки apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Добави Сериен № DocType: Work Order Item,Available Qty at Source Warehouse,Налични количества в склада на източника apps/erpnext/erpnext/config/support.py,Warranty,Гаранция @@ -6775,7 +6848,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Тук можете да се поддържа височина, тегло, алергии, медицински опасения и т.н." apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Създаване на акаунти ... DocType: Leave Block List,Applies to Company,Отнася се за Фирма -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Не може да се отмени, защото {0} съществуват операции за този материал" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Не може да се отмени, защото {0} съществуват операции за този материал" DocType: Loan,Disbursement Date,Изплащане - Дата DocType: Service Level Agreement,Agreement Details,Подробности за споразумението apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Началната дата на споразумението не може да бъде по-голяма или равна на Крайна дата. @@ -6784,6 +6857,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Медицински запис DocType: Vehicle,Vehicle,Превозно средство DocType: Purchase Invoice,In Words,Словом +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Към днешна дата трябва да е преди датата apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Въведете името на банката или кредитната институция преди да я изпратите. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} трябва да бъде изпратено DocType: POS Profile,Item Groups,Групи елементи @@ -6855,7 +6929,6 @@ DocType: Customer,Sales Team Details,Търговски отдел - Детай apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Изтриете завинаги? DocType: Expense Claim,Total Claimed Amount,Общо заявена Сума apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Потенциалните възможности за продажби. -DocType: Plaid Settings,Link a new bank account,Свържете нова банкова сметка apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} е невалиден статус на посещение. DocType: Shareholder,Folio no.,Фолио № apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Невалиден {0} @@ -6871,7 +6944,6 @@ DocType: Production Plan,Material Requested,"Материал, поискан" DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Запазено количество за поддоговор DocType: Patient Service Unit,Patinet Service Unit,Отдел за обслужване на Патинет -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Генериране на текстов файл DocType: Sales Invoice,Base Change Amount (Company Currency),Базовата ресто сума (Валута на компанията) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Няма счетоводни записвания за следните складове apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Само {0} на склад за елемент {1} @@ -6885,6 +6957,7 @@ DocType: Item,No of Months,Брой месеци DocType: Item,Max Discount (%),Максимална отстъпка (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Кредитните дни не могат да бъдат отрицателни apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Качете изявление +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Подайте сигнал за този елемент DocType: Purchase Invoice Item,Service Stop Date,Дата на спиране на услугата apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Последна Поръчка Сума DocType: Cash Flow Mapper,e.g Adjustments for:,напр. корекции за: @@ -6978,16 +7051,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Категория на освобождаване от данък на служителите apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Сумата не трябва да бъде по-малка от нула. DocType: Sales Invoice,C-Form Applicable,Cи-форма приложима -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Операция - времето трябва да е по-голямо от 0 за операция {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Операция - времето трябва да е по-голямо от 0 за операция {0} DocType: Support Search Source,Post Route String,Поставете низ на маршрута apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Склад е задължителен apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Създаването на уебсайт не бе успешно DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Мерна единица - превръщане - детайли apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Прием и записване -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Вече е създадено влизане в запасите от запаси или не е предоставено количество проба +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Вече е създадено влизане в запасите от запаси или не е предоставено количество проба DocType: Program,Program Abbreviation,програма Съкращение -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Производство на поръчката не може да бъде повдигнато срещу т Template apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Група по ваучер (консолидиран) DocType: HR Settings,Encrypt Salary Slips in Emails,Шифровайте фишове за заплати в имейлите DocType: Question,Multiple Correct Answer,Множество правилен отговор @@ -7034,7 +7106,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Има нулева оц DocType: Employee,Educational Qualification,Образователно-квалификационна DocType: Workstation,Operating Costs,Оперативни разходи apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Валутна за {0} трябва да е {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Последствие за гратисен период на влизане DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Отбележете присъствието въз основа на „Checkine Employee Checkin“ за служители, назначени на тази смяна." DocType: Asset,Disposal Date,Отписване - Дата DocType: Service Level,Response and Resoution Time,Време за реакция и възобновяване @@ -7082,6 +7153,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Дата На Завършване DocType: Purchase Invoice Item,Amount (Company Currency),Сума (валута на фирмата) DocType: Program,Is Featured,Представя се +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Извлича се ... DocType: Agriculture Analysis Criteria,Agriculture User,Потребител на селското стопанство apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Валидността до датата не може да бъде преди датата на транзакцията 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}, за да завършите тази транзакция." @@ -7114,7 +7186,6 @@ DocType: Student,B+,B+ 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,"Общата сума, изплатена Amt" 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 Подробен регистър на продажбите @@ -7138,6 +7209,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,аноним apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Получени от DocType: Lead,Converted,Преобразуван DocType: Item,Has Serial No,Има сериен номер +DocType: Stock Entry Detail,PO Supplied Item,PO доставен артикул 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} @@ -7252,7 +7324,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Синхронизиран 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,BOM по подразбиране за {0} не е намерен +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}: Моля, задайте повторна поръчка количество" apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,"Докоснете елементи, за да ги добавите тук" @@ -7286,7 +7358,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Поддръжка Дата DocType: Purchase Invoice Item,Rejected Serial No,Отхвърлени Пореден № apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,"Година на начална дата или крайна дата се припокриват с {0}. За да се избегне моля, задайте компания" -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте сериите за номериране на посещаемостта чрез Настройка> Серия от номерация" apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Моля, посочете водещото име в водещия {0}" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Начална дата трябва да бъде по-малко от крайната дата за позиция {0} DocType: Shift Type,Auto Attendance Settings,Настройки за автоматично присъствие @@ -7296,9 +7367,11 @@ DocType: Upload Attendance,Upload Attendance,Качи Присъствие apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM и количество за производство са задължителни apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Застаряването на населението Range 2 DocType: SG Creation Tool Course,Max Strength,Максимална здравина +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Акаунт {0} вече съществува в детска компания {1}. Следните полета имат различни стойности, те трябва да са еднакви:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Инсталиране на предварителни настройки DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},За клиента не е избрано известие за доставка {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Редове добавени в {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Служител {0} няма максимална сума на доходите apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Изберете Елементи въз основа на Дата на доставка DocType: Grant Application,Has any past Grant Record,Има ли някакъв минал регистър за безвъзмездни средства @@ -7342,6 +7415,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Студентски детайли DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".","Това е UOM по подразбиране, използвано за артикули и поръчки за продажба. Резервният UOM е „Nos“." DocType: Purchase Invoice Item,Stock Qty,Коефициент на запас +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,Стандартна пощенска пратка DocType: Loan,Repayment Period in Months,Възстановяването Период в месеци @@ -7370,6 +7444,7 @@ DocType: Authorization Rule,Customerwise Discount,Отстъпка на ниво apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,График за изпълнение на задачите. DocType: Purchase Invoice,Against Expense Account,Срещу Разходна Сметка apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Монтаж - Забележка {0} вече е била изпратена +DocType: BOM,Raw Material Cost (Company Currency),Разход за суровини (валута на компанията) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},"Платени дни за наем на къща, припокриващи се с {0}" DocType: GSTR 3B Report,October,октомври DocType: Bank Reconciliation,Get Payment Entries,Вземете Записи на плащане @@ -7416,15 +7491,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Необходима е дата за употреба DocType: Request for Quotation,Supplier Detail,Доставчик - детайли apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Грешка във формула или състояние: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Фактурирана сума +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Фактурирана сума apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Теглата на критериите трябва да достигнат до 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Посещаемост apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Артикулите за наличност DocType: Sales Invoice,Update Billed Amount in Sales Order,Актуализиране на таксуваната сума в поръчката за продажба +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Свържи се с продавача 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Моля, влезте като потребител на Marketplace, за да докладвате за този артикул." ,Sales Partner Commission Summary,Обобщение на комисията за търговски партньори ,Item Prices,Елемент Цени DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Словом ще бъде видим след като запазите поръчката за покупка. @@ -7438,6 +7515,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Ценоразпис - основен. DocType: Task,Review Date,Преглед Дата DocType: BOM,Allow Alternative Item,Разрешаване на алтернативен елемент +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Покупка на разписка няма артикул, за който е активирана задържана проба." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Фактура Голяма Обща DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Серия за вписване на амортизацията на активите (вписване в дневника) DocType: Membership,Member Since,Потребител от @@ -7447,6 +7525,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,На Net Общо 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: Pricing Rule,Product Discount Scheme,Схема за отстъпки на продуктите +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Никакъв проблем не е повдигнат от обаждащия се. DocType: Restaurant Reservation,Waitlisted,Waitlisted DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категория на освобождаване apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Валутна не може да се промени, след като записи с помощта на някои друга валута" @@ -7460,7 +7539,6 @@ DocType: Customer Group,Parent Customer Group,Клиентска група - Р apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON може да се генерира само от фактура за продажби apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Достигнаха максимални опити за тази викторина! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,абонамент -DocType: Purchase Invoice,Contact Email,Контакт Email apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Изчаква се създаването на такси DocType: Project Template Task,Duration (Days),Продължителност (дни) DocType: Appraisal Goal,Score Earned,Резултат спечелените @@ -7485,7 +7563,6 @@ DocType: Landed Cost Item,Landed Cost Item,Поземлен Cost Точка 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Сумата за една транзакция надвишава максимално разрешената сума, създайте отделно платежно нареждане чрез разделяне на транзакциите" DocType: Service Level Agreement,Entity,единица DocType: Payment Reconciliation,Receivable / Payable Account,Вземания / дължими суми Акаунт DocType: Delivery Note Item,Against Sales Order Item,Срещу ред от поръчка за продажба @@ -7653,6 +7730,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,На DocType: Quality Inspection Reading,Reading 3,Четене 3 DocType: Stock Entry,Source Warehouse Address,Адрес на склад за източника DocType: GL Entry,Voucher Type,Тип Ваучер +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Бъдещи плащания 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 ,Последна активност @@ -7679,6 +7757,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Списък на заболяванията, открити на полето. Когато е избран, той автоматично ще добави списък със задачи, за да се справи с болестта" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Това е единица за здравни услуги и не може да бъде редактирана. DocType: Asset Repair,Repair Status,Ремонт Състояние apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Изисквано количество: Количество, заявено за покупка, но не поръчано." @@ -7693,6 +7772,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Сметка за ресто DocType: QuickBooks Migrator,Connecting to QuickBooks,Свързване с QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Общо печалба / загуба +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Създайте списък за избор apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Party / Сметка не съвпада с {1} / {2} в {3} {4} DocType: Employee Promotion,Employee Promotion,Промоция на служителите DocType: Maintenance Team Member,Maintenance Team Member,Член на екипа за поддръжка @@ -7775,6 +7855,7 @@ 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,Дълготраен актив Категория apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net заплащането не може да бъде отрицателна @@ -7806,7 +7887,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Цел за качество DocType: BOM,Item to be manufactured or repacked,Т да се произвеждат или преопаковани apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Синтактична грешка при състоянието: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,"Няма проблем, повдигнат от клиента." DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Основни / избираеми предмети apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,"Моля, задайте група доставчици в настройките за купуване." @@ -7899,8 +7979,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Дни - Кредит apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,"Моля, изберете Пациент, за да получите лабораторни тестове" DocType: Exotel Settings,Exotel Settings,Настройки на екзотела -DocType: Leave Type,Is Carry Forward,Е пренасяне +DocType: Leave Ledger Entry,Is Carry Forward,Е пренасяне DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Работно време, под което е отбелязан отсъстващ. (Нула за деактивиране)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Изпрати съобщение apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Вземи позициите от BOM 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,Разходите за данък върху дохода diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv index 8187b1f137..a5603c50d7 100644 --- a/erpnext/translations/bn.csv +++ b/erpnext/translations/bn.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,সরবরাহকারীকে সূচিত করুন apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,প্রথম পক্ষের ধরন নির্বাচন করুন DocType: Item,Customer Items,গ্রাহক চলছে +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,দায় DocType: Project,Costing and Billing,খোয়াতে এবং বিলিং apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},অগ্রিম অ্যাকাউন্ট মুদ্রা কোম্পানির মুদ্রার সমান হওয়া উচিত {0} DocType: QuickBooks Migrator,Token Endpoint,টোকেন এন্ডপয়েন্ট @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,মেজার ডিফল্ট ইউ DocType: SMS Center,All Sales Partner Contact,সমস্ত বিক্রয় সঙ্গী সাথে যোগাযোগ DocType: Department,Leave Approvers,Approvers ত্যাগ DocType: Employee,Bio / Cover Letter,জৈব / কভার লেটার +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,আইটেমগুলি অনুসন্ধান করুন ... DocType: Patient Encounter,Investigations,তদন্ত DocType: Restaurant Order Entry,Click Enter To Add,যোগ করতে এন্টার ক্লিক করুন apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","পাসওয়ার্ড, API কী বা Shopify URL এর জন্য অনুপস্থিত মান" DocType: Employee,Rented,ভাড়াটে apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,সব অ্যাকাউন্ট apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,কর্মচারী বদলাতে পারবে না অবস্থা বাম -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","থামানো উৎপাদন অর্ডার বাতিল করা যাবে না, বাতিল করতে এটি প্রথম দুর" DocType: Vehicle Service,Mileage,যত মাইল দীর্ঘ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,আপনি কি সত্যিই এই সম্পদ স্ক্র্যাপ করতে চান? DocType: Drug Prescription,Update Schedule,আপডেট সূচি @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,ক্রেতা DocType: Purchase Receipt Item,Required By,ক্সসে DocType: Delivery Note,Return Against Delivery Note,হুণ্ডি বিরুদ্ধে ফিরে DocType: Asset Category,Finance Book Detail,ফাইন্যান্স বুক বিস্তারিত +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,সমস্ত অবমূল্যায়ন বুক করা হয়েছে DocType: Purchase Order,% Billed,% চালান করা হয়েছে apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,বেতন সংখ্যা apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),এক্সচেঞ্জ রেট হিসাবে একই হতে হবে {0} {1} ({2}) @@ -95,6 +97,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,ব্যাচ আইটেম মেয়াদ শেষ হওয়ার স্থিতি apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,ব্যাংক খসড়া DocType: Journal Entry,ACC-JV-.YYYY.-,দুদক-জেভি-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,মোট দেরী এন্ট্রি DocType: Mode of Payment Account,Mode of Payment Account,পেমেন্ট একাউন্ট এর মোড apps/erpnext/erpnext/config/healthcare.py,Consultation,পরামর্শ DocType: Accounts Settings,Show Payment Schedule in Print,প্রিন্ট ইন পেমেন্ট শেল্ড দেখান @@ -122,6 +125,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,প্রাথমিক যোগাযোগের বিবরণ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,এমনকি আপনি যদি DocType: Production Plan Item,Production Plan Item,উৎপাদন পরিকল্পনা আইটেম +DocType: Leave Ledger Entry,Leave Ledger Entry,লেজার এন্ট্রি ছেড়ে দিন 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,লিড তৈরি করুন @@ -140,6 +144,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,স DocType: Purchase Invoice Item,Item Weight Details,আইটেম ওজন বিশদ DocType: Asset Maintenance Log,Periodicity,পর্যাবৃত্তি apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,অর্থবছরের {0} প্রয়োজন বোধ করা হয় +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,নেট লাভ / ক্ষতি DocType: Employee Group Table,ERPNext User ID,ERPNext ব্যবহারকারী আইডি DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,সর্বোত্তম বৃদ্ধির জন্য উদ্ভিদের সারিগুলির মধ্যে সর্বনিম্ন দূরত্ব apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,নির্ধারিত পদ্ধতি পেতে দয়া করে রোগীকে নির্বাচন করুন @@ -166,10 +171,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,মূল্য তালিকা বিক্রি DocType: Patient,Tobacco Current Use,তামাক বর্তমান ব্যবহার apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,বিক্রি হার -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,নতুন অ্যাকাউন্ট যুক্ত করার আগে দয়া করে আপনার দস্তাবেজটি সংরক্ষণ করুন 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 ...,যে কোনও কিছুর সন্ধান করুন ... DocType: Company,Phone No,ফোন নম্বর DocType: Delivery Trip,Initial Email Notification Sent,প্রাথমিক ইমেল বিজ্ঞপ্তি পাঠানো DocType: Bank Statement Settings,Statement Header Mapping,বিবৃতি হেডার ম্যাপিং @@ -232,6 +237,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,অ DocType: Exchange Rate Revaluation Account,Gain/Loss,লাভ ক্ষতি DocType: Crop,Perennial,বহুবর্ষজীবী DocType: Program,Is Published,প্রকাশিত হয় +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,বিতরণ নোটগুলি প্রদর্শন করুন apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",অতিরিক্ত বিলিংয়ের অনুমতি দেওয়ার জন্য অ্যাকাউন্টস সেটিংস বা আইটেমটিতে "ওভার বিলিং ভাতা" আপডেট করুন। DocType: Patient Appointment,Procedure,কার্যপ্রণালী DocType: Accounts Settings,Use Custom Cash Flow Format,কাস্টম ক্যাশ ফ্লো বিন্যাস ব্যবহার করুন @@ -280,6 +286,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,শোধ ওভার পর্যায়কাল সংখ্যা apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,প্রযোজনার পরিমাণ জিরোর চেয়ে কম হতে পারে না DocType: Stock Entry,Additional Costs,অতিরিক্ত খরচ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গোষ্ঠী> অঞ্চল apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,বিদ্যমান লেনদেন সঙ্গে অ্যাকাউন্ট গ্রুপ রূপান্তরিত করা যাবে না. DocType: Lead,Product Enquiry,পণ্য অনুসন্ধান DocType: Education Settings,Validate Batch for Students in Student Group,শিক্ষার্থীর গ্রুপ ছাত্ররা জন্য ব্যাচ যাচাই @@ -291,7 +298,9 @@ DocType: Employee Education,Under Graduate,গ্রাজুয়েট অধ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,এইচআর সেটিংসে স্থিতি বিজ্ঞপ্তি ত্যাগের জন্য ডিফল্ট টেমপ্লেটটি সেট করুন। apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,টার্গেটের DocType: BOM,Total Cost,মোট খরচ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,বরাদ্দের মেয়াদ শেষ! DocType: Soil Analysis,Ca/K,ক্যাচ / কে +DocType: Leave Type,Maximum Carry Forwarded Leaves,সর্বাধিক বহনযোগ্য পাতাগুলি বহন করুন DocType: Salary Slip,Employee Loan,কর্মচারী ঋণ DocType: Additional Salary,HR-ADS-.YY.-.MM.-,এইচআর-বিজ্ঞাপন-.YY .-। MM.- DocType: Fee Schedule,Send Payment Request Email,পেমেন্ট অনুরোধ ইমেইল পাঠান @@ -301,6 +310,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,আব apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,অ্যাকাউন্ট বিবৃতি apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ফার্মাসিউটিক্যালস DocType: Purchase Invoice Item,Is Fixed Asset,পরিসম্পদ হয় +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,ভবিষ্যতের অর্থ প্রদানগুলি দেখান DocType: Patient,HLC-PAT-.YYYY.-,HLC-পিএটি-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,এই ব্যাংক অ্যাকাউন্টটি ইতিমধ্যে সিঙ্ক্রোনাইজ করা হয়েছে DocType: Homepage,Homepage Section,হোমপেজ বিভাগ @@ -346,7 +356,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,সার apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",সিরিয়াল নং দ্বারা প্রসবের নিশ্চিত করতে পারবেন না \ Item {0} সাথে এবং \ Serial No. দ্বারা নিশ্চিত ডেলিভারি ছাড়া যোগ করা হয়। -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,দয়া করে শিক্ষা> শিক্ষা সেটিংসে প্রশিক্ষক নামকরণ সিস্টেম সেটআপ করুন apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,পেমেন্ট অন্তত একটি মোড পিওএস চালান জন্য প্রয়োজন বোধ করা হয়. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},ব্যাচ নং আইটেমের জন্য প্রয়োজনীয় {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,ব্যাংক বিবৃতি লেনদেন চালান আইটেম @@ -421,6 +430,7 @@ DocType: Job Offer,Select Terms and Conditions,নির্বাচন শর apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,আউট মূল্য DocType: Bank Statement Settings Item,Bank Statement Settings Item,ব্যাংক বিবৃতি সেটিং আইটেম DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce সেটিংস +DocType: Leave Ledger Entry,Transaction Name,লেনদেনের নাম DocType: Production Plan,Sales Orders,বিক্রয় আদেশ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,ক্রেতা জন্য পাওয়া একাধিক প্রসিদ্ধতা প্রোগ্রাম। ম্যানুয়ালি নির্বাচন করুন DocType: Purchase Taxes and Charges,Valuation,মাননির্ণয় @@ -455,6 +465,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: 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,আপডেট ইমেল গ্রুপ DocType: POS Profile,Only show Customer of these Customer Groups,কেবলমাত্র এই গ্রাহক গোষ্ঠীর গ্রাহককে দেখান DocType: Sales Invoice,Is Opening Entry,এন্ট্রি খোলা হয় @@ -463,8 +474,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,উল্লেখ অ স্ট্যান্ডার্ড প্রাপ্য যদি প্রযোজ্য 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,এই চয়ন তালিকার বিপরীতে ইতিমধ্যে স্টক এন্ট্রি তৈরি করা হয়েছে DocType: Supplier Scorecard,Criteria Setup,মাপদণ্ড সেটআপ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,গুদাম জন্য জমা করার আগে প্রয়োজন বোধ করা হয় +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,পেয়েছি DocType: Codification Table,Medical Code,মেডিকেল কোড apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ERPNext এর সাথে অ্যামাজন সংযুক্ত করুন @@ -480,7 +492,7 @@ DocType: Restaurant Order Entry,Add Item,আইটেম যোগ করুন DocType: Party Tax Withholding Config,Party Tax Withholding Config,পার্টি কর আটকানোর কনফিগারেশন DocType: Lab Test,Custom Result,কাস্টম ফলাফল apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,ব্যাংক অ্যাকাউন্ট যুক্ত হয়েছে -DocType: Delivery Stop,Contact Name,যোগাযোগের নাম +DocType: Call Log,Contact Name,যোগাযোগের নাম DocType: Plaid Settings,Synchronize all accounts every hour,প্রতি ঘন্টা সমস্ত অ্যাকাউন্ট সিঙ্ক্রোনাইজ করুন DocType: Course Assessment Criteria,Course Assessment Criteria,কোর্সের অ্যাসেসমেন্ট নির্ণায়ক DocType: Pricing Rule Detail,Rule Applied,বিধি প্রয়োগ হয়েছে @@ -524,7 +536,6 @@ 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,বিক্রয় চালান কোন -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,অপরিচিত নাম্বার DocType: Website Filter Field,Website Filter Field,ওয়েবসাইট ফিল্টার ফিল্ড apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,সাপ্লাই প্রকার DocType: Material Request Item,Min Order Qty,ন্যূনতম আদেশ Qty @@ -552,7 +563,6 @@ DocType: Salary Slip,Total Principal Amount,মোট প্রিন্সি DocType: Student Guardian,Relation,সম্পর্ক DocType: Quiz Result,Correct,ঠিক DocType: Student Guardian,Mother,মা -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,প্রথমে site_config.json এ বৈধ প্লেড এপিআই কী যুক্ত করুন DocType: Restaurant Reservation,Reservation End Time,রিজার্ভেশন এন্ড টাইম DocType: Crop,Biennial,দ্বিবার্ষিক ,BOM Variance Report,বোম ভাঙ্গন রিপোর্ট @@ -567,6 +577,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,প্লেড পাবলিক কী DocType: Payment Term,Payment Term Name,অর্থ প্রদানের নাম DocType: Healthcare Settings,Create documents for sample collection,নমুনা সংগ্রহের জন্য দস্তাবেজ তৈরি করুন apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},বিপরীতে পরিশোধ {0} {1} বকেয়া পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {2} @@ -614,12 +625,14 @@ DocType: POS Profile,Offline POS Settings,অফলাইন POS সেটিং DocType: Stock Entry Detail,Reference Purchase Receipt,রেফারেন্স ক্রয় রশিদ DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,Mat-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,মধ্যে variant -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',চেয়ে 'স্টক প্রস্তুত করতে' সম্পন্ন Qty বৃহত্তর হতে পারে না +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',চেয়ে 'স্টক প্রস্তুত করতে' সম্পন্ন Qty বৃহত্তর হতে পারে না +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,পিরিয়ড ভিত্তিক DocType: Period Closing Voucher,Closing Account Head,অ্যাকাউন্ট হেড সমাপ্তি DocType: Employee,External Work History,বাহ্যিক কাজের ইতিহাস apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,সার্কুলার রেফারেন্স ত্রুটি apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,ছাত্র প্রতিবেদন কার্ড apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,পিন কোড থেকে +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,বিক্রয় ব্যক্তি দেখান DocType: Appointment Type,Is Inpatient,ইনপেশেন্ট apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 নাম DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,আপনি হুণ্ডি সংরক্ষণ একবার শব্দ (রপ্তানি) দৃশ্যমান হবে. @@ -633,6 +646,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,মাত্রা নাম apps/erpnext/erpnext/healthcare/setup.py,Resistant,প্রতিরোধী apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{} এ হোটেল রুম রেট সেট করুন +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ> নম্বরিং সিরিজের মাধ্যমে উপস্থিতির জন্য সংখ্যায়ন সিরিজটি সেট করুন DocType: Journal Entry,Multi Currency,বিভিন্ন দেশের মুদ্রা DocType: Bank Statement Transaction Invoice Item,Invoice Type,চালান প্রকার apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,তারিখ থেকে বৈধ তারিখ অবধি বৈধের চেয়ে কম হওয়া আবশ্যক @@ -651,6 +665,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,ভর্তি DocType: Workstation,Rent Cost,ভাড়া খরচ 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,পরিমাণ অবচয় পর apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,আসন্ন ক্যালেন্ডার ইভেন্টস apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,ভেরিয়েন্ট আরোপ @@ -735,7 +750,6 @@ DocType: Request for Quotation,Request for Quotation,উদ্ধৃতি জ 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,প্রিন্টে বিক্রয় ব্যক্তি দেখান 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,শক্তি @@ -743,7 +757,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,একটি নতুন গ্রাহক তৈরি করুন apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,শেষ হচ্ছে apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",একাধিক দামে ব্যাপা চলতে থাকে তবে ব্যবহারকারীরা সংঘাতের সমাধান করতে নিজে অগ্রাধিকার সেট করতে বলা হয়. -DocType: Purchase Invoice,Scan Barcode,বারকোড স্ক্যান করুন apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,ক্রয় আদেশ তৈরি করুন ,Purchase Register,ক্রয় নিবন্ধন apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,রোগী খুঁজে পাওয়া যায় নি @@ -801,6 +814,7 @@ DocType: Lead,Channel Partner,চ্যানেল পার্টনার DocType: Account,Old Parent,প্রাচীন মূল apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,আবশ্যিক ক্ষেত্র - শিক্ষাবর্ষ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} {2} {3} সাথে যুক্ত নয় +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} বিরুদ্ধে অনুমোদিত নয় @@ -843,6 +857,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড ভিত্তিক মাইনে জন্য বেতন কম্পোনেন্ট. DocType: Driver,Applicable for external driver,বহিরাগত ড্রাইভার জন্য প্রযোজ্য DocType: Sales Order Item,Used for Production Plan,উৎপাদন পরিকল্পনা জন্য ব্যবহৃত +DocType: BOM,Total Cost (Company Currency),মোট ব্যয় (কোম্পানির মুদ্রা) DocType: Loan,Total Payment,মোট পরিশোধ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,সম্পূর্ণ ওয়ার্ক অর্ডারের জন্য লেনদেন বাতিল করা যাবে না DocType: Manufacturing Settings,Time Between Operations (in mins),(মিনিট) অপারেশনস মধ্যে সময় @@ -862,6 +877,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_pro DocType: Supplier Scorecard Standing,Notify Other,অন্যান্য DocType: Vital Signs,Blood Pressure (systolic),রক্তচাপ (systolic) DocType: Item Price,Valid Upto,বৈধ পর্যন্ত +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.,আপনার গ্রাহকদের কয়েক তালিকা. তারা সংগঠন বা ব্যক্তি হতে পারে. @@ -879,6 +895,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} এ পরিবর্তনসমূহ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,কোম্পানি নির্বাচন করুন DocType: Employee Skill,Employee Skill,কর্মচারী দক্ষতা apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,পার্থক্য অ্যাকাউন্ট @@ -921,6 +938,7 @@ DocType: Patient,Risk Factors,ঝুঁকির কারণ DocType: Patient,Occupational Hazards and Environmental Factors,পেশাগত ঝুঁকি এবং পরিবেশগত ফ্যাক্টর apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,স্টক তালিকাগুলি ইতিমধ্যে ওয়ার্ক অর্ডারের জন্য তৈরি করা হয়েছে apps/erpnext/erpnext/templates/pages/cart.html,See past orders,অতীত আদেশ দেখুন +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} কথোপকথন DocType: Vital Signs,Respiratory rate,শ্বাসপ্রশ্বাসের হার apps/erpnext/erpnext/config/help.py,Managing Subcontracting,ম্যানেজিং প্রণীত DocType: Vital Signs,Body Temperature,শরীরের তাপমাত্রা @@ -962,6 +980,7 @@ DocType: Purchase Invoice,Registered Composition,নিবন্ধিত রচ apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,হ্যালো apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,আইটেম সরান DocType: Employee Incentive,Incentive Amount,ইনসেনটিভ পরিমাণ +,Employee Leave Balance Summary,কর্মচারী ছুটির ব্যালেন্সের সারাংশ DocType: Serial No,Warranty Period (Days),পাটা কাল (দিন) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,মোট ক্রেডিট / ডেবিট পরিমাণ লিঙ্ক জার্নাল এন্ট্রি হিসাবে একই হওয়া উচিত DocType: Installation Note Item,Installation Note Item,ইনস্টলেশন নোট আইটেম @@ -975,6 +994,7 @@ DocType: Vital Signs,Bloated,স্ফীত DocType: Salary Slip,Salary Slip Timesheet,বেতন স্লিপ শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,উপ-সংকুচিত কেনার রসিদ জন্য বাধ্যতামূলক সরবরাহকারী ওয়্যারহাউস DocType: Item Price,Valid From,বৈধ হবে +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,আপনার রেটিং: DocType: Sales Invoice,Total Commission,মোট কমিশন DocType: Tax Withholding Account,Tax Withholding Account,কর আটকানোর অ্যাকাউন্ট DocType: Pricing Rule,Sales Partner,বিক্রয় অংশীদার @@ -982,6 +1002,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,সমস্ত DocType: Buying Settings,Purchase Receipt Required,কেনার রসিদ প্রয়োজনীয় DocType: Sales Invoice,Rail,রেল apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,প্রকৃত দাম +DocType: Item,Website Image,ওয়েবসাইট চিত্র apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,সারি {0} মধ্যে লক্ষ্য গুদাম কাজ আদেশ হিসাবে একই হতে হবে apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,যদি খোলা স্টক প্রবেশ মূল্যনির্ধারণ হার বাধ্যতামূলক apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,চালান টেবিল অন্তর্ভুক্ত কোন রেকর্ড @@ -1014,8 +1035,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,আপনার অ্যাকাউন্টটি সিঙ্ক্রোনাইজ করার আগে দয়া করে আপনার প্লিড এপিআই কনফিগারেশনটি সম্পূর্ণ করুন apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,অর্ধ দিবসের তারিখ বাধ্যতামূলক DocType: Sales Order,Billing and Delivery Status,বিলিং এবং বিলি অবস্থা DocType: Job Applicant,Resume Attachment,পুনঃসূচনা সংযুক্তি @@ -1027,7 +1048,6 @@ DocType: Production Plan,Production Plan,উৎপাদন পরিকল্ DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ইনভয়েস ক্রিয়েশন টুল খুলছে DocType: Salary Component,Round to the Nearest Integer,নিকটতম পূর্ণসংখ্যার রাউন্ড apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,সেলস প্রত্যাবর্তন -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,দ্রষ্টব্য: মোট বরাদ্দ পাতা {0} ইতিমধ্যে অনুমোদন পাতার চেয়ে কম হওয়া উচিত নয় {1} সময়ের জন্য DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,সিরিয়াল কোন ইনপুটের উপর ভিত্তি করে লেনদেনের পরিমাণ নির্ধারণ করুন ,Total Stock Summary,মোট শেয়ার সারাংশ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1054,6 +1074,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,শ apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,প্রধান পরিমাণ DocType: Loan Application,Total Payable Interest,মোট প্রদেয় সুদের apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},মোট অসামান্য: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,যোগাযোগ খুলুন 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,নির্বাচন পেমেন্ট একাউন্ট ব্যাংক এণ্ট্রি করতে @@ -1062,6 +1083,7 @@ 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,আপডেট প্রক্রিয়ার সময় একটি ত্রুটি ঘটেছে DocType: Restaurant Reservation,Restaurant Reservation,রেস্টুরেন্ট রিজার্ভেশন +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,আপনার আইটেম apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,প্রস্তাবনা লিখন DocType: Payment Entry Deduction,Payment Entry Deduction,পেমেন্ট এণ্ট্রি সিদ্ধান্তগ্রহণ DocType: Service Level Priority,Service Level Priority,পরিষেবা স্তরের অগ্রাধিকার @@ -1070,6 +1092,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,ব্যাচ সংখ্যা সিরিজ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,অন্য বিক্রয় ব্যক্তি {0} একই কর্মচারী আইডি দিয়ে বিদ্যমান DocType: Employee Advance,Claimed Amount,দাবি করা পরিমাণ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,বরাদ্দের মেয়াদ শেষ DocType: QuickBooks Migrator,Authorization Settings,অনুমোদন সেটিংস DocType: Travel Itinerary,Departure Datetime,প্রস্থান ডেটটাইম apps/erpnext/erpnext/hub_node/api.py,No items to publish,প্রকাশ করার জন্য কোনও আইটেম নেই @@ -1137,7 +1160,6 @@ DocType: Student Batch Name,Batch Name,ব্যাচ নাম DocType: Fee Validity,Max number of visit,দেখার সর্বাধিক সংখ্যা DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,লাভ এবং ক্ষতি অ্যাকাউন্টের জন্য বাধ্যতামূলক ,Hotel Room Occupancy,হোটেল রুম আবাসন -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড তৈরি করা হয়েছে: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},পেমেন্ট মোডে ডিফল্ট ক্যাশ বা ব্যাংক একাউন্ট সেট করুন {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,নথিভুক্ত করা DocType: GST Settings,GST Settings,GST সেটিং @@ -1267,6 +1289,7 @@ DocType: Sales Invoice,Commission Rate (%),কমিশন হার (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,দয়া করে নির্বাচন করুন প্রোগ্রাম DocType: Project,Estimated Cost,আনুমানিক খরচ DocType: Request for Quotation,Link to material requests,উপাদান অনুরোধ লিংক +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,প্রকাশ করা apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,বিমান উড্ডয়ন এলাকা ,Fichier des Ecritures Comptables [FEC],ফিসার ডেস ইকরিটেস কমপ্যাটবলস [এফকে] DocType: Journal Entry,Credit Card Entry,ক্রেডিট কার্ড এন্ট্রি @@ -1293,6 +1316,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,চলতি সম্পদ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} একটি স্টক আইটেম নয় apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',প্রশিক্ষণ 'প্রতিক্রিয়া' এবং তারপর 'নতুন' ক্লিক করে প্রশিক্ষণ আপনার প্রতিক্রিয়া ভাগ করুন +DocType: Call Log,Caller Information,কলারের তথ্য DocType: Mode of Payment Account,Default Account,ডিফল্ট একাউন্ট apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,প্রথমে স্টক সেটিংস মধ্যে নমুনা ধারণ গুদাম নির্বাচন করুন apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,একাধিক সংগ্রহের নিয়মগুলির জন্য দয়া করে একাধিক টিয়ার প্রোগ্রামের ধরন নির্বাচন করুন @@ -1317,6 +1341,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,অটো উপাদান অনুরোধ উত্পন্ন DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),কাজের সময় যার নীচে অর্ধ দিন চিহ্নিত করা হয়। (অক্ষম করার জন্য জিরো) DocType: Job Card,Total Completed Qty,মোট সম্পূর্ণ পরিমাণ +DocType: HR Settings,Auto Leave Encashment,অটো ছেড়ে দিন এনক্যাশমেন্ট apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,নষ্ট apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,আপনি কলাম 'জার্নাল এন্ট্রি বিরুদ্ধে' বর্তমান ভাউচার লিখতে পারবেন না DocType: Employee Benefit Application Detail,Max Benefit Amount,সর্বোচ্চ বেনিফিট পরিমাণ @@ -1346,9 +1371,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,গ্রাহক DocType: Item Attribute Value,Item Attribute Value,আইটেম মান গুন apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,মুদ্রা বিনিময় কেনা বা বিক্রয়ের জন্য প্রযোজ্য হবে। +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,কেবল মেয়াদোত্তীর্ণ বরাদ্দ বাতিল হতে পারে DocType: Item,Maximum sample quantity that can be retained,সর্বাধিক নমুনা পরিমাণ যা বজায় রাখা যায় apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},সারি {0} # আইটেম {1} ক্রয় আদেশ {2} এর চেয়ে বেশি {2} স্থানান্তর করা যাবে না apps/erpnext/erpnext/config/crm.py,Sales campaigns.,সেলস প্রচারণা. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,অপরিচিত ব্যক্তি DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1380,6 +1407,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,স্ব apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,ডক নাম DocType: Expense Claim Detail,Expense Claim Type,ব্যয় দাবি প্রকার DocType: Shopping Cart Settings,Default settings for Shopping Cart,শপিং কার্ট জন্য ডিফল্ট সেটিংস +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,আইটেম সংরক্ষণ করুন apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,নতুন ব্যয় apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,বিদ্যমান অর্ডার করা পরিমাণ উপেক্ষা করুন apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Timeslots যোগ করুন @@ -1392,6 +1420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,পর্যালোচনা আমন্ত্রণ প্রেরিত DocType: Shift Assignment,Shift Assignment,শিফট অ্যাসাইনমেন্ট DocType: Employee Transfer Property,Employee Transfer Property,কর্মচারী স্থানান্তর স্থানান্তর +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,ক্ষেত্রের ইক্যুইটি / দায় অ্যাকাউন্ট খালি থাকতে পারে না apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,সময় থেকে সময় কম হতে হবে apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,বায়োটেকনোলজি apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1473,11 +1502,13 @@ 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,নতুন পরিচিতি তৈরি করুন apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,কোর্স সুচী DocType: GSTR 3B Report,GSTR 3B Report,জিএসটিআর 3 বি রিপোর্ট DocType: Request for Quotation Supplier,Quote Status,উদ্ধৃতি অবস্থা DocType: GoCardless Settings,Webhooks Secret,ওয়েবহকস সিক্রেট DocType: Maintenance Visit,Completion Status,শেষ অবস্থা +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},মোট প্রদানের পরিমাণ {than এর বেশি হতে পারে না DocType: Daily Work Summary Group,Select Users,ব্যবহারকারী নির্বাচন করুন DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,হোটেল রুম মূল্যের আইটেম DocType: Loyalty Program Collection,Tier Name,টিয়ার নাম @@ -1515,6 +1546,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST প DocType: Lab Test Template,Result Format,ফলাফল ফরম্যাট DocType: Expense Claim,Expenses,খরচ DocType: Service Level,Support Hours,সাপোর্ট ঘন্টা +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,প্রসবের নোট DocType: Item Variant Attribute,Item Variant Attribute,আইটেম ভেরিয়েন্ট গুন ,Purchase Receipt Trends,কেনার রসিদ প্রবণতা DocType: Payroll Entry,Bimonthly,দ্বিমাসিক @@ -1536,7 +1568,6 @@ DocType: Sales Team,Incentives,ইনসেনটিভ DocType: SMS Log,Requested Numbers,অনুরোধ করা নাম্বার DocType: Volunteer,Evening,সন্ধ্যা DocType: Quiz,Quiz Configuration,কুইজ কনফিগারেশন -DocType: Customer,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 @@ -1583,7 +1614,6 @@ apps/erpnext/erpnext/config/accounting.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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},অপারেশন জন্য পরের {0} দিন টাইম স্লটে এটি অক্ষম {1} DocType: Work Order,Plan material for sub-assemblies,উপ-সমাহারকে পরিকল্পনা উপাদান 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,স্থানান্তর জন্য কোন আইটেম উপলব্ধ @@ -1598,9 +1628,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,পুনঃ-অর্ডার স্তর বজায় রাখতে আপনাকে স্টক সেটিংসে অটো রি-অর্ডার সক্ষম করতে হবে। apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,এই রক্ষণাবেক্ষণ পরিদর্শন বাতিল আগে বাতিল উপাদান ভিজিট {0} DocType: Pricing Rule,Rate or Discount,রেট বা ডিসকাউন্ট +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,ব্যাংক বিবরণ DocType: Vital Signs,One Sided,এক পার্শ্বযুক্ত apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},সিরিয়াল কোন {0} আইটেম অন্তর্গত নয় {1} -DocType: Purchase Receipt Item Supplied,Required Qty,প্রয়োজনীয় Qty +DocType: Purchase Order Item Supplied,Required Qty,প্রয়োজনীয় Qty DocType: Marketplace Settings,Custom Data,কাস্টম ডেটা apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,বিদ্যমান লেনদেনের সঙ্গে গুদাম খাতা থেকে রূপান্তর করা যাবে না. DocType: Service Day,Service Day,পরিষেবা দিবস @@ -1628,7 +1659,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,অ্যাকাউন্ট মুদ্রা DocType: Lab Test,Sample ID,নমুনা আইডি apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,কোম্পানি এ সুসম্পন্ন অ্যাকাউন্ট উল্লেখ করতে হবে -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,পরিসর DocType: Supplier,Default Payable Accounts,ডিফল্ট পরিশোধযোগ্য অংশ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,{0} কর্মচারী সক্রিয় নয় বা কোন অস্তিত্ব নেই @@ -1669,8 +1699,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,তথ্যের জন্য অনুরোধ DocType: Course Activity,Activity Date,ক্রিয়াকলাপের তারিখ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} এর {} -,LeaderBoard,লিডারবোর্ড DocType: Sales Invoice Item,Rate With Margin (Company Currency),মার্জিনের সাথে রেট (কোম্পানির মুদ্রা) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,ধরন apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,সিঙ্ক অফলাইন চালান DocType: Payment Request,Paid,প্রদত্ত DocType: Service Level,Default Priority,ডিফল্ট অগ্রাধিকার @@ -1705,11 +1735,11 @@ 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,পরোক্ষ আয় DocType: Student Attendance Tool,Student Attendance Tool,ছাত্র এ্যাটেনডেন্স টুল DocType: Restaurant Menu,Price List (Auto created),মূল্য তালিকা (অটো তৈরি) +DocType: Pick List Item,Picked Qty,কিটি বেছে নিয়েছে DocType: Cheque Print Template,Date Settings,তারিখ সেটিং 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,কর্মচারী প্রচার বিস্তারিত -,Company Name,কোমপানির নাম DocType: SMS Center,Total Message(s),মোট বার্তা (গুলি) DocType: Share Balance,Purchased,কেনা DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,আইটেম অ্যাট্রিবিউট অ্যাট্রিবিউট মান নামকরণ করুন। @@ -1728,7 +1758,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,সর্বশেষ চেষ্টা 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} জন্য বরাদ্দকৃত মোট পাতার বাধ্যতামূলক -DocType: BOM,Raw Material Cost(Company Currency),কাঁচামাল খরচ (কোম্পানির মুদ্রা) 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,বিদ্যুৎ খরচ @@ -1795,6 +1824,7 @@ DocType: Travel Itinerary,Train,রেলগাড়ি ,Delayed Item Report,বিলম্বিত আইটেম প্রতিবেদন apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,যোগ্য আইটিসি DocType: Healthcare Service Unit,Inpatient Occupancy,ইনপেশেন্ট আবাসন +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,আপনার প্রথম আইটেম প্রকাশ করুন DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-এসসি .YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,শিফট শেষ হওয়ার পরে সময় যাচাইয়ের জন্য চেক আউট হিসাবে বিবেচিত হয়। apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},উল্লেখ করুন একটি {0} @@ -1910,6 +1940,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,সকল BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,আন্তঃ সংস্থা জার্নাল এন্ট্রি তৈরি করুন DocType: Company,Parent Company,মূল কোম্পানি apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},হোটেলের রুম {0} {1} এ অনুপলব্ধ +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,কাঁচামাল এবং অপারেশনগুলির পরিবর্তনের জন্য বিওএমের সাথে তুলনা করুন apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,নথি {0} সফলভাবে অস্পষ্ট uncle DocType: Healthcare Practitioner,Default Currency,ডিফল্ট মুদ্রা apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,এই অ্যাকাউন্টটি পুনর্গঠন করুন @@ -1944,6 +1975,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,সি-ফরম চালান বিস্তারিত DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,পেমেন্ট রিকনসিলিয়েশন চালান DocType: Clinical Procedure,Procedure Template,পদ্ধতি টেমপ্লেট +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,আইটেম প্রকাশ করুন apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,অবদান% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ক্রয় সেটিংস অনুযায়ী যদি ক্রয় আদেশ প্রয়োজনীয় == 'হ্যাঁ, তারপর ক্রয় চালান তৈরি করার জন্য, ব্যবহারকারী আইটেমের জন্য প্রথম ক্রয় অর্ডার তৈরি করতে হবে {0}" ,HSN-wise-summary of outward supplies,এইচএসএন-ভিত্তিক বাহ্যিক সরবরাহের সারসংক্ষেপ @@ -1956,7 +1988,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',সেট 'অতিরিক্ত ডিসকাউন্ট প্রযোজ্য' দয়া করে DocType: Party Tax Withholding Config,Applicable Percent,প্রযোজ্য শতাংশ ,Ordered Items To Be Billed,আদেশ আইটেম বিল তৈরি করা -DocType: Employee Checkin,Exit Grace Period Consequence,গ্রেট পিরিয়ডের ফলাফলটি প্রস্থান করুন apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,বিন্যাস কম হতে হয়েছে থেকে চেয়ে পরিসীমা DocType: Global Defaults,Global Defaults,আন্তর্জাতিক ডিফল্ট apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,প্রকল্প সাহায্য আমন্ত্রণ @@ -1964,13 +1995,11 @@ DocType: Salary Slip,Deductions,Deductions DocType: Setup Progress Action,Action Name,কর্ম নাম apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,শুরুর বছর apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Createণ তৈরি করুন -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / এলসি DocType: Purchase Invoice,Start date of current invoice's period,বর্তমান চালান এর সময়সীমার তারিখ শুরু DocType: Shift Type,Process Attendance After,প্রক্রিয়া উপস্থিতি পরে ,IRS 1099,আইআরএস 1099 DocType: Salary Slip,Leave Without Pay,পারিশ্রমিক বিহীন ছুটি DocType: Payment Request,Outward,বাহ্যিক -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,ক্ষমতা পরিকল্পনা ত্রুটি apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,রাজ্য / ইউটি কর কর Tax ,Trial Balance for Party,পার্টি জন্য ট্রায়াল ব্যালেন্স ,Gross and Net Profit Report,গ্রস এবং নেট লাভের রিপোর্ট @@ -1989,7 +2018,6 @@ DocType: Payroll Entry,Employee Details,কর্মচারী বিবরণ 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} -DocType: Setup Progress Action,Domains,ডোমেইন 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,প্রদায়ক সেটিংস @@ -2030,7 +2058,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,মোট 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.","পেমেন্ট মোড কনফিগার করা হয়নি. অনুগ্রহ করে পরীক্ষা করুন, কিনা অ্যাকাউন্ট পেমেন্ট মোড বা পিওএস প্রোফাইল উপর স্থাপন করা হয়েছে." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,একই আইটেম একাধিক বার প্রবেশ করানো যাবে না. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","আরও অ্যাকাউন্ট দলের অধীনে করা যেতে পারে, কিন্তু এন্ট্রি অ গ্রুপের বিরুদ্ধে করা যেতে পারে" -DocType: Email Campaign,Lead,লিড +DocType: Call Log,Lead,লিড DocType: Email Digest,Payables,Payables DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth টোকেন DocType: Email Campaign,Email Campaign For ,ইমেল প্রচারের জন্য @@ -2042,6 +2070,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,ক্রয় আদেশ আইটেম বিল তৈরি করা 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,ক্রেডিট সীমা DocType: Purchase Invoice Item,Net Rate,নিট হার apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,একটি গ্রাহক নির্বাচন করুন DocType: Leave Policy,Leave Allocations,বরাদ্দ ছেড়ে দিন @@ -2055,6 +2084,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,বন্ধ ইস্যু দিন পরে ,Eway Bill,ইওয়ে বিল apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,আপনি মার্কেটপ্লেস ব্যবহারকারীদের যুক্ত করতে সিস্টেম ম্যানেজার এবং আইটেম ম্যানেজার ভূমিকা সহ একটি ব্যবহারকারী হতে হবে +DocType: Attendance,Early Exit,প্রারম্ভিক প্রস্থান DocType: Job Opening,Staffing Plan,স্টাফিং প্ল্যান apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,ই-ওয়ে বিল জেএসএন কেবল জমা দেওয়া নথি থেকে তৈরি করা যেতে পারে apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,কর্মচারী কর এবং সুবিধা @@ -2075,6 +2105,7 @@ DocType: Maintenance Team Member,Maintenance Role,রক্ষণাবেক্ apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},সদৃশ সারিতে {0} একই {1} DocType: Marketplace Settings,Disable Marketplace,মার্কেটপ্লেস অক্ষম করুন DocType: Quality Meeting,Minutes,মিনিট +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,আপনার বৈশিষ্ট্যযুক্ত আইটেম ,Trial Balance,ট্রায়াল ব্যালেন্স apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,সম্পূর্ণ হয়েছে দেখান apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,অর্থবছরের {0} পাওয়া যায়নি @@ -2084,8 +2115,8 @@ 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,প্রথম উপসর্গ নির্বাচন করুন DocType: Contract,Fulfilment Deadline,পূরণের সময়সীমা +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,আপনার কাছাকাছি DocType: Student,O-,o- -DocType: Shift Type,Consequence,ফল DocType: Subscription Settings,Subscription Settings,সাবস্ক্রিপশন সেটিংস DocType: Purchase Invoice,Update Auto Repeat Reference,অটো পুনরাবৃত্তি রেফারেন্স আপডেট করুন apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},ঐচ্ছিক ছুটির তালিকা ছাড়ের সময়কালের জন্য নির্ধারিত {0} @@ -2096,7 +2127,6 @@ DocType: Maintenance Visit Purpose,Work Done,কাজ শেষ apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,আরোপ করা টেবিলের মধ্যে অন্তত একটি বৈশিষ্ট্য উল্লেখ করুন DocType: Announcement,All Students,সকল শিক্ষার্থীরা apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,আইটেম {0} একটি অ স্টক আইটেমটি হতে হবে -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ব্যাংক ডেটিলস apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,দেখুন লেজার DocType: Grading Scale,Intervals,অন্তর DocType: Bank Statement Transaction Entry,Reconciled Transactions,পুনর্বিবেচনার লেনদেন @@ -2132,6 +2162,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",এই গুদাম বিক্রয় অর্ডার তৈরি করতে ব্যবহৃত হবে। ফলব্যাক গুদাম হ'ল "স্টোরস"। DocType: Work Order,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,কেনার চক্র সারা একই হার বজায় রাখা DocType: Opportunity Item,Opportunity Item,সুযোগ আইটেম DocType: Quality Action,Quality Review,গুণ পর্যালোচনা @@ -2158,7 +2189,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,অসামান্য চালানে পান -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,বিক্রয় আদেশ {0} বৈধ নয় +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,উদ্ধৃতি জন্য নতুন অনুরোধের জন্য সতর্কতা apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,ক্রয় আদেশ আপনি পরিকল্পনা সাহায্য এবং আপনার ক্রয়ের উপর ফলোআপ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,ল্যাব টেস্ট প্রেসক্রিপশন @@ -2182,6 +2213,7 @@ DocType: Employee Onboarding,Notify users by email,ইমেল দ্বার DocType: Travel Request,International,আন্তর্জাতিক DocType: Training Event,Training Event,প্রশিক্ষণ ইভেন্ট DocType: Item,Auto re-order,অটো পুনরায় আদেশ +DocType: Attendance,Late Entry,দেরীতে প্রবেশ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,মোট অর্জন DocType: Employee,Place of Issue,ঘটনার কেন্দ্রবিন্দু DocType: Promotional Scheme,Promotional Scheme Price Discount,প্রচারমূলক প্রকল্পের মূল্য ছাড় @@ -2228,6 +2260,7 @@ DocType: Serial No,Serial No Details,সিরিয়াল কোন বি DocType: Purchase Invoice Item,Item Tax Rate,আইটেমটি ট্যাক্স হার apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,পার্টি নাম থেকে apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,নেট বেতনের পরিমাণ +DocType: Pick List,Delivery against Sales Order,বিক্রয় অর্ডার বিরুদ্ধে বিতরণ DocType: Student Group Student,Group Roll Number,গ্রুপ রোল নম্বর apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","{0}, শুধুমাত্র ক্রেডিট অ্যাকাউন্ট অন্য ডেবিট এন্ট্রি বিরুদ্ধে সংযুক্ত করা যাবে জন্য" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,হুণ্ডি {0} দাখিল করা হয় না @@ -2299,7 +2332,6 @@ DocType: Contract,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,সরবরাহকারী চালান তারিখ -DocType: Asset Settings,This value is used for pro-rata temporis calculation,এই মানটি pro-rata temporis গণনা জন্য ব্যবহার করা হয় apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,আপনি শপিং কার্ট সক্রিয় করতে হবে DocType: Payment Entry,Writeoff,Writeoff DocType: Maintenance Visit,MAT-MVS-.YYYY.-,Mat-MVS-.YYYY.- @@ -2322,7 +2354,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,নিষ্ক্রিয় বিক্রয় আইটেম DocType: Quality Review,Additional Information,অতিরিক্ত তথ্য apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,মোট আদেশ মান -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,পরিষেবা স্তরের চুক্তি পুনরায় সেট করুন। apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,খাদ্য apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,বুড়ো রেঞ্জ 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,পিওস সমাপ্তি ভাউচার বিবরণ @@ -2367,6 +2398,7 @@ 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,প্রচারাভিযান 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',অনুমোদন অবস্থা 'অনুমোদিত' বা 'পরিত্যক্ত' হতে হবে DocType: Healthcare Practitioner,Contacts and Address,পরিচিতি এবং ঠিকানা DocType: Shift Type,Determine Check-in and Check-out,চেক-ইন এবং চেক-আউট নির্ধারণ করুন @@ -2386,7 +2418,6 @@ DocType: Student Admission,Eligibility and Details,যোগ্যতা এব apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,মোট লাভ অন্তর্ভুক্ত apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,পরিসম্পদ মধ্যে নিট পরিবর্তন apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,রেকিড Qty -DocType: Company,Client Code,ক্লায়েন্ট কোড apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,টাইপ 'প্রকৃত' সারিতে ভারপ্রাপ্ত {0} আইটেম রেট মধ্যে অন্তর্ভুক্ত করা যাবে না apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},সর্বোচ্চ: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Datetime থেকে @@ -2454,6 +2485,7 @@ DocType: Journal Entry Account,Account Balance,হিসাবের পরি apps/erpnext/erpnext/config/accounting.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 (%),ওভার ট্রান্সফার ভাতা (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: গ্রাহকের প্রাপ্য অ্যাকাউন্ট বিরুদ্ধে প্রয়োজন বোধ করা হয় {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),মোট কর ও শুল্ক (কোম্পানি একক) DocType: Weather,Weather Parameter,আবহাওয়া পরামিতি @@ -2513,6 +2545,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,অনুপস্থি apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,মোট ব্যয় ভিত্তিতে একাধিক টায়ার্ড সংগ্রহ ফ্যাক্টর হতে পারে। কিন্তু রিডমপশন জন্য রূপান্তর ফ্যাক্টর সর্বদা সব স্তর জন্য একই হবে। apps/erpnext/erpnext/config/help.py,Item Variants,আইটেম রুপভেদ apps/erpnext/erpnext/public/js/setup_wizard.js,Services,সেবা +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,বিওএম 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,কর্মচারী ইমেল বেতন স্লিপ DocType: Cost Center,Parent Cost Center,মূল খরচ কেন্দ্র @@ -2523,7 +2556,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields", DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,চালানের উপর Shopify থেকে সরবরাহের নথি আমদানি করুন apps/erpnext/erpnext/templates/pages/projects.html,Show closed,দেখান বন্ধ DocType: Issue Priority,Issue Priority,অগ্রাধিকার ইস্যু -DocType: Leave Type,Is Leave Without Pay,বিনা বেতনে ছুটি হয় +DocType: Leave Ledger Entry,Is Leave Without Pay,বিনা বেতনে ছুটি হয় apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,অ্যাসেট শ্রেণী ফিক্সড অ্যাসেট আইটেমের জন্য বাধ্যতামূলক DocType: Fee Validity,Fee Validity,ফি বৈধতা @@ -2571,6 +2604,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,ওয়্যা apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,আপডেট প্রিন্ট বিন্যাস DocType: Bank Account,Is Company Account,কোম্পানির অ্যাকাউন্ট apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,বাতিল প্রকার {0} নগদীকরণযোগ্য নয় +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},ক্রেডিট সীমা ইতিমধ্যে সংস্থার জন্য নির্ধারিত হয়েছে {0} DocType: Landed Cost Voucher,Landed Cost Help,ল্যান্ড খরচ সাহায্য DocType: Vehicle Log,HR-VLOG-.YYYY.-,এইচআর-vlog-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,শিপিং ঠিকানা নির্বাচন @@ -2595,6 +2629,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,দ্বিপথ DocType: Item,Manufacturers,নির্মাতারা @@ -2630,7 +2665,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,ব্যাংক পুনর্মিলন বিবৃতি DocType: Patient Encounter,Medical Coding,মেডিকেল কোডিং DocType: Healthcare Settings,Reminder Message,অনুস্মারক বার্তা -,Lead Name,লিড নাম +DocType: Call Log,Lead Name,লিড নাম ,POS,পিওএস DocType: C-Form,III,তৃতীয় apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,প্রত্যাশা @@ -2662,12 +2697,14 @@ DocType: Purchase Invoice,Supplier Warehouse,সরবরাহকারী ও DocType: Opportunity,Contact Mobile No,যোগাযোগ মোবাইল নম্বর apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,কোম্পানী নির্বাচন করুন ,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: Student Report Generation Tool,Print Section,মুদ্রণ অধ্যায় DocType: Staffing Plan Detail,Estimated Cost Per Position,অবস্থান প্রতি আনুমানিক খরচ DocType: Employee,HR-EMP-,এইচআর-EMP- 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,কোয়ালিটি মিটিং মিনিট +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,কর্মচারী রেফারেল DocType: Student Group,Set 0 for no limit,কোন সীমা 0 সেট apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"আপনি ছুটি জন্য আবেদন করেন, যা প্রথম দিন (গুলি) ছুটির হয়. আপনি চলে জন্য আবেদন করার প্রয়োজন নেই." @@ -2699,12 +2736,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,ক্যাশ মধ্যে নিট পরিবর্তন DocType: Assessment Plan,Grading Scale,শূন্য স্কেল apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,মেজার {0} এর ইউনিট রূপান্তর ফ্যাক্টর ছক একাধিকবার প্রবেশ করানো হয়েছে -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,ইতিমধ্যে সম্পন্ন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,শেয়ার হাতে apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",অনুগ্রহ করে অ্যাপ্লিকেশনটিতে অবশিষ্ট বোনাসগুলি {0} যোগ করুন \ pro-rata component apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',জন প্রশাসন "% s" এর জন্য অনুগ্রহপূর্বক আর্থিক কোড সেট করুন -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},পেমেন্ট অনুরোধ ইতিমধ্যেই বিদ্যমান {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,প্রথম প্রকাশ আইটেম খরচ DocType: Healthcare Practitioner,Hospital,হাসপাতাল apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},পরিমাণ বেশী হবে না {0} @@ -2748,6 +2783,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,মানব সম্পদ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,আপার আয় DocType: Item Manufacturer,Item Manufacturer,আইটেম প্রস্তুতকর্তা +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,নতুন লিড তৈরি করুন DocType: BOM Operation,Batch Size,ব্যাচ আকার apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,প্রত্যাখ্যান DocType: Journal Entry Account,Debit in Company Currency,কোম্পানি মুদ্রা ডেবিট @@ -2767,9 +2803,11 @@ DocType: Bank Transaction,Reconciled,মিলন DocType: Expense Claim,Total Amount Reimbursed,মোট পরিমাণ শিশুবের apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,এই যানবাহন বিরুদ্ধে লগ উপর ভিত্তি করে তৈরি. বিস্তারিত জানার জন্য নিচের টাইমলাইনে দেখুন apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,বেতনভুক্তির তারিখ কর্মচারীর যোগদানের তারিখের চেয়ে কম হতে পারে না +DocType: Pick List,Item Locations,আইটেম অবস্থান apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} সৃষ্টি apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",নিয়োগের জন্য কাজের খোলার {0} ইতিমধ্যে খোলা আছে বা স্টাফিং প্ল্যান অনুযায়ী সম্পন্ন নিয়োগ {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,আপনি 200 টি আইটেম প্রকাশ করতে পারেন। DocType: Vital Signs,Constipated,কোষ্ঠকাঠিন্য apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},সরবরাহকারী বিরুদ্ধে চালান {0} তারিখের {1} DocType: Customer,Default Price List,ডিফল্ট মূল্য তালিকা @@ -2860,6 +2898,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,শিফট আসল শুরু DocType: Tally Migration,Is Day Book Data Imported,ইজ ডে বুক ডেটা আমদানি করা apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,বিপণন খরচ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{1} এর {0} ইউনিট উপলব্ধ নয়। ,Item Shortage Report,আইটেম পত্র 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,স্ট্যান্ডার্ড মানদণ্ড তৈরি করতে পারবেন না মানদণ্ডের নাম পরিবর্তন করুন @@ -2882,6 +2921,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,অবসর তারিখ DocType: Upload Attendance,Get Template,টেমপ্লেট করুন +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,তালিকা বাছাই ,Sales Person Commission Summary,বিক্রয় ব্যক্তি কমিশন সারসংক্ষেপ DocType: Material Request,Transferred,স্থানান্তরিত DocType: Vehicle,Doors,দরজা @@ -2961,7 +3001,7 @@ DocType: Sales Invoice Item,Customer's Item Code,গ্রাহকের আই DocType: Stock Reconciliation,Stock Reconciliation,শেয়ার রিকনসিলিয়েশন DocType: Territory,Territory Name,টেরিটরি নাম DocType: Email Digest,Purchase Orders to Receive,অর্ডার অর্ডার ক্রয় -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,কাজ-অগ্রগতি ওয়্যারহাউস জমা করার আগে প্রয়োজন বোধ করা হয় +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,কাজ-অগ্রগতি ওয়্যারহাউস জমা করার আগে প্রয়োজন বোধ করা হয় apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,আপনি শুধুমাত্র একটি সাবস্ক্রিপশন একই বিলিং চক্র সঙ্গে পরিকল্পনা করতে পারেন DocType: Bank Statement Transaction Settings Item,Mapped Data,মানচিত্র ডেটা DocType: Purchase Order Item,Warehouse and Reference,ওয়ারহাউস ও রেফারেন্স @@ -3034,6 +3074,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,ডেলিভারি সেটিংস apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ডেটা আনুন apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},{0} ছুটির প্রকারে অনুমোদিত সর্বাধিক ছুটি হল {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 আইটেম প্রকাশ করুন DocType: SMS Center,Create Receiver List,রিসিভার তালিকা তৈরি করুন DocType: Student Applicant,LMS Only,কেবলমাত্র এলএমএস apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,উপলভ্য ব্যবহারের জন্য তারিখ ক্রয়ের তারিখের পরে হওয়া উচিত @@ -3067,6 +3108,7 @@ DocType: Serial No,Delivery Document No,ডেলিভারি ডকুমে DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,উত্পাদিত সিরিয়াল নম্বর উপর ভিত্তি করে ডেলিভারি নিশ্চিত করুন DocType: Vital Signs,Furry,লোমযুক্ত apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},কোম্পানি 'অ্যাসেট নিষ্পত্তির লাভ / ক্ষতির অ্যাকাউন্ট' নির্ধারণ করুন {0} +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} জন্য লক্ষ্যের স্থান প্রয়োজন @@ -3087,9 +3129,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,মাসিক বন্টন নাম DocType: Quality Procedure Process,Quality Procedure Process,গুণমান প্রক্রিয়া প্রক্রিয়া apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ব্যাচ আইডি বাধ্যতামূলক +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,প্রথমে গ্রাহক নির্বাচন করুন DocType: Sales Person,Parent Sales Person,মূল সেলস পারসন apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,প্রাপ্ত করা কোন আইটেম মুলতুবি হয় apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,বিক্রেতা এবং ক্রেতা একই হতে পারে না +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,এখনো পর্যন্ত কোন মতামত নেই DocType: Project,Collect Progress,সংগ্রহ অগ্রগতি DocType: Delivery Note,MAT-DN-.YYYY.-,Mat-ডিএন .YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,প্রোগ্রাম প্রথম নির্বাচন করুন @@ -3111,11 +3155,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,অর্জন DocType: Student Admission,Application Form Route,আবেদনপত্র রুট apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,চুক্তির শেষ তারিখ আজকের চেয়ে কম হতে পারে না। +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,জমা দিতে Ctrl + Enter DocType: Healthcare Settings,Patient Encounters in valid days,বৈধ দিনগুলিতে রোগীর সম্মুখীন apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,ত্যাগ প্রকার {0} বরাদ্দ করা যাবে না যেহেতু এটা বিনা বেতনে ছুটি হয় 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,আপনি বিক্রয় চালান সংরক্ষণ একবার শব্দ দৃশ্যমান হবে. DocType: Lead,Follow Up,অনুসরণ করুন +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,ব্যয় কেন্দ্র: {0} বিদ্যমান নেই DocType: Item,Is Sales Item,সেলস আইটেম apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,আইটেমটি গ্রুপ বৃক্ষ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,{0} আইটেম সিরিয়াল আমরা জন্য সেটআপ নয়. আইটেম মাস্টার চেক @@ -3159,9 +3205,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,সরবরাহকৃত Qty DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-সি পি আর-.YYYY.- DocType: Purchase Order Item,Material Request Item,উপাদানের জন্য অনুরোধ আইটেম -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,দয়া করে ক্রয় রশিদ বাতিল {প্রথম} {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,আইটেম গ্রুপ বৃক্ষ. DocType: Production Plan,Total Produced Qty,মোট উত্পাদিত পরিমাণ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,এখনও কোন পর্যালোচনা নেই apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,এই চার্জ ধরণ জন্য বর্তমান সারির সংখ্যা এর চেয়ে বড় বা সমান সারির সংখ্যা পড়ুন করতে পারবেন না DocType: Asset,Sold,বিক্রীত ,Item-wise Purchase History,আইটেম-বিজ্ঞ ক্রয় ইতিহাস @@ -3180,7 +3226,7 @@ DocType: Designation,Required Skills,প্রয়োজনীয় দক্ DocType: Inpatient Record,O Positive,ও ইতিবাচক apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,বিনিয়োগ DocType: Issue,Resolution Details,রেজোলিউশনের বিবরণ -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,লেনদেন প্রকার +DocType: Leave Ledger Entry,Transaction Type,লেনদেন প্রকার DocType: Item Quality Inspection Parameter,Acceptance Criteria,গ্রহণযোগ্য বৈশিষ্ট্য apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,উপরে টেবিল উপাদান অনুরোধ দয়া করে প্রবেশ করুন apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,জার্নাল এন্ট্রি জন্য কোন প্রতিস্থাপনের উপলব্ধ @@ -3221,6 +3267,7 @@ DocType: Bank Account,Bank Account No,ব্যাংক অ্যাকাউ DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,কর্মচারী ট্যাক্স ছাড় প্রুফ জমা DocType: Patient,Surgical History,অস্ত্রোপচারের ইতিহাস DocType: Bank Statement Settings Item,Mapped Header,ম্যাপ করা শিরোলেখ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদ> এইচআর সেটিংসে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন DocType: Employee,Resignation Letter Date,পদত্যাগ পত্র তারিখ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,দামে আরও পরিমাণের উপর ভিত্তি করে ফিল্টার করা হয়. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},কর্মচারী জন্য যোগদানের তারিখ সেট করুন {0} @@ -3285,7 +3332,6 @@ DocType: Student Report Generation Tool,Add Letterhead,লেটারহেড 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,সর্বমোট পাতার {0} কম হতে পারে না সময়ের জন্য ইতিমধ্যেই অনুমোদন পাতার {1} চেয়ে DocType: Contract Fulfilment Checklist,Requirement,প্রয়োজন DocType: Journal Entry,Accounts Receivable,গ্রহনযোগ্য অ্যাকাউন্ট DocType: Quality Goal,Objectives,উদ্দেশ্য @@ -3308,7 +3354,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,একক লেন DocType: Lab Test Template,This value is updated in the Default Sales Price List.,এই মান ডিফল্ট সেলস মূল্য তালিকাতে আপডেট করা হয়। apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,তোমার থলে তো খালি DocType: Email Digest,New Expenses,নিউ খরচ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,পিডিসি / এলসি পরিমাণ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,ড্রাইভারের ঠিকানা মিস হওয়ায় রুটটি অনুকূল করা যায় না। DocType: Shareholder,Shareholder,ভাগীদার DocType: Purchase Invoice,Additional Discount Amount,অতিরিক্ত মূল্য ছাড়ের পরিমাণ @@ -3379,6 +3424,7 @@ DocType: Salary Component,Deduction,সিদ্ধান্তগ্রহণ DocType: Item,Retain Sample,নমুনা রাখা apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,সারি {0}: সময় থেকে এবং সময় বাধ্যতামূলক. DocType: Stock Reconciliation Item,Amount Difference,পরিমাণ পার্থক্য +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,এই পৃষ্ঠাটি আপনি বিক্রেতাদের কাছ থেকে কিনতে চান এমন আইটেমগুলির উপর নজর রাখে। apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},আইটেমের মূল্য জন্য যোগ {0} মূল্যতালিকা {1} DocType: Delivery Stop,Order Information,আদেশ তথ্য apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,এই বিক্রয় ব্যক্তির কর্মী ID লিখুন দয়া করে @@ -3407,6 +3453,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** অর্থবছরের ** একটি অর্থবছরে প্রতিনিধিত্ব করে. সব হিসাব ভুক্তি এবং অন্যান্য প্রধান লেনদেন ** ** অর্থবছরের বিরুদ্ধে ট্র্যাক করা হয়. DocType: Opportunity,Customer / Lead Address,গ্রাহক / লিড ঠিকানা DocType: Supplier Scorecard Period,Supplier Scorecard Setup,সরবরাহকারী স্কোরকার্ড সেটআপ +DocType: Customer Credit Limit,Customer Credit Limit,গ্রাহক Creditণ সীমা apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,মূল্যায়ন পরিকল্পনা নাম apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,টার্গেটের বিশদ apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","প্রযোজ্য যদি সংস্থাটি স্পা, এসএপিএ বা এসআরএল হয়" @@ -3459,7 +3506,6 @@ DocType: Company,Transactions Annual History,লেনদেনের বার 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,ব্যাংকের নাম -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-সর্বোপরি 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,তরল @@ -3511,6 +3557,7 @@ 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,বৈশিষ্ট্যযুক্ত আইটেম যোগ করা হয়েছে apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,বছরের জন্য লাভ 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,প্রক্রিয়াধীন @@ -3564,12 +3611,10 @@ 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,একই আইটেম একাধিক টাইম অনুমতি দিন -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,সংস্থার জন্য কোনও জিএসটি নম্বর পাওয়া যায় নি। 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,এমপ্লয়িজ DocType: Question,Single Correct Answer,একক সঠিক উত্তর -DocType: Employee,Contact Details,যোগাযোগের ঠিকানা DocType: C-Form,Received Date,জন্ম গ্রহণ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","আপনি বিক্রয় করের এবং চার্জ টেমপ্লেট একটি স্ট্যান্ডার্ড টেমপ্লেট নির্মাণ করা হলে, একটি নির্বাচন করুন এবং নিচের বাটনে ক্লিক করুন." DocType: BOM Scrap Item,Basic Amount (Company Currency),বেসিক পরিমাণ (কোম্পানি মুদ্রা) @@ -3599,12 +3644,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM ওয়েবসা DocType: Bank Statement Transaction Payment Item,outstanding_amount,বাকির পরিমাণ DocType: Supplier Scorecard,Supplier Score,সরবরাহকারী স্কোর apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,ভর্তি সময়সূচী +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,মোট প্রদানের অনুরোধের পরিমাণটি {0} পরিমাণের চেয়ে বেশি হতে পারে না DocType: Tax Withholding Rate,Cumulative Transaction Threshold,সংক্ষেপিত লেনদেন থ্রেশহোল্ড DocType: Promotional Scheme Price Discount,Discount Type,ছাড়ের ধরণ -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,মোট চালানে মাসিক DocType: Purchase Invoice Item,Is Free Item,বিনামূল্যে আইটেম +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,অর্ডারের পরিমাণের তুলনায় আপনাকে শতাংশ হস্তান্তর করার অনুমতি দেওয়া হচ্ছে। উদাহরণস্বরূপ: আপনি যদি 100 ইউনিট অর্ডার করেন। এবং আপনার ভাতা 10% এর পরে আপনাকে 110 ইউনিট স্থানান্তর করার অনুমতি দেওয়া হয়। DocType: Supplier,Warn RFQs,RFQs সতর্ক করুন -apps/erpnext/erpnext/templates/pages/home.html,Explore,অন্বেষণ করা +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,অন্বেষণ করা DocType: BOM,Conversion Rate,রূপান্তর হার apps/erpnext/erpnext/www/all-products/index.html,Product Search,পণ্য অনুসন্ধান ,Bank Remittance,ব্যাংক রেমিটেন্স @@ -3616,6 +3662,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,মোট পরিমাণ পরিশোধ DocType: Asset,Insurance End Date,বীমা শেষ তারিখ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,অনুগ্রহ করে ছাত্র ভর্তি নির্বাচন করুন যা প্রদত্ত শিক্ষার্থী আবেদনকারীর জন্য বাধ্যতামূলক +DocType: Pick List,STO-PICK-.YYYY.-,STO-পিক .YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,বাজেট তালিকা DocType: Campaign,Campaign Schedules,প্রচারের সময়সূচী DocType: Job Card Time Log,Completed Qty,সমাপ্ত Qty @@ -3638,6 +3685,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,নতু DocType: Quality Inspection,Sample Size,সাধারন মাপ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,রশিদ ডকুমেন্ট লিখুন দয়া করে apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,সকল আইটেম ইতিমধ্যে invoiced হয়েছে +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,পাতা নেওয়া apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.','কেস নং থেকে' একটি বৈধ উল্লেখ করুন 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,অতিরিক্ত খরচ সেন্টার গ্রুপ অধীন করা যেতে পারে কিন্তু এন্ট্রি অ গ্রুপের বিরুদ্ধে করা যেতে পারে 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,সময়ের মধ্যে সরকারী {1} জন্য সর্বাধিক বরাদ্দকৃত পাতা {0} ছুটির প্রকারের বেশি বরাদ্দ করা হয় @@ -3737,6 +3785,8 @@ 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: Call Log,Received By,গ্রহণকারী 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 বা বিভাগের জন্য ব্যয়. @@ -3790,6 +3840,7 @@ DocType: Support Search Source,Result Title Field,ফলাফলের শি apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,কল সংক্ষিপ্তসার DocType: Sample Collection,Collected Time,সংগ্রহকৃত সময় DocType: Employee Skill Map,Employee Skills,কর্মচারী দক্ষতা +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,জ্বালানী ব্যয় DocType: Company,Sales Monthly History,বিক্রয় মাসিক ইতিহাস apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,কর এবং চার্জ সারণীতে কমপক্ষে একটি সারি সেট করুন DocType: Asset Maintenance Task,Next Due Date,পরবর্তী দিনে @@ -3823,11 +3874,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,কর্মচারীর বেতন স্লিপ {0} ইতিমধ্যে এই সময়ের জন্য সৃষ্টি apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,ফার্মাসিউটিক্যাল apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,আপনি কেবলমাত্র একটি বৈধ নগদ পরিমাণের জন্য নগদ নগদীকরণ জমা দিতে পারেন +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,আইটেম দ্বারা apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,ক্রয় আইটেম খরচ DocType: Employee Separation,Employee Separation Template,কর্মচারী বিচ্ছেদ টেমপ্লেট DocType: Selling Settings,Sales Order Required,সেলস আদেশ প্রয়োজন apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,একটি বিক্রেতা হয়ে -DocType: Shift Type,The number of occurrence after which the consequence is executed.,ঘটনার সংখ্যা যার পরে ফলাফলটি কার্যকর করা হয়। ,Procurement Tracker,প্রকিউরমেন্ট ট্র্যাকার DocType: Purchase Invoice,Credit To,ক্রেডিট apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,আইটিসি বিপরীত @@ -3840,6 +3891,7 @@ DocType: Quality Meeting,Agenda,বিষয়সূচি DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,রক্ষণাবেক্ষণ তফসিল বিস্তারিত DocType: Supplier Scorecard,Warn for new Purchase Orders,নতুন ক্রয় আদেশের জন্য সতর্ক করুন DocType: Quality Inspection Reading,Reading 9,9 পঠন +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,আপনার এক্সটেল অ্যাকাউন্টটি ইআরপিএনেক্সট এবং ট্র্যাক কল লগের সাথে সংযুক্ত করুন DocType: Supplier,Is Frozen,জমাটবাধা DocType: Tally Migration,Processed Files,প্রসেস করা ফাইল apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,গ্রুপ নোড গুদাম লেনদেনের জন্য নির্বাচন করতে অনুমতি দেওয়া হয় না @@ -3848,6 +3900,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,একটি সম DocType: Upload Attendance,Attendance To Date,তারিখ উপস্থিতি 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,প্রেসক্রিপশন @@ -3872,7 +3925,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Requestor apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},অবৈধ উল্লেখ {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,বিভিন্ন প্রচারমূলক স্কিম প্রয়োগ করার নিয়ম। -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) পরিকল্পনা quanitity তার চেয়ে অনেক বেশী হতে পারে না ({2}) উত্পাদন আদেশ {3} DocType: Shipping Rule,Shipping Rule Label,শিপিং রুল ট্যাগ DocType: Journal Entry Account,Payroll Entry,পেরোল এণ্ট্রি apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,দেখুন ফি রেকর্ড @@ -3884,6 +3936,7 @@ DocType: Contract,Fulfilment Status,পূরণের স্থিতি DocType: Lab Test Sample,Lab Test Sample,ল্যাব পরীক্ষার নমুনা DocType: Item Variant Settings,Allow Rename Attribute Value,নামকরণ অ্যাট্রিবিউট মান অনুমোদন করুন apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,দ্রুত জার্নাল এন্ট্রি +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,ভবিষ্যতের প্রদানের পরিমাণ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,BOM কোন আইটেম agianst উল্লেখ তাহলে আপনি হার পরিবর্তন করতে পারবেন না DocType: Restaurant,Invoice Series Prefix,ইনভয়েস সিরিজ প্রিফিক্স DocType: Employee,Previous Work Experience,আগের কাজের অভিজ্ঞতা @@ -3913,6 +3966,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,প্রোজেক্ট অবস্থা DocType: UOM,Check this to disallow fractions. (for Nos),ভগ্নাংশ অননুমোদন এই পরীক্ষা. (আমরা জন্য) DocType: Student Admission Program,Naming Series (for Student Applicant),সিরিজ নেমিং (স্টুডেন্ট আবেদনকারীর জন্য) +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/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,অনুশীলনকারী পরিষেবা ইউনিট শিলা @@ -3928,6 +3982,7 @@ DocType: Fiscal Year,Year End Date,বছর শেষ তারিখ 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,Deductions বা হ্রাস apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} বন্ধ করা @@ -3936,6 +3991,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,বর্তমান স্টক পান DocType: Purchase Invoice,ineligible,অযোগ্য apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,উপকরণ বিল বৃক্ষ +DocType: BOM,Exploded Items,বিস্ফোরিত আইটেম DocType: Student,Joining Date,যোগদান তারিখ ,Employees working on a holiday,একটি ছুটিতে কাজ এমপ্লয়িজ ,TDS Computation Summary,টিডিএস কম্পিউটিং সারাংশ @@ -3968,6 +4024,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),মৌলিক হা DocType: SMS Log,No of Requested SMS,অনুরোধ করা এসএমএস এর কোন apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,বিনা বেতনে ছুটি অনুমোদিত ছুটি অ্যাপ্লিকেশন রেকর্ডের সঙ্গে মিলছে না apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,পরবর্তী ধাপ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,সংরক্ষিত আইটেম DocType: Travel Request,Domestic,গার্হস্থ্য apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,সম্ভাব্য সর্বোত্তম হারে নির্দিষ্ট আইটেম সরবরাহ অনুগ্রহ apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,স্থানান্তর তারিখ আগে কর্মচারী স্থানান্তর জমা দেওয়া যাবে না @@ -4019,7 +4076,7 @@ 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,অ্যাসেট শ্রেণী অ্যাকাউন্ট apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,সারি # {0} (পেমেন্ট সারণি): পরিমাণ ইতিবাচক হতে হবে -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},সেলস আদেশ পরিমাণ বেশী আইটেম {0} সৃষ্টি করতে পারে না {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},সেলস আদেশ পরিমাণ বেশী আইটেম {0} সৃষ্টি করতে পারে না {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,কিছুই স্থূল মধ্যে অন্তর্ভুক্ত করা হয় না apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,এই দস্তাবেজের জন্য ই-ওয়ে বিল ইতিমধ্যে বিদ্যমান apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,অ্যাট্রিবিউট মান নির্বাচন করুন @@ -4054,12 +4111,10 @@ 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,সেটআপ কোম্পানি -DocType: Shift Type,Enable Different Consequence for Early Exit,প্রারম্ভিক প্রস্থানের জন্য বিভিন্ন ফলাফল সক্ষম করুন ,Lab Test Report,ল্যাব টেস্ট রিপোর্ট DocType: Employee Benefit Application,Employee Benefit Application,কর্মচারী বেনিফিট অ্যাপ্লিকেশন apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,অতিরিক্ত বেতন উপাদান বিদ্যমান। DocType: Purchase Invoice,Unregistered,রেজিষ্টারী করা হয় নাই এমন -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,দয়া হুণ্ডি প্রথম DocType: Student Applicant,Application Date,আবেদনের তারিখ DocType: Salary Component,Amount based on formula,সূত্র উপর ভিত্তি করে পরিমাণ DocType: Purchase Invoice,Currency and Price List,মুদ্রা ও মূল্যতালিকা @@ -4088,6 +4143,7 @@ DocType: Purchase Receipt,Time at which materials were received,"উপকরণ DocType: Products Settings,Products per Page,পণ্য প্রতি পৃষ্ঠা 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,বিলিং তারিখ apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,বরাদ্দকৃত পরিমাণ নেতিবাচক হতে পারে না DocType: Sales Order,Billing Status,বিলিং অবস্থা apps/erpnext/erpnext/public/js/conf.js,Report an Issue,একটি সমস্যা রিপোর্ট @@ -4103,6 +4159,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},সারি {0}: সম্পদ আইটেমের জন্য অবস্থান লিখুন {1} DocType: Employee Checkin,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.","ইত্যাদি কোম্পানি, মুদ্রা, চলতি অর্থবছরে, মত ডিফল্ট মান" DocType: Payment Entry,Payment Type,শোধের ধরণ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,দয়া করে আইটেমটি জন্য একটি ব্যাচ নির্বাচন {0}। একটি একক ব্যাচ যে এই প্রয়োজনীয়তা পরিপূর্ণ খুঁজে পাওয়া যায়নি @@ -4131,6 +4188,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,শপিং কার্ DocType: Journal Entry,Accounting Entries,হিসাব থেকে 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.","যদি নির্বাচিত মূল্যনির্ধারণের নিয়মটি 'হারের' জন্য তৈরি করা হয়, এটি মূল্য তালিকা ওভাররাইট করবে। মূল্যনির্ধারণ নিয়ম হার হল চূড়ান্ত হার, তাই কোনও ছাড়ের প্রয়োগ করা উচিত নয়। অতএব, বিক্রয় আদেশ, ক্রয় আদেশ ইত্যাদি লেনদেনের ক্ষেত্রে 'মূল্য তালিকা রেট' ক্ষেত্রের পরিবর্তে 'হার' ক্ষেত্রের মধ্যে আনা হবে।" +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,দয়া করে শিক্ষা> শিক্ষা সেটিংসে প্রশিক্ষক নামকরণ সিস্টেম সেটআপ করুন DocType: Journal Entry,Paid Loan,প্রদেয় ঋণ 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,রেফারেন্স দরুন তারিখ @@ -4147,12 +4205,14 @@ DocType: Shopify Settings,Webhooks Details,ওয়েবহুক্স বি apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,কোন সময় শীট DocType: GoCardless Mandate,GoCardless Customer,GoCardless গ্রাহক apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} বহন-ফরওয়ার্ড করা যাবে না প্রকার ত্যাগ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',রক্ষণাবেক্ষণ সূচি সব আইটেম জন্য উত্পন্ন করা হয় না. 'নির্মাণ সূচি' তে ক্লিক করুন ,To Produce,উৎপাদন করা DocType: Leave Encashment,Payroll,বেতনের 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} এছাড়াও অন্তর্ভুক্ত করা আবশ্যক" DocType: Healthcare Service Unit,Parent Service Unit,প্যারেন্ট সার্ভিস ইউনিট DocType: Packing Slip,Identification of the package for the delivery (for print),প্রসবের জন্য প্যাকেজের আইডেন্টিফিকেশন (প্রিন্ট জন্য) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,পরিষেবা স্তরের চুক্তিটি পুনরায় সেট করা হয়েছিল। DocType: Bin,Reserved Quantity,সংরক্ষিত পরিমাণ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,বৈধ ইমেইল ঠিকানা লিখুন DocType: Volunteer Skill,Volunteer Skill,স্বেচ্ছাসেবক দক্ষতা @@ -4173,7 +4233,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,মূল্য বা পণ্যের ছাড় apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,সারি {0} জন্য: পরিকল্পিত পরিমাণ লিখুন DocType: Account,Income Account,আয় অ্যাকাউন্ট -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গোষ্ঠী> অঞ্চল DocType: Payment Request,Amount in customer's currency,গ্রাহকের মুদ্রার পরিমাণ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,বিলি apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,কাঠামো বরাদ্দ করা হচ্ছে ... @@ -4196,6 +4255,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,সুত্র 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?,আপনি পূর্বে উত্পন্ন ইনভয়েসগুলির রেকর্ডগুলি হারাবেন। আপনি কি এই সাবস্ক্রিপশনটি পুনরায় চালু করতে চান? @@ -4251,11 +4311,10 @@ DocType: Additional Salary,HR User,এইচআর ব্যবহারকা DocType: Bank Guarantee,Reference Document Name,রেফারেন্স নথি নাম DocType: Purchase Invoice,Taxes and Charges Deducted,কর ও শুল্ক বাদ DocType: Support Settings,Issues,সমস্যা -DocType: Shift Type,Early Exit Consequence after,পরে প্রারম্ভিক প্রস্থান ফলাফল DocType: Loyalty Program,Loyalty Program Name,আনুগত্য প্রোগ্রাম নাম apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},স্থিতি এক হতে হবে {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,GSTIN পাঠানো আপডেট করার জন্য অনুস্মারক পাঠানো হয়েছে -DocType: Sales Invoice,Debit To,ডেবিট +DocType: Discounted Invoice,Debit To,ডেবিট DocType: Restaurant Menu Item,Restaurant Menu Item,রেস্টুরেন্ট মেনু আইটেম DocType: Delivery Note,Required only for sample item.,শুধুমাত্র নমুনা আইটেমের জন্য প্রয়োজনীয়. DocType: Stock Ledger Entry,Actual Qty After Transaction,লেনদেন পরে আসল Qty @@ -4338,6 +4397,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,পরামিত apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,শুধু ত্যাগ অবস্থা অ্যাপ্লিকেশন অনুমোদিত '' এবং 'প্রত্যাখ্যাত' জমা করা যেতে পারে apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,মাত্রা তৈরি করা হচ্ছে ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},স্টুডেন্ট গ্রুপের নাম সারিতে বাধ্যতামূলক {0} +DocType: Customer Credit Limit,Bypass credit limit_check,বাইপাস ক্রেডিট সীমা_চেক করুন DocType: Homepage,Products to be shown on website homepage,পণ্য ওয়েবসাইট হোমপেজে দেখানো হবে DocType: HR Settings,Password Policy,পাসওয়ার্ড নীতি apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,এটি একটি root গ্রাহক গ্রুপ এবং সম্পাদনা করা যাবে না. @@ -4384,10 +4444,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),ত apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,রেস্টুরেন্ট সেটিংস এ ডিফল্ট গ্রাহক সেট করুন ,Salary Register,বেতন নিবন্ধন DocType: Company,Default warehouse for Sales Return,বিক্রয় ফেরতের জন্য ডিফল্ট গুদাম -DocType: Warehouse,Parent Warehouse,পেরেন্ট ওয়্যারহাউস +DocType: Pick List,Parent Warehouse,পেরেন্ট ওয়্যারহাউস DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},ডিফল্ট BOM আইটেমের জন্য পাওয়া যায়নি {0} এবং প্রকল্প {1} +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 হার @@ -4424,6 +4484,7 @@ DocType: Travel Itinerary,Lodging Required,লোডিং প্রয়োজ DocType: Promotional Scheme,Price Discount Slabs,মূল্য ছাড়ের স্ল্যাব DocType: Stock Reconciliation Item,Current Serial No,বর্তমান সিরিয়াল নং DocType: Employee,Attendance and Leave Details,উপস্থিতি এবং ছুটির বিশদ +,BOM Comparison Tool,বিওএম তুলনা সরঞ্জাম ,Requested,অনুরোধ করা apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,কোন মন্তব্য DocType: Asset,In Maintenance,রক্ষণাবেক্ষণের মধ্যে @@ -4445,6 +4506,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Include UOM,UOM apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Material Request No,উপাদানের জন্য অনুরোধ কোন DocType: Service Level Agreement,Default Service Level Agreement,ডিফল্ট পরিষেবা স্তর চুক্তি DocType: SG Creation Tool Course,Course Code,কোর্স কোড +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,সমাপ্ত সামগ্রীর আইটেমের পরিমাণের ভিত্তিতে কাঁচামালের পরিমাণ নির্ধারণ করা হবে DocType: Location,Parent Location,মূল স্থান DocType: POS Settings,Use POS in Offline Mode,অফলাইন মোডে পিওএস ব্যবহার করুন apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,অগ্রাধিকার পরিবর্তন করে {0} করা হয়েছে} @@ -4463,7 +4525,7 @@ DocType: Stock Settings,Sample Retention Warehouse,নমুনা ধারণ DocType: Company,Default Receivable Account,ডিফল্ট গ্রহনযোগ্য অ্যাকাউন্ট apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,প্রস্তাবিত পরিমাণের সূত্র DocType: Sales Invoice,Deemed Export,ডেমিড এক্সপোর্ট -DocType: Stock Entry,Material Transfer for Manufacture,প্রস্তুত জন্য উপাদান স্থানান্তর +DocType: Pick List,Material Transfer for Manufacture,প্রস্তুত জন্য উপাদান স্থানান্তর 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.,ডিসকাউন্ট শতাংশ একটি মূল্য তালিকা বিরুদ্ধে বা সব মূল্য তালিকা জন্য হয় প্রয়োগ করা যেতে পারে. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,স্টক জন্য অ্যাকাউন্টিং এণ্ট্রি DocType: Lab Test,LabTest Approver,LabTest আবির্ভাব @@ -4505,7 +4567,6 @@ DocType: Training Event,Theory,তত্ত্ব apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,সতর্কতা: Qty অনুরোধ উপাদান নূন্যতম অর্ডার QTY কম হয় apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,অ্যাকাউন্ট {0} নিথর হয় DocType: Quiz Question,Quiz Question,কুইজ প্রশ্ন -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার 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","খাদ্য, পানীয় ও তামাকের" @@ -4534,6 +4595,7 @@ 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,প্রকাশিত আইটেম DocType: Account,Expense Account,দামী হিসাব apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,সফটওয়্যার apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,রঙিন @@ -4571,6 +4633,7 @@ 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,সমস্ত ব্যাংক লেনদেন তৈরি করা হয়েছে DocType: Fee Validity,Visited yet,এখনো পরিদর্শন +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,আপনি 8 টি আইটেম পর্যন্ত বৈশিষ্ট্যযুক্ত করতে পারেন। apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,বিদ্যমান লেনদেনের সঙ্গে গুদাম গ্রুপে রূপান্তর করা যাবে না. DocType: Assessment Result Tool,Result HTML,ফল এইচটিএমএল DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,সেলস লেনদেনের উপর ভিত্তি করে কতগুলি প্রকল্প এবং কোম্পানিকে আপডেট করা উচিত। @@ -4578,7 +4641,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,সংগ্রহস্থল তাপমাত্রা @@ -4603,7 +4665,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,ঘন্টা DocType: Contract,Signee Details,স্বাক্ষরকারী বিবরণ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} এর বর্তমানে একটি {1} সরবরাহকারী স্কোরকার্ড দাঁড়িয়ে আছে এবং এই সরবরাহকারীকে আরএফকিউ সাবধানতার সাথে জারি করা উচিত। DocType: Certified Consultant,Non Profit Manager,অ লাভ ম্যানেজার -DocType: BOM,Total Cost(Company Currency),মোট খরচ (কোম্পানি মুদ্রা) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,{0} নির্মিত সিরিয়াল কোন DocType: Homepage,Company Description for website homepage,ওয়েবসাইট হোমপেজে জন্য এখানে বর্ণনা DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","গ্রাহকদের সুবিধার জন্য, এই কোড চালান এবং বিলি নোট মত মুদ্রণ বিন্যাস ব্যবহার করা যেতে পারে" @@ -4631,7 +4692,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,কেন DocType: Amazon MWS Settings,Enable Scheduled Synch,নির্ধারিত শঙ্কু সক্ষম করুন apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Datetime করুন apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,SMS বিতরণ অবস্থা বজায় রাখার জন্য লগ -DocType: Shift Type,Early Exit Consequence,প্রারম্ভিক প্রস্থান ফলাফল DocType: Accounts Settings,Make Payment via Journal Entry,জার্নাল এন্ট্রি মাধ্যমে টাকা প্রাপ্তির apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,দয়া করে একবারে 500 টিরও বেশি আইটেম তৈরি করবেন না apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,মুদ্রিত উপর @@ -4687,6 +4747,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,সীমা 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,গোপন +DocType: Plaid Settings,Plaid Secret,প্লেড সিক্রেট DocType: Company,Date of Establishment,সংস্থাপন তারিখ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,ভেনচার ক্যাপিটাল apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,এই 'একাডেমিক ইয়ার' দিয়ে একটি একাডেমিক শব্দটি {0} এবং 'টার্ম নাম' {1} আগে থেকেই আছে. এই এন্ট্রি পরিবর্তন করে আবার চেষ্টা করুন. @@ -4748,6 +4809,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,ব্যবহারকারীর ধরন DocType: Compensatory Leave Request,Leave Allocation,অ্যালোকেশন ত্যাগ DocType: Payment Request,Recipient Message And Payment Details,প্রাপক বার্তা এবং পেমেন্ট বিবরণ +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,একটি বিতরণ নোট নির্বাচন করুন DocType: Support Search Source,Source DocType,উত্স ডক টাইপ apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,একটি নতুন টিকিট খুলুন DocType: Training Event,Trainer Email,প্রশিক্ষকদের ইমেইল @@ -4868,6 +4930,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,ফরোয়ার্ড পাতার বহন apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','তারিখ থেকে' অবশ্যই 'তারিখ পর্যন্ত' এর পরে হতে হবে apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,এই পদবী জন্য কোন স্টাফিং পরিকল্পনা পাওয়া যায় নি apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,আইটেম {1} এর ব্যাচ {1} অক্ষম করা আছে। @@ -4889,7 +4952,7 @@ DocType: Clinical Procedure,Patient,ধৈর্যশীল apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,সেলস অর্ডার এ ক্রেডিট চেক বাইপাস DocType: Employee Onboarding Activity,Employee Onboarding Activity,কর্মচারী অনবোর্ডিং কার্যকলাপ DocType: Location,Check if it is a hydroponic unit,এটি একটি hydroponic ইউনিট কিনা দেখুন -DocType: Stock Reconciliation Item,Serial No and Batch,ক্রমিক নং এবং ব্যাচ +DocType: Pick List Item,Serial No and Batch,ক্রমিক নং এবং ব্যাচ DocType: Warranty Claim,From Company,কোম্পানীর কাছ থেকে DocType: GSTR 3B Report,January,জানুয়ারী apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,মূল্যায়ন মানদণ্ড স্কোর যোগফল {0} হতে হবে. @@ -4913,7 +4976,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ইন্টার কোম্পানি লেনদেনের জন্য কোন {0} পাওয়া যায়নি। -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,ভাড়া গাড়ি apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,আপনার কোম্পানি সম্পর্কে apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,একাউন্টে ক্রেডিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে @@ -4945,6 +5007,7 @@ apps/erpnext/erpnext/config/accounting.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,সিআরএম 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,এন apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,অবশিষ্ট DocType: Appraisal,Appraisal,গুণগ্রাহিতা @@ -5013,6 +5076,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),প্যাকেজের গ্রস ওজন. সাধারণত নেট ওজন + প্যাকেজিং উপাদান ওজন. (প্রিন্ট জন্য) DocType: Assessment Plan,Program,কার্যক্রম DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,এই ব্যবহারকারীরা হিমায়িত অ্যাকাউন্ট বিরুদ্ধে হিসাব থেকে হিমায়িত অ্যাকাউন্ট সেট এবং তৈরি / পরিবর্তন করার অনুমতি দেওয়া হয় +DocType: Plaid Settings,Plaid Environment,প্লেড পরিবেশ ,Project Billing Summary,প্রকল্পের বিলিংয়ের সংক্ষিপ্তসার DocType: Vital Signs,Cuts,কাট DocType: Serial No,Is Cancelled,বাতিল করা হয় @@ -5073,7 +5137,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,উল্লেখ্য: {0} পরিমাণ বা পরিমাণ 0 হিসাবে বিতরণ-বহুবার-বুকিং আইটেম জন্য সিস্টেম পরীক্ষা করা হবে না DocType: Issue,Opening Date,খোলার তারিখ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,দয়া করে প্রথমে রোগীর সংরক্ষণ করুন -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,নতুন যোগাযোগ করুন apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,এ্যাটেনডেন্স সফলভাবে হিসাবে চিহ্নিত হয়েছে. DocType: Program Enrollment,Public Transport,পাবলিক ট্রান্সপোর্ট DocType: Sales Invoice,GST Vehicle Type,জিএসটি যানবাহন প্রকার @@ -5099,6 +5162,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,প্র DocType: POS Profile,Write Off Account,অ্যাকাউন্ট বন্ধ লিখতে DocType: Patient Appointment,Get prescribed procedures,নির্ধারিত পদ্ধতিগুলি পান DocType: Sales Invoice,Redemption Account,রিমমপশন অ্যাকাউন্ট +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,প্রথমে আইটেম অবস্থানের সারণীতে আইটেম যুক্ত করুন DocType: Pricing Rule,Discount Amount,হ্রাসকৃত মুল্য DocType: Pricing Rule,Period Settings,পিরিয়ড সেটিংস DocType: Purchase Invoice,Return Against Purchase Invoice,বিরুদ্ধে ক্রয় চালান আসতে @@ -5130,7 +5194,6 @@ DocType: Assessment Plan,Assessment Plan,অ্যাসেসমেন্ট DocType: Travel Request,Fully Sponsored,সম্পূর্ণ স্পনসর apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,বিপরীত জার্নাল এন্ট্রি apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,জব কার্ড তৈরি করুন -DocType: Shift Type,Consequence after,ফলাফল পরের DocType: Quality Procedure Process,Process Description,প্রক্রিয়া বর্ণনা apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,গ্রাহক {0} তৈরি করা হয়। apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,বর্তমানে কোন গুদামে পন্য উপলব্ধ নেই @@ -5164,6 +5227,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,পরিস্কারে DocType: Delivery Settings,Dispatch Notification Template,ডিসপ্যাচ বিজ্ঞপ্তি টেমপ্লেট apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,মূল্যায়ন প্রতিবেদন apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,কর্মচারী পান +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,নিম্নক্রমে ঠিকানার @@ -5288,7 +5352,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,এটি একটি root বিক্রয় ব্যক্তি এবং সম্পাদনা করা যাবে না. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","নির্বাচিত হলে, নির্দিষ্ট, এই উপাদানটি হিসাব মান উপার্জন বা কর্তন অবদান করা হবে না। যাইহোক, এটা মান অন্যান্য উপাদান যে যোগ অথবা বাদ করা যেতে পারে রেফারেন্সড হতে পারে।" -DocType: Asset Settings,Number of Days in Fiscal Year,আর্থিক বছরে দিন সংখ্যা ,Stock Ledger,স্টক লেজার DocType: Company,Exchange Gain / Loss Account,এক্সচেঞ্জ লাভ / ক্ষতির অ্যাকাউন্ট DocType: Amazon MWS Settings,MWS Credentials,এমডব্লুএস ক্রিডেনশিয়াল @@ -5322,6 +5385,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,ব্যাংক ফাইলে কলাম apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},অ্যাপ্লিকেশন ছেড়ে দিন {0} ইতিমধ্যে ছাত্রের বিরুদ্ধে বিদ্যমান {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,সমস্ত বিল উপকরণ মধ্যে সর্বশেষ মূল্য আপডেট করার জন্য সারিবদ্ধ। এটি কয়েক মিনিট সময় নিতে পারে। +DocType: Pick List,Get Item Locations,আইটেমের অবস্থানগুলি পান apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,নতুন একাউন্টের নাম. উল্লেখ্য: গ্রাহকদের এবং সরবরাহকারী জন্য অ্যাকাউন্ট তৈরি করবেন না দয়া করে DocType: POS Profile,Display Items In Stock,স্টক প্রদর্শন আইটেম apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,দেশ অনুযায়ী ডিফল্ট ঠিকানা টেমপ্লেট @@ -5345,6 +5409,7 @@ DocType: Crop,Materials Required,সামগ্রী প্রয়োজন apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,কোন ছাত্র পাওয়া DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,মাসিক এইচআরএ অব্যাহতি DocType: Clinical Procedure,Medical Department,চিকিৎসা বিভাগ +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,মোট প্রাথমিক প্রস্থান DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,সরবরাহকারী স্কোরকার্ড স্কোরিং মাপদণ্ড apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,চালান পোস্টিং তারিখ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,বিক্রি করা @@ -5356,11 +5421,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","এই নথিটি বাতিল করতে দয়া করে কর্মচারী {0} delete মুছুন" DocType: Program Enrollment,School House,স্কুল হাউস DocType: Serial No,Out of AMC,এএমসি আউট DocType: Opportunity,Opportunity Amount,সুযোগ পরিমাণ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,আপনার প্রোফাইল apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,বুক Depreciations সংখ্যা মোট Depreciations সংখ্যা তার চেয়ে অনেক বেশী হতে পারে না DocType: Purchase Order,Order Confirmation Date,অর্ডার নিশ্চিতকরণ তারিখ DocType: Driver,HR-DRI-.YYYY.-,এইচআর-ডিআরআই-.YYYY.- @@ -5454,7 +5518,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","হার, ভাগের সংখ্যা এবং গণনা করা পরিমাণের মধ্যে বিচ্ছিন্নতা আছে" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,আপনি ক্ষতিপূরণমূলক ছুটি অনুরোধ দিনের মধ্যে সমস্ত দিন (গুলি) উপস্থিত না হয় apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,পুনরায় টাইপ কোম্পানি নাম নিশ্চিত অনুগ্রহ -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,মোট বিশিষ্ট মাসিক DocType: Journal Entry,Printing Settings,মুদ্রণ সেটিংস DocType: Payment Order,Payment Order Type,পেমেন্ট অর্ডার প্রকার DocType: Employee Advance,Advance Account,অগ্রিম অ্যাকাউন্ট @@ -5541,7 +5604,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,সাল নাম apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,কার্যদিবসের তুলনায় আরো ছুটির এই মাস আছে. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,নিম্নলিখিত আইটেমগুলি {0} আইটেম হিসাবে {1} চিহ্নিত করা হয় না। আপনি তাদের আইটেম মাস্টার থেকে {1} আইটেম হিসাবে সক্ষম করতে পারেন -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / এলসি রেফারেন্স DocType: Production Plan Item,Product Bundle Item,পণ্য সমষ্টি আইটেম DocType: Sales Partner,Sales Partner Name,বিক্রয় অংশীদার নাম apps/erpnext/erpnext/hooks.py,Request for Quotations,উদ্ধৃতি জন্য অনুরোধ @@ -5550,14 +5612,13 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,সাধারণ টেস্ট আইটেম DocType: QuickBooks Migrator,Company Settings,কোম্পানী সেটিংস DocType: Additional Salary,Overwrite Salary Structure Amount,বেতন কাঠামো উপর ওভাররাইট পরিমাণ -apps/erpnext/erpnext/config/hr.py,Leaves,পত্রাদি +DocType: Leave Ledger Entry,Leaves,পত্রাদি DocType: Student Language,Student Language,ছাত্র ভাষা DocType: Cash Flow Mapping,Is Working Capital,ওয়ার্কিং ক্যাপিটাল apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,প্রুফ জমা দিন apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,ORDER / quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,রেকর্ড পেশেন্ট Vitals DocType: Fee Schedule,Institution,প্রতিষ্ঠান -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},ইউওএম রূপান্তর ফ্যাক্টর ({0} -> {1}) আইটেমটির জন্য পাওয়া যায় নি: {2} DocType: Asset,Partially Depreciated,আংশিকভাবে মূল্যমান হ্রাস DocType: Issue,Opening Time,খোলার সময় apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,থেকে এবং প্রয়োজনীয় তারিখগুলি @@ -5607,6 +5668,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,সর্বোচ্চ অনুমোদিত মূল্য DocType: Journal Entry Account,Employee Advance,কর্মচারী অ্যাডভান্স DocType: Payroll Entry,Payroll Frequency,বেতনের ফ্রিকোয়েন্সি +DocType: Plaid Settings,Plaid Client ID,প্লেড ক্লায়েন্ট আইডি DocType: Lab Test Template,Sensitivity,সংবেদনশীলতা DocType: Plaid Settings,Plaid Settings,প্লেড সেটিংস apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,সিঙ্কটি অস্থায়ীভাবে অক্ষম করা হয়েছে কারণ সর্বাধিক পুনরুদ্ধারগুলি অতিক্রম করা হয়েছে @@ -5624,6 +5686,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,প্রথম পোস্টিং তারিখ নির্বাচন করুন apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,তারিখ খোলার তারিখ বন্ধ করার আগে করা উচিত DocType: Travel Itinerary,Flight,ফ্লাইট +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,বাড়িতে ফিরে যাও DocType: Leave Control Panel,Carry Forward,সামনে আগাও apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,বিদ্যমান লেনদেন সঙ্গে খরচ কেন্দ্র খতিয়ান রূপান্তরিত করা যাবে না DocType: Budget,Applicable on booking actual expenses,প্রকৃত খরচ বুকিং প্রযোজ্য @@ -5724,6 +5787,7 @@ DocType: Water Analysis,Type of Sample,নমুনা ধরন DocType: Batch,Source Document Name,উত্স দস্তাবেজের নাম DocType: Production Plan,Get Raw Materials For Production,উত্পাদনের জন্য কাঁচামাল পান DocType: Job Opening,Job Title,কাজের শিরোনাম +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,ভবিষ্যতের পেমেন্ট রেফ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} ইঙ্গিত দেয় যে {1} একটি উদ্ধৃতি প্রদান করবে না, কিন্তু সমস্ত আইটেম উদ্ধৃত করা হয়েছে। আরএফকিউ কোট অবস্থা স্থির করা" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,সর্বাধিক নমুনা - {0} ইতিমধ্যে ব্যাচ {1} এবং আইটেম {2} ব্যাচ {3} এর জন্য সংরক্ষিত হয়েছে। @@ -5734,12 +5798,10 @@ 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: Company,Product Code,পণ্য কোড DocType: Quality Review Table,Objective,উদ্দেশ্য DocType: Supplier Scorecard,Per Month,প্রতি মাসে DocType: Education Settings,Make Academic Term Mandatory,একাডেমিক শব্দ বাধ্যতামূলক করুন -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,প্রস্তুত পরিমাণ 0 থেকে বড় হওয়া উচিত. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,আর্থিক বছরে ভিত্তি করে Prorated Depreciation Schedule গণনা করুন +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,প্রস্তুত পরিমাণ 0 থেকে বড় হওয়া উচিত. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,রক্ষণাবেক্ষণ কল জন্য প্রতিবেদন দেখুন. DocType: Stock Entry,Update Rate and Availability,হালনাগাদ হার এবং প্রাপ্যতা 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 ইউনিট আদেশ আছে. এবং আপনার ভাতা তারপর আপনি 110 ইউনিট গ্রহণ করার অনুমতি দেওয়া হয় 10% হয়. @@ -5750,7 +5812,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,প্রকাশের তারিখ অবশ্যই ভবিষ্যতে হবে DocType: BOM,Website Description,ওয়েবসাইট বর্ণনা apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,ইক্যুইটি মধ্যে নিট পরিবর্তন -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,ক্রয় চালান {0} বাতিল অনুগ্রহ প্রথম apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,অননুমোদিত. দয়া করে পরিষেবা ইউনিট প্রকারটি অক্ষম করুন apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","ই-মেইল ঠিকানা অবশ্যই ইউনিক হতে হবে, ইতিমধ্যে অস্তিত্বমান {0}" DocType: Serial No,AMC Expiry Date,এএমসি মেয়াদ শেষ হওয়ার তারিখ @@ -5792,6 +5853,7 @@ DocType: Pricing Rule,Price Discount Scheme,মূল্য ছাড়ের apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,রক্ষণাবেক্ষণ স্থিতি বাতিল বা জমা দিতে সম্পন্ন করা হয়েছে DocType: Amazon MWS Settings,US,আমাদের DocType: Holiday List,Add Weekly Holidays,সাপ্তাহিক ছুটির দিন যোগ দিন +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,আইটেম প্রতিবেদন করুন DocType: Staffing Plan Detail,Vacancies,খালি DocType: Hotel Room,Hotel Room,হোটেল রুম apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},অ্যাকাউন্ট {0} আছে কোম্পানীর জন্যে না {1} @@ -5843,12 +5905,15 @@ DocType: Email Digest,Open Quotations,খোলা উদ্ধৃতি 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","এই নথিটি বাতিল করতে দয়া করে কর্মচারী {0} delete মুছুন" apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,টাইম লগ জন্য ক্রিয়াকলাপ প্রকারভেদ DocType: Opening Invoice Creation Tool,Sales,সেলস DocType: Stock Entry Detail,Basic Amount,বেসিক পরিমাণ @@ -5862,6 +5927,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,খালি DocType: Patient,Alcohol Past Use,অ্যালকোহল অতীত ব্যবহার DocType: Fertilizer Content,Fertilizer Content,সার কনটেন্ট +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,বর্ণনা নাই apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,CR DocType: Tax Rule,Billing State,বিলিং রাজ্য DocType: Quality Goal,Monitoring Frequency,নিরীক্ষণ ফ্রিকোয়েন্সি @@ -5879,6 +5945,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,শেষ তারিখ পরবর্তী যোগাযোগ তারিখ আগে হতে পারে না apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,ব্যাচের এন্ট্রি DocType: Journal Entry,Pay To / Recd From,থেকে / Recd যেন পে +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,প্রকাশনা আইটেম DocType: Naming Series,Setup Series,সেটআপ সিরিজ DocType: Payment Reconciliation,To Invoice Date,তারিখ চালান DocType: Bank Account,Contact HTML,যোগাযোগ এইচটিএমএল @@ -5900,6 +5967,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,খুচরা DocType: Student Attendance,Absent,অনুপস্থিত DocType: Staffing Plan,Staffing Plan Detail,স্টাফিং প্ল্যান বিস্তারিত DocType: Employee Promotion,Promotion Date,প্রচারের তারিখ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,ছুটি বরাদ্দ% s ছুটির আবেদন% s এর সাথে যুক্ত 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} @@ -5937,6 +6005,7 @@ DocType: Volunteer,Availability,উপস্থিতি apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,পিওএস ইনভয়েসেসের জন্য ডিফল্ট মান সেটআপ করুন DocType: Employee Training,Training,প্রশিক্ষণ DocType: Project,Time to send,পাঠাতে সময় +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,এই পৃষ্ঠাটি আপনার আইটেমগুলিতে নজর রাখে যাতে ক্রেতারা কিছু আগ্রহ দেখায়। 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 ইমেইল আইডি @@ -6031,11 +6100,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,খোলা মূল্য DocType: Salary Component,Formula,সূত্র apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,সিরিয়াল # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,মানব সম্পদ> এইচআর সেটিংসে কর্মচারী নামকরণ সিস্টেম সেটআপ করুন DocType: Material Request Plan Item,Required Quantity,প্রয়োজনীয় পরিমাণ DocType: Lab Test Template,Lab Test Template,ল্যাব টেস্ট টেমপ্লেট apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,বিক্রয় অ্যাকাউন্ট DocType: Purchase Invoice Item,Total Weight,সম্পূর্ণ ওজন +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}" @@ -6059,6 +6128,7 @@ DocType: Company,Default Employee Advance Account,ডিফল্ট কর্ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),আইটেম অনুসন্ধান করুন (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,দুদক-cf-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,বিদ্যমান লেনদেনের সঙ্গে অ্যাকাউন্ট মুছে ফেলা যাবে না +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,কেন এই আইটেমটি সরানো উচিত বলে মনে করেন? DocType: Vehicle,Last Carbon Check,সর্বশেষ কার্বন চেক apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,আইনি খরচ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,দয়া করে সারিতে পরিমাণ নির্বাচন @@ -6078,6 +6148,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,ভাঙ্গন DocType: Travel Itinerary,Vegetarian,নিরামিষ DocType: Patient Encounter,Encounter Date,দ্বন্দ্বের তারিখ +DocType: Work Order,Update Consumed Material Cost In Project,প্রকল্পে গৃহীত উপাদান ব্যয় আপডেট করুন apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,অ্যাকাউন্ট: {0} একক সঙ্গে: {1} নির্বাচন করা যাবে না DocType: Bank Statement Transaction Settings Item,Bank Data,ব্যাংক ডেটা DocType: Purchase Receipt Item,Sample Quantity,নমুনা পরিমাণ @@ -6131,7 +6202,7 @@ DocType: GSTR 3B Report,April,এপ্রিল DocType: Plant Analysis,Collection Datetime,সংগ্রহের Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,দুদক-আসর-.YYYY.- DocType: Work Order,Total Operating Cost,মোট অপারেটিং খরচ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,উল্লেখ্য: আইটেম {0} একাধিক বার প্রবেশ +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,উল্লেখ্য: আইটেম {0} একাধিক বার প্রবেশ apps/erpnext/erpnext/config/buying.py,All Contacts.,সকল যোগাযোগ. DocType: Accounting Period,Closed Documents,বন্ধ ডকুমেন্টস DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,নিয়োগ অভিযান পরিচালনা করুন পেশী বিনিময় জন্য স্বয়ংক্রিয়ভাবে জমা এবং বাতিল @@ -6211,9 +6282,7 @@ DocType: Member,Membership Type,মেম্বারশিপ টাইপ ,Reqd By Date,Reqd তারিখ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,ঋণদাতাদের DocType: Assessment Plan,Assessment Name,অ্যাসেসমেন্ট নাম -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,প্রিন্টে PDC দেখান apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,সারি # {0}: সিরিয়াল কোন বাধ্যতামূলক -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,{0} {1} এর জন্য কোনও অসামান্য চালান পাওয়া যায় নি } DocType: Purchase Taxes and Charges,Item Wise Tax Detail,আইটেম অনুযায়ী ট্যাক্স বিস্তারিত DocType: Employee Onboarding,Job Offer,কাজের প্রস্তাব apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,ইনস্টিটিউট সমাহার @@ -6271,6 +6340,7 @@ DocType: Serial No,Out of Warranty,পাটা আউট DocType: Bank Statement Transaction Settings Item,Mapped Data Type,ম্যাপেড ডেটা টাইপ DocType: BOM Update Tool,Replace,প্রতিস্থাপন করা apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,কোন পণ্য পাওয়া যায় নি। +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,আরও আইটেম প্রকাশ করুন apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} বিক্রয় চালান বিপরীতে {1} DocType: Antibiotic,Laboratory User,ল্যাবরেটরি ইউজার DocType: Request for Quotation Item,Project Name,প্রকল্পের নাম @@ -6291,7 +6361,6 @@ DocType: Payment Order Reference,Bank Account Details,ব্যাংক অ্ DocType: Purchase Order Item,Blanket Order,কম্বল আদেশ 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,ট্যাক্স সম্পদ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},উত্পাদনের অর্ডার হয়েছে {0} DocType: BOM Item,BOM No,BOM কোন 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,চলন্ত গড় @@ -6364,6 +6433,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),বাহ্যিক করযোগ্য সরবরাহ (শূন্য রেটযুক্ত) DocType: BOM,Materials Required (Exploded),উপকরণ (অপ্রমাণিত) প্রয়োজন 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/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,পোস্টিং তারিখ ভবিষ্যতে তারিখে হতে পারে না @@ -6421,7 +6491,6 @@ DocType: Pricing Rule,Same Item,একই আইটেম DocType: Stock Ledger Entry,Stock Ledger Entry,স্টক লেজার এণ্ট্রি DocType: Quality Action Resolution,Quality Action Resolution,কোয়ালিটি অ্যাকশন রেজোলিউশন apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} অর্ধেক দিন ধরে চলে {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,একই আইটেমকে একাধিক বার প্রবেশ করা হয়েছে DocType: Department,Leave Block List,ব্লক তালিকা ত্যাগ DocType: Purchase Invoice,Tax ID,ট্যাক্স আইডি apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,{0} আইটেম সিরিয়াল আমরা জন্য সেটআপ নয়. কলাম ফাঁকা রাখা আবশ্যক @@ -6458,7 +6527,7 @@ 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} অক্ষম করা থাকে বা কোন অস্তিত্ব নেই DocType: Purchase Invoice,Return,প্রত্যাবর্তন -DocType: Accounting Dimension,Disable,অক্ষম +DocType: Account,Disable,অক্ষম apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,পেমেন্ট মোড একটি পেমেন্ট করতে প্রয়োজন বোধ করা হয় DocType: Task,Pending Review,মুলতুবি পর্যালোচনা apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","সম্পদের মত আরও বিকল্পগুলির জন্য সম্পূর্ণ পৃষ্ঠাতে সম্পাদনা করুন, সিরিয়াল নাম্বার, ব্যাচ ইত্যাদি" @@ -6571,7 +6640,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,দুদক-শুট আউট-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,মিলিত চালান অংশ সমান 100% DocType: Item Default,Default Expense Account,ডিফল্ট ব্যায়ের অ্যাকাউন্ট DocType: GST Account,CGST Account,CGST অ্যাকাউন্ট -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,আইটেম কোড> আইটেম গ্রুপ> ব্র্যান্ড apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,স্টুডেন্ট ইমেইল আইডি DocType: Employee,Notice (days),নোটিশ (দিন) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,পিওস সমাপ্তি ভাউচার ইনভয়েসস @@ -6582,6 +6650,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,চালান সংরক্ষণ আইটেম নির্বাচন করুন DocType: Employee,Encashment Date,নগদীকরণ তারিখ DocType: Training Event,Internet,ইন্টারনেটের +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,বিক্রেতার তথ্য DocType: Special Test Template,Special Test Template,বিশেষ টেস্ট টেমপ্লেট DocType: Account,Stock Adjustment,শেয়ার সামঞ্জস্য apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},ডিফল্ট কার্যকলাপ খরচ কার্যকলাপ টাইপ জন্য বিদ্যমান - {0} @@ -6593,7 +6662,6 @@ 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,উভয় ট্রায়াল সময়কাল শুরু তারিখ এবং ট্রায়াল সময়কাল শেষ তারিখ সেট করা আবশ্যক -DocType: Company,Bank Remittance Settings,ব্যাংক রেমিট্যান্স সেটিংস apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,গড় হার 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","গ্রাহক সরবরাহিত আইটেম" এর মূল্য মূল্য হতে পারে না @@ -6621,6 +6689,7 @@ DocType: Grading Scale Interval,Threshold,গোবরাট apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),দ্বারা ফিল্টার কর্মচারী (ptionচ্ছিক) DocType: BOM Update Tool,Current BOM,বর্তমান BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),ব্যালেন্স (ডঃ - ক্র) +DocType: Pick List,Qty of Finished Goods Item,সমাপ্ত জিনিস আইটেম পরিমাণ apps/erpnext/erpnext/public/js/utils.js,Add Serial No,সিরিয়াল কোন যোগ DocType: Work Order Item,Available Qty at Source Warehouse,উত্স ওয়্যারহাউস এ উপলব্ধ করে চলছে apps/erpnext/erpnext/config/support.py,Warranty,পাটা @@ -6697,7 +6766,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","এখানে আপনি ইত্যাদি উচ্চতা, ওজন, এলার্জি, ঔষধ উদ্বেগ স্থাপন করতে পারে" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,অ্যাকাউন্ট তৈরি করা হচ্ছে ... DocType: Leave Block List,Applies to Company,প্রতিষ্ঠানের ক্ষেত্রে প্রযোজ্য -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,জমা স্টক এণ্ট্রি {0} থাকার কারণে বাতিল করতে পারেন না +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,জমা স্টক এণ্ট্রি {0} থাকার কারণে বাতিল করতে পারেন না DocType: Loan,Disbursement Date,ব্যয়ন তারিখ DocType: Service Level Agreement,Agreement Details,চুক্তির বিবরণ apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,চুক্তির শুরুর তারিখ শেষের তারিখের চেয়ে বড় বা সমান হতে পারে না। @@ -6706,6 +6775,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,মেডিকেল সংরক্ষণ DocType: Vehicle,Vehicle,বাহন DocType: Purchase Invoice,In Words,শব্দসমূহে +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,তারিখের তারিখের আগে হওয়া দরকার apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,জমা দেওয়ার আগে ব্যাংক বা ঋণ প্রতিষ্ঠানের নাম লিখুন। apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} জমা দিতে হবে DocType: POS Profile,Item Groups,আইটেম গোষ্ঠীসমূহ @@ -6777,7 +6847,6 @@ DocType: Customer,Sales Team Details,সেলস টিম বিবরণ apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,স্থায়ীভাবে মুছে ফেলতে চান? DocType: Expense Claim,Total Claimed Amount,দাবি মোট পরিমাণ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,বিক্রি জন্য সম্ভাব্য সুযোগ. -DocType: Plaid Settings,Link a new bank account,একটি নতুন ব্যাংক অ্যাকাউন্টে লিঙ্ক করুন apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{an একটি অবৈধ উপস্থিতি স্থিতি। DocType: Shareholder,Folio no.,ফোলিও নং apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},অকার্যকর {0} @@ -6793,7 +6862,6 @@ DocType: Production Plan,Material Requested,উপাদান অনুরো DocType: Warehouse,PIN,পিন DocType: Bin,Reserved Qty for sub contract,সাব কন্ট্রাক্টের জন্য সংরক্ষিত পরিমাণ DocType: Patient Service Unit,Patinet Service Unit,পেটিনেট সার্ভিস ইউনিট -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,পাঠ্য ফাইল তৈরি করুন DocType: Sales Invoice,Base Change Amount (Company Currency),বেস পরিবর্তন পরিমাণ (কোম্পানি মুদ্রা) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,নিম্নলিখিত গুদাম জন্য কোন হিসাব এন্ট্রি apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},আইটেমের জন্য স্টক শুধুমাত্র {0} {1} @@ -6807,6 +6875,7 @@ DocType: Item,No of Months,মাস এর সংখ্যা DocType: Item,Max Discount (%),সর্বোচ্চ ছাড় (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,ক্রেডিট দিন একটি নেতিবাচক নম্বর হতে পারে না apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,একটি বিবৃতি আপলোড করুন +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,এই আইটেমটি রিপোর্ট করুন DocType: Purchase Invoice Item,Service Stop Date,সার্ভিস স্টপ তারিখ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,শেষ আদেশ পরিমাণ DocType: Cash Flow Mapper,e.g Adjustments for:,উদাহরণস্বরূপ: @@ -6899,16 +6968,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,কর্মচারী ট্যাক্স ছাড়করণ বিভাগ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,পরিমাণটি শূন্যের চেয়ে কম হওয়া উচিত নয়। DocType: Sales Invoice,C-Form Applicable,সি-ফরম প্রযোজ্য -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},অপারেশন টাইম অপারেশন জন্য তার চেয়ে অনেক বেশী 0 হতে হবে {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},অপারেশন টাইম অপারেশন জন্য তার চেয়ে অনেক বেশী 0 হতে হবে {0} DocType: Support Search Source,Post Route String,পোস্ট রুট স্ট্রিং apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,ওয়ারহাউস বাধ্যতামূলক apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,ওয়েবসাইট তৈরি করতে ব্যর্থ DocType: Soil Analysis,Mg/K,Mg / কে DocType: UOM Conversion Detail,UOM Conversion Detail,UOM রূপান্তর বিস্তারিত apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,ভর্তি এবং তালিকাভুক্তি -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,ধারণন স্টক এন্ট্রি ইতিমধ্যে তৈরি বা নমুনা পরিমাণ প্রদান না +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,ধারণন স্টক এন্ট্রি ইতিমধ্যে তৈরি বা নমুনা পরিমাণ প্রদান না DocType: Program,Program Abbreviation,প্রোগ্রাম সমাহার -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,উৎপাদন অর্ডার একটি আইটেম টেমপ্লেট বিরুদ্ধে উত্থাপিত হতে পারবেন না apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),ভাউচার দ্বারা দলবদ্ধ (একীভূত) DocType: HR Settings,Encrypt Salary Slips in Emails,ইমেলগুলিতে বেতন স্লিপগুলি এনক্রিপ্ট করুন DocType: Question,Multiple Correct Answer,একাধিক সঠিক উত্তর @@ -6955,7 +7023,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,নিল রেটে DocType: Employee,Educational Qualification,শিক্ষাগত যোগ্যতা DocType: Workstation,Operating Costs,অপারেটিং খরচ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},মুদ্রা {0} হবে জন্য {1} -DocType: Employee Checkin,Entry Grace Period Consequence,প্রবেশ গ্রেস পিরিয়ড ফলাফল DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,এই শিফ্টে অর্পিত কর্মচারীদের জন্য 'কর্মচারী চেকইন' ভিত্তিক উপস্থিতি চিহ্নিত করুন। DocType: Asset,Disposal Date,নিষ্পত্তি তারিখ DocType: Service Level,Response and Resoution Time,প্রতিক্রিয়া এবং রিসোশন সময় @@ -7003,6 +7070,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,সমাপ্তির তারিখ DocType: Purchase Invoice Item,Amount (Company Currency),পরিমাণ (কোম্পানি একক) DocType: Program,Is Featured,বৈশিষ্ট্যযুক্ত +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,আনা হচ্ছে ... DocType: Agriculture Analysis Criteria,Agriculture User,কৃষি ব্যবহারকারী apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,তারিখ পর্যন্ত বৈধ লেনদেনের তারিখ আগে হতে পারে না 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} এই লেনদেন সম্পন্ন করার জন্য ইউনিট. @@ -7035,7 +7103,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,মোট পরিশোধিত মাসিক 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 আইটেমাইজড সেলস নিবন্ধন @@ -7059,6 +7126,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,নামব apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,থেকে পেয়েছি DocType: Lead,Converted,ধর্মান্তরিত DocType: Item,Has Serial No,সিরিয়াল কোন আছে +DocType: Stock Entry Detail,PO Supplied Item,সরবরাহকারী আইটেম 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} @@ -7170,7 +7238,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,শুল্ক ট্য 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,জন্য {0} পাওয়া ডিফল্ট BOM +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}: পুনর্বিন্যাস পরিমাণ সেট করুন apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,তাদের এখানে যোগ করার জন্য আইটেম ট্যাপ @@ -7204,7 +7272,6 @@ DocType: Purchase Invoice,Y,ওয়াই DocType: Maintenance Visit,Maintenance Date,রক্ষণাবেক্ষণ তারিখ DocType: Purchase Invoice Item,Rejected Serial No,প্রত্যাখ্যাত সিরিয়াল কোন apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,বছর শুরুর তারিখ বা শেষ তারিখ {0} সঙ্গে ওভারল্যাপিং হয়. এড়ানোর জন্য কোম্পানির সেট দয়া -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ> নম্বরিং সিরিজের মাধ্যমে উপস্থিতির জন্য সংখ্যায়ন সিরিজটি সেট করুন apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},লিডের লিডের নাম উল্লেখ করুন {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},আইটেম জন্য শেষ তারিখ চেয়ে কম হওয়া উচিত তারিখ শুরু {0} DocType: Shift Type,Auto Attendance Settings,স্বয়ংক্রিয় উপস্থিতি সেটিংস @@ -7260,6 +7327,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,ছাত্রের বিবরণ DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",এটি আইটেম এবং বিক্রয় আদেশের জন্য ব্যবহৃত ডিফল্ট ইউওএম। ফ্যালব্যাক ইউওএম হ'ল "নম্বর"। DocType: Purchase Invoice Item,Stock Qty,স্টক Qty +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,জমা দিতে Ctrl + লিখুন DocType: Contract,Requires Fulfilment,পূরণের প্রয়োজন DocType: QuickBooks Migrator,Default Shipping Account,ডিফল্ট শিপিং অ্যাকাউন্ট DocType: Loan,Repayment Period in Months,মাস মধ্যে ঋণ পরিশোধের সময় সীমা @@ -7288,6 +7356,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ছাড় apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,কাজের জন্য শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড. DocType: Purchase Invoice,Against Expense Account,ব্যয় অ্যাকাউন্টের বিরুদ্ধে apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ইনস্টলেশন উল্লেখ্য {0} ইতিমধ্যেই জমা দেওয়া হয়েছে +DocType: BOM,Raw Material Cost (Company Currency),কাঁচামাল খরচ (কোম্পানির মুদ্রা) DocType: GSTR 3B Report,October,অক্টোবর DocType: Bank Reconciliation,Get Payment Entries,পেমেন্ট দাখিলা করুন DocType: Quotation Item,Against Docname,Docname বিরুদ্ধে @@ -7333,15 +7402,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,ব্যবহারের তারিখের জন্য উপলভ্য প্রয়োজন DocType: Request for Quotation,Supplier Detail,সরবরাহকারী বিস্তারিত apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},সূত্র বা অবস্থায় ত্রুটি: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Invoiced পরিমাণ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Invoiced পরিমাণ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,পরিমাপ ওজন 100% পর্যন্ত যোগ করা আবশ্যক apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,উপস্থিতি apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,শেয়ার চলছে DocType: Sales Invoice,Update Billed Amount in Sales Order,বিক্রয় আদেশ বিল পরিশোধ পরিমাণ আপডেট +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,বিক্রেতার সাথে যোগাযোগ করুন 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,এই আইটেমটি রিপোর্ট করতে দয়া করে একটি মার্কেটপ্লেস ব্যবহারকারী হিসাবে লগইন করুন। ,Sales Partner Commission Summary,বিক্রয় অংশীদার কমিশনের সংক্ষিপ্তসার ,Item Prices,আইটেমটি মূল্য DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,আপনি ক্রয় আদেশ সংরক্ষণ একবার শব্দ দৃশ্যমান হবে. @@ -7355,6 +7426,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,মূল্য তালিকা মাস্টার. DocType: Task,Review Date,পর্যালোচনা তারিখ DocType: BOM,Allow Alternative Item,বিকল্প আইটেমের অনুমতি দিন +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ক্রয়ের রশিদে কোনও আইটেম নেই যার জন্য পুনরায় ধরে রাখার নমুনা সক্ষম করা আছে। apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,চালান গ্র্যান্ড টোটাল DocType: Company,Series for Asset Depreciation Entry (Journal Entry),অ্যাসেট হ্রাসের প্রারম্ভিক সিরিজ (জার্নাল এণ্ট্রি) DocType: Membership,Member Since,সদস্য থেকে @@ -7364,6 +7436,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,একুন উপর 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: Pricing Rule,Product Discount Scheme,পণ্য ছাড়ের স্কিম +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,কলকারী কোনও ইস্যু উত্থাপন করেনি। DocType: Restaurant Reservation,Waitlisted,অপেক্ষমান তালিকার DocType: Employee Tax Exemption Declaration Category,Exemption Category,অব্যাহতি বিভাগ apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,মুদ্রা একক কিছু অন্যান্য মুদ্রা ব্যবহার এন্ট্রি করার পর পরিবর্তন করা যাবে না @@ -7377,7 +7450,6 @@ DocType: Customer Group,Parent Customer Group,মূল ক্রেতা গ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ই-ওয়ে বিল জেএসএন কেবল বিক্রয় চালান থেকে তৈরি করা যেতে পারে apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,এই কুইজের সর্বাধিক প্রচেষ্টা পৌঁছেছে! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,চাঁদা -DocType: Purchase Invoice,Contact Email,যোগাযোগের ই - মেইল apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ফি নির্মাণ মুলতুবি DocType: Project Template Task,Duration (Days),সময়কাল (দিন) DocType: Appraisal Goal,Score Earned,স্কোর অর্জিত @@ -7402,7 +7474,6 @@ DocType: Landed Cost Item,Landed Cost Item,ল্যান্ড খরচ আ 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","একক লেনদেনের পরিমাণ সর্বাধিক অনুমোদিত পরিমাণকে ছাড়িয়ে যায়, লেনদেনকে বিভক্ত করে একটি পৃথক অর্থ প্রদানের আদেশ তৈরি করুন" DocType: Service Level Agreement,Entity,সত্তা DocType: Payment Reconciliation,Receivable / Payable Account,গ্রহনযোগ্য / প্রদেয় অ্যাকাউন্ট DocType: Delivery Note Item,Against Sales Order Item,বিক্রয় আদেশ আইটেমটি বিরুদ্ধে @@ -7569,6 +7640,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,উ DocType: Quality Inspection Reading,Reading 3,3 পড়া DocType: Stock Entry,Source Warehouse Address,উত্স গুদাম ঠিকানা DocType: GL Entry,Voucher Type,ভাউচার ধরন +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,ভবিষ্যতের পেমেন্টস 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 ,শেষ তৎপরতা @@ -7595,6 +7667,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,ক্ষেত্র সনাক্ত রোগের তালিকা। নির্বাচিত হলে এটি স্বয়ংক্রিয়ভাবে রোগের মোকাবেলা করার জন্য কর্মের তালিকা যোগ করবে +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,বিওএম ঘ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,এটি একটি রুট হেলথ কেয়ার সার্ভিস ইউনিট এবং সম্পাদনা করা যাবে না। DocType: Asset Repair,Repair Status,স্থায়ী অবস্থা মেরামত apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","অনুরোধকৃত পরিমাণ: পরিমাণ ক্রয়ের জন্য অনুরোধ করা হয়েছে, তবে আদেশ দেওয়া হয়নি।" @@ -7609,6 +7682,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,পরিমাণ পরিবর্তনের জন্য অ্যাকাউন্ট DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks সাথে সংযোগ স্থাপন DocType: Exchange Rate Revaluation,Total Gain/Loss,মোট লাভ / ক্ষতি +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,বাছাই তালিকা তৈরি করুন apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},সারি {0}: পার্টি / অ্যাকাউন্টের সাথে মেলে না {1} / {2} এ {3} {4} DocType: Employee Promotion,Employee Promotion,কর্মচারী প্রচার DocType: Maintenance Team Member,Maintenance Team Member,রক্ষণাবেক্ষণ দলের সদস্য @@ -7691,6 +7765,7 @@ 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,অ্যাসেট শ্রেণী apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,নেট বেতন নেতিবাচক হতে পারে না @@ -7722,7 +7797,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,মান লক্ষ্য DocType: BOM,Item to be manufactured or repacked,আইটেম শিল্পজাত বা repacked করা apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},শর্তে সিনট্যাক্স ত্রুটি: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,গ্রাহক দ্বারা উত্থাপিত কোন সমস্যা। DocType: Fee Structure,EDU-FST-.YYYY.-,Edu-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,মেজর / ঐচ্ছিক বিষয়াবলী apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,আপনার বিপণন সেটিংস সরবরাহকারী গ্রুপ সেট করুন। @@ -7815,8 +7889,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,ক্রেডিট দিন apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,ল্যাব পরীক্ষা পেতে রোগীর নির্বাচন করুন DocType: Exotel Settings,Exotel Settings,এক্সটেল সেটিংস -DocType: Leave Type,Is Carry Forward,এগিয়ে বহন করা হয় +DocType: Leave Ledger Entry,Is Carry Forward,এগিয়ে বহন করা হয় DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),কাজের সময় যার নিচে অনুপস্থিত চিহ্নিত করা হয়েছে। (অক্ষম করার জন্য জিরো) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,একটি বার্তা পাঠান apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,BOM থেকে জানানোর পান 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,আয়কর ব্যয় হয় diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv index 2bb6e2934c..c9d7d0258b 100644 --- a/erpnext/translations/bs.csv +++ b/erpnext/translations/bs.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Obavijestiti dobavljača apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Molimo prvo odaberite Party Tip DocType: Item,Customer Items,Customer Predmeti +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Obaveze DocType: Project,Costing and Billing,Cijena i naplata apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Advance valuta valute mora biti ista kao valuta kompanije {0} DocType: QuickBooks Migrator,Token Endpoint,Krajnji tačak žetona @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Zadana mjerna jedinica DocType: SMS Center,All Sales Partner Contact,Svi kontakti distributera DocType: Department,Leave Approvers,Ostavite odobravateljima DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Stavke za pretraživanje ... DocType: Patient Encounter,Investigations,Istrage DocType: Restaurant Order Entry,Click Enter To Add,Kliknite Enter za dodavanje apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Nedostajuća vrijednost za lozinku, API ključ ili Shopify URL" DocType: Employee,Rented,Iznajmljuje apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Svi računi apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Ne može preneti zaposlenog sa statusom Levo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zaustavila proizvodnju Naredba se ne može otkazati, odčepiti to prvi koji će otkazati" DocType: Vehicle Service,Mileage,kilometraža apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Da li zaista želite da ukine ove imovine? DocType: Drug Prescription,Update Schedule,Raspored ažuriranja @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Kupci DocType: Purchase Receipt Item,Required By,Potrebna Do DocType: Delivery Note,Return Against Delivery Note,Vratiti protiv Isporuka Napomena DocType: Asset Category,Finance Book Detail,Knjiga finansija Detail +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Sve amortizacije su knjižene DocType: Purchase Order,% Billed,Naplaćeno% apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Platni broj apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Tečajna lista moraju biti isti kao {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Batch Stavka Status isteka apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bank Nacrt DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Ukupno kasnih unosa DocType: Mode of Payment Account,Mode of Payment Account,Način plaćanja računa apps/erpnext/erpnext/config/healthcare.py,Consultation,Konsultacije DocType: Accounts Settings,Show Payment Schedule in Print,Prikaži raspored plaćanja u štampanju @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,U apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primarni kontakt podaci apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,otvorena pitanja DocType: Production Plan Item,Production Plan Item,Proizvodnja plan artikla +DocType: Leave Ledger Entry,Leave Ledger Entry,Ostavite knjigu Ulaz apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Korisnik {0} već dodijeljena zaposlenika {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} polje je ograničeno na veličinu {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Mak DocType: Purchase Invoice Item,Item Weight Details,Detaljna težina stavke DocType: Asset Maintenance Log,Periodicity,Periodičnost apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Fiskalna godina {0} je potrebno +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Neto dobit / gubitak DocType: Employee Group Table,ERPNext User ID,ERPNext User ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimalno rastojanje između redova biljaka za optimalan rast apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Molimo odaberite pacijenta da biste dobili propisani postupak @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Prodajni cjenik DocType: Patient,Tobacco Current Use,Upotreba duvana apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Prodajna stopa -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Spremite svoj dokument prije dodavanja novog računa 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,miro DocType: Exchange Rate Revaluation Account,Gain/Loss,Dobit / gubitak DocType: Crop,Perennial,Višegodišnje DocType: Program,Is Published,Objavljeno je +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Prikaži bilješke o isporuci apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Da biste omogućili prekomerno naplaćivanje, ažurirajte „Nadoplatu za naplatu“ u Postavkama računa ili Stavka." DocType: Patient Appointment,Procedure,Procedura DocType: Accounts Settings,Use Custom Cash Flow Format,Koristite Custom Flow Flow Format @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Ostavite detalje o politici DocType: BOM,Item Image (if not slideshow),Slika proizvoda (ako nije slide prikaz) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Red # {0}: Operacija {1} nije dovršena za {2} broj gotovih proizvoda u radnom nalogu {3}. Ažurirajte status rada putem Job Card {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} je obavezan za generiranje plaćanja doznaka, postavite polje i pokušajte ponovo" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Satnica / 60) * Puna radno vrijeme apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Red # {0}: Referentni tip dokumenta mora biti jedan od potraživanja troškova ili unosa dnevnika apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Izaberite BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Otplatiti Preko broj perioda apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Količina za proizvodnju ne može biti manja od nule DocType: Stock Entry,Additional Costs,Dodatni troškovi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> grupa kupaca> teritorija apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Konto sa postojećim transakcijama se ne može pretvoriti u grupu konta . DocType: Lead,Product Enquiry,Na upit DocType: Education Settings,Validate Batch for Students in Student Group,Potvrditi Batch za studente u Studentskom Group @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Pod diplomski apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Molimo podesite podrazumevani obrazac za obaveštenje o statusu ostavljanja u HR postavkama. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Target Na DocType: BOM,Total Cost,Ukupan trošak +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Raspored je istekao! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maksimalno noseći prosleđene listove DocType: Salary Slip,Employee Loan,zaposlenik kredita DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Pošaljite zahtev za plaćanje @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Nekret apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Izjava o računu apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Lijekovi DocType: Purchase Invoice Item,Is Fixed Asset,Fiksni Asset +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Prikaži buduće isplate DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Taj je bankovni račun već sinhroniziran DocType: Homepage,Homepage Section,Odjeljak početne stranice @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Đubrivo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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 -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Najmanje jedan način plaćanja je potreban za POS računa. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Za serijski artikal nije potreban serijski broj {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Stavka fakture za transakciju iz banke @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Odaberite uvjeti apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,out vrijednost DocType: Bank Statement Settings Item,Bank Statement Settings Item,Stavka Postavke banke DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce postavke +DocType: Leave Ledger Entry,Transaction Name,Naziv transakcije DocType: Production Plan,Sales Orders,Sales Orders apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Višestruki program lojalnosti pronađen za klijenta. Molimo izaberite ručno. DocType: Purchase Taxes and Charges,Valuation,Procjena @@ -460,6 +468,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Pokaži samo kupca ovih grupa kupaca DocType: Sales Invoice,Is Opening Entry,Je Otvaranje unos @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Spomenite ako nestandardnih potraživanja računa važećim 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 DocType: Supplier Scorecard,Criteria Setup,Postavljanje kriterijuma -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Jer je potrebno Warehouse prije Podnijeti +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 DocType: Codification Table,Medical Code,Medicinski kod apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Povežite Amazon sa ERPNext @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Dodani su bankovni računi -DocType: Delivery Stop,Contact Name,Kontakt ime +DocType: Call Log,Contact Name,Kontakt ime DocType: Plaid Settings,Synchronize all accounts every hour,Sinkronizirajte sve račune na svakih sat vremena DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteriji procjene naravno DocType: Pricing Rule Detail,Rule Applied,Pravilo se primjenjuje @@ -529,7 +539,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Nepoznati broj DocType: Website Filter Field,Website Filter Field,Polje filtera za web stranicu apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Tip isporuke DocType: Material Request Item,Min Order Qty,Min Red Kol @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Ukupni glavni iznos DocType: Student Guardian,Relation,Odnos DocType: Quiz Result,Correct,Tacno DocType: Student Guardian,Mother,majka -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Prvo dodajte važeće plaid api ključeve na site_config.json DocType: Restaurant Reservation,Reservation End Time,Vreme završetka rezervacije DocType: Crop,Biennial,Bijenale ,BOM Variance Report,Izveštaj BOM varijacije @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Plaćanje protiv {0} {1} ne može biti veći od preostalog iznosa {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Offline postavke DocType: Stock Entry Detail,Reference Purchase Receipt,Referentna kupovina DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Varijanta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Završene Qty ne može biti veća od 'Količina za proizvodnju' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Završene Qty ne može biti veća od 'Količina za proizvodnju' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Period zasnovan na DocType: Period Closing Voucher,Closing Account Head,Zatvaranje računa šefa DocType: Employee,External Work History,Vanjski History Work apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Kružna Reference Error apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Studentski izveštaj kartica apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Od PIN-a +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Prikaži osobu prodaje DocType: Appointment Type,Is Inpatient,Je stacionarno apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 ime DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Riječima (izvoz) će biti vidljivo nakon što spremite otpremnicu. @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Ime dimenzije apps/erpnext/erpnext/healthcare/setup.py,Resistant,Otporno apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Molimo podesite Hotel Room Rate na {} +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: Journal Entry,Multi Currency,Multi valuta DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tip fakture apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Vrijedi od datuma mora biti manje od važećeg do datuma @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Prihvaćen DocType: Workstation,Rent Cost,Rent cost 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Najave Kalendar događanja apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Varijanta atributi @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Zahtjev za ponudu 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Pokaži prodajnu osobu u tisku 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 @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Kreiranje novog potrošača apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Ističe se apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ako više Cijene pravila i dalje prevladavaju, korisnici su zamoljeni da postavite prioritet ručno riješiti sukob." -DocType: Purchase Invoice,Scan Barcode,Skenirajte bar kod apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Napravi Narudžbenice ,Purchase Register,Kupnja Registracija apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacijent nije pronađen @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Partner iz prodajnog kanala DocType: Account,Old Parent,Stari Roditelj apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Obavezna polja - akademska godina apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} nije povezan sa {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Plaća Komponenta za obračun plata na osnovu timesheet. DocType: Driver,Applicable for external driver,Važeće za spoljni upravljački program DocType: Sales Order Item,Used for Production Plan,Koristi se za plan proizvodnje +DocType: BOM,Total Cost (Company Currency),Ukupni trošak (valuta kompanije) DocType: Loan,Total Payment,Ukupna uplata apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Ne mogu otkazati transakciju za Završeni radni nalog. DocType: Manufacturing Settings,Time Between Operations (in mins),Vrijeme između operacije (u min) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Obavesti drugu DocType: Vital Signs,Blood Pressure (systolic),Krvni pritisak (sistolni) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} je {2} DocType: Item Price,Valid Upto,Vrijedi Upto +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. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Promjene u {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Molimo odaberite Company DocType: Employee Skill,Employee Skill,Veština zaposlenih apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Konto razlike @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Faktori rizika DocType: Patient,Occupational Hazards and Environmental Factors,Opasnosti po životnu sredinu i faktore zaštite životne sredine apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Upis zaliha već je kreiran za radni nalog apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Pogledajte prošla naređenja +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} razgovora DocType: Vital Signs,Respiratory rate,Stopa respiratornih organa apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Upravljanje Subcontracting DocType: Vital Signs,Body Temperature,Temperatura tela @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Registrovani sastav apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,zdravo apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Move Stavka DocType: Employee Incentive,Incentive Amount,Podsticajni iznos +,Employee Leave Balance Summary,Sažetak ravnoteže zaposlenika DocType: Serial No,Warranty Period (Days),Jamstveni period (dani) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Ukupan iznos kredita / zaduženja treba da bude isti kao vezani dnevnik DocType: Installation Note Item,Installation Note Item,Napomena instalacije proizvoda @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,Vatreno DocType: Salary Slip,Salary Slip Timesheet,Plaća Slip Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavljač skladišta obvezan je za sub - ugovoreni kupiti primitka DocType: Item Price,Valid From,Vrijedi od +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Vaša ocjena: DocType: Sales Invoice,Total Commission,Ukupno komisija DocType: Tax Withholding Account,Tax Withholding Account,Porez na odbitak DocType: Pricing Rule,Sales Partner,Prodajni partner @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Sve ispostavne ka 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 +DocType: Item,Website Image,Slika web stranice apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Ciljno skladište u redu {0} mora biti isto kao radni nalog apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Vrednovanje Rate je obavezno ako ušla Otvaranje Stock apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nisu pronađeni u tablici fakturu @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},I 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Pre sinhronizacije računa dovršite konfiguraciju Plaid API-ja 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 DocType: Job Applicant,Resume Attachment,Nastavi Prilog @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,Plan proizvodnje DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Otvaranje alata za kreiranje fakture DocType: Salary Component,Round to the Nearest Integer,Zaokružite na najbliži cijeli broj apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Povrat robe -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Napomena: Ukupna izdvojena lišće {0} ne smije biti manja od već odobrenih lišće {1} za period DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Postavite količinu u transakcijama na osnovu Serijski broj ulaza ,Total Stock Summary,Ukupno Stock Pregled apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,A l apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,iznos glavnice DocType: Loan Application,Total Payable Interest,Ukupno plaćaju interesa apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Ukupno izvanredan: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Otvori kontakt DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Prodaja Račun Timesheet 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} @@ -1080,6 +1099,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Podrazumevana faktura imen 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 DocType: Restaurant Reservation,Restaurant Reservation,Rezervacija restorana +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Vaše predmete apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Pisanje prijedlog DocType: Payment Entry Deduction,Payment Entry Deduction,Plaćanje Entry Odbitak DocType: Service Level Priority,Service Level Priority,Prioritet na nivou usluge @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Serija brojeva serija apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Još jedna osoba Sales {0} postoji s istim ID zaposlenih DocType: Employee Advance,Claimed Amount,Zahtevani iznos +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Isteče dodjela 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 @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,Batch ime DocType: Fee Validity,Max number of visit,Maksimalan broj poseta DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Obavezno za račun dobiti i gubitka ,Hotel Room Occupancy,Hotelska soba u posjedu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet created: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,upisati DocType: GST Settings,GST Settings,PDV Postavke @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),Komisija stopa (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Molimo odaberite program DocType: Project,Estimated Cost,Procijenjeni troškovi DocType: Request for Quotation,Link to material requests,Link za materijal zahtjeva +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Objavite apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Zračno-kosmički prostor ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Credit Card Entry @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Dugotrajna imovina apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} ne postoji na zalihama. apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Molimo vas podelite svoje povratne informacije na trening klikom na 'Feedback Feedback', a zatim 'New'" +DocType: Call Log,Caller Information,Informacije o pozivaocu DocType: Mode of Payment Account,Default Account,Podrazumjevani konto apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Prvo izaberite skladište za zadržavanje uzorka u postavkama zaliha apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Molimo da izaberete tip višestrukog programa za više pravila kolekcije. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Auto materijala Zahtjevi Generirano DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Radno vrijeme ispod kojeg se obilježava Polovna dana. (Nula za onemogućavanje) DocType: Job Card,Total Completed Qty,Ukupno završeno Količina +DocType: HR Settings,Auto Leave Encashment,Auto Leave Encashment apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Izgubljen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Ne možete ući trenutni voucher u 'Protiv Journal Entry' koloni DocType: Employee Benefit Application Detail,Max Benefit Amount,Max Benefit iznos @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Pretplatnik DocType: Item Attribute Value,Item Attribute Value,Stavka vrijednost atributa apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Menjanje mjenjača mora biti primjenjivo za kupovinu ili prodaju. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Samo je istekla dodjela istekla DocType: Item,Maximum sample quantity that can be retained,Maksimalna količina uzorka koja se može zadržati apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Red {0} # Stavka {1} ne može se prenijeti više od {2} u odnosu na narudžbenicu {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Prodajne kampanje. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Nepoznati pozivalac DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1419,6 +1444,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Vremenska r apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc ime DocType: Expense Claim Detail,Expense Claim Type,Rashodi Vrsta polaganja DocType: Shopping Cart Settings,Default settings for Shopping Cart,Početne postavke za Košarica +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Spremi stavku apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Novi trošak apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Zanemarite postojeći naručeni broj apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Dodaj Timeslots @@ -1431,6 +1457,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Poslato DocType: Shift Assignment,Shift Assignment,Shift Assignment DocType: Employee Transfer Property,Employee Transfer Property,Imovina Transfera zaposlenika +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Polje Vlasnički račun / račun odgovornosti ne može biti prazno apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Od vremena bi trebalo biti manje od vremena apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotehnologija apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1512,11 +1539,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Od držav 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Raspored za golf DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B Izvještaj DocType: Request for Quotation Supplier,Quote Status,Quote Status DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Završetak Status +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Ukupni iznos plaćanja ne može biti veći od {} DocType: Daily Work Summary Group,Select Users,Izaberite Korisnike DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Stavka hotela u sobi DocType: Loyalty Program Collection,Tier Name,Tier Name @@ -1554,6 +1583,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST Izn DocType: Lab Test Template,Result Format,Format rezultata DocType: Expense Claim,Expenses,troškovi DocType: Service Level,Support Hours,sati podrške +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Napomene o isporuci DocType: Item Variant Attribute,Item Variant Attribute,Stavka Variant Atributi ,Purchase Receipt Trends,Račun kupnje trendovi DocType: Payroll Entry,Bimonthly,časopis koji izlazi svaka dva mjeseca @@ -1576,7 +1606,6 @@ DocType: Sales Team,Incentives,Poticaji DocType: SMS Log,Requested Numbers,Traženi brojevi DocType: Volunteer,Evening,Veče DocType: Quiz,Quiz Configuration,Konfiguracija kviza -DocType: Customer,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 @@ -1623,7 +1652,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Majstor ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},U nemogućnosti da pronađe termin u narednih {0} dana za operaciju {1} DocType: Work Order,Plan material for sub-assemblies,Plan materijal za podsklopove 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 @@ -1638,9 +1666,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Morate omogućiti automatsku ponovnu narudžbu u Postavkama dionica da biste održavali razinu ponovne narudžbe. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Odustani Posjeta materijala {0} prije otkazivanja ovog održavanja pohod DocType: Pricing Rule,Rate or Discount,Stopa ili popust +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bankovni detalji DocType: Vital Signs,One Sided,Jednostrani apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serijski Ne {0} ne pripada točki {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Potrebna Kol +DocType: Purchase Order Item Supplied,Required Qty,Potrebna Kol DocType: Marketplace Settings,Custom Data,Korisnički podaci apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Skladišta sa postojećim transakcija se ne može pretvoriti u knjizi. DocType: Service Day,Service Day,Dan usluge @@ -1668,7 +1697,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Valuta račun DocType: Lab Test,Sample ID,Primer uzorka apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Navedite zaokružimo računa u Company -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Domet DocType: Supplier,Default Payable Accounts,Uobičajeno Računi dobavljača apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Radnik {0} nije aktivan ili ne postoji @@ -1709,8 +1737,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Zahtjev za informacije DocType: Course Activity,Activity Date,Datum aktivnosti apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} od {} -,LeaderBoard,leaderboard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Rate With Margin (Valuta kompanije) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategorije apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Fakture DocType: Payment Request,Paid,Plaćen DocType: Service Level,Default Priority,Default Priority @@ -1745,11 +1773,11 @@ DocType: Agriculture Task,Agriculture Task,Poljoprivreda zadatak apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Neizravni dohodak DocType: Student Attendance Tool,Student Attendance Tool,Student Posjeta Tool DocType: Restaurant Menu,Price List (Auto created),Cenovnik (Automatski kreiran) +DocType: Pick List Item,Picked Qty,Izabrani broj DocType: Cheque Print Template,Date Settings,Datum Postavke 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 -,Company Name,Naziv preduzeć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. @@ -1768,7 +1796,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Najnoviji pokušaj 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} -DocType: BOM,Raw Material Cost(Company Currency),Sirovina troškova (poduzeća Valuta) 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 @@ -1835,6 +1862,7 @@ DocType: Travel Itinerary,Train,Voz ,Delayed Item Report,Izvještaj o odloženom predmetu apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Ispunjava uvjete ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Bolničko stanovanje +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Objavite svoje prve stavke DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Vrijeme nakon završetka smjene tijekom koje se odjava uzima za dolazak. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Navedite {0} @@ -1950,6 +1978,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Svi sastavnica apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Kreirajte unos časopisa Inter Company DocType: Company,Parent Company,Matična kompanija apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Sobe Hotela tipa {0} nisu dostupne na {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Uporedite BOM za promjene u sirovinama i načinu rada apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokument {0} uspješno nije izbrisan DocType: Healthcare Practitioner,Default Currency,Zadana valuta apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Uskladi ovaj račun @@ -1984,6 +2013,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Obrazac Račun Detalj DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pomirenje Plaćanje fakture DocType: Clinical Procedure,Procedure Template,Šablon procedure +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Objavite stavke apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Doprinos% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Prema Kupnja Postavke ako Narudžbenice željeni == 'DA', onda za stvaranje fakturi, korisnik treba prvo stvoriti Narudžbenice za stavku {0}" ,HSN-wise-summary of outward supplies,HSN-mudar-rezime izvora isporuke @@ -1996,7 +2026,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Molimo podesite 'primijeniti dodatne popusta na' DocType: Party Tax Withholding Config,Applicable Percent,Veliki procenat ,Ordered Items To Be Billed,Naručeni artikli za naplatu -DocType: Employee Checkin,Exit Grace Period Consequence,Izlaz iz posljedice razdoblja milosti apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Od opseg mora biti manji od u rasponu DocType: Global Defaults,Global Defaults,Globalne zadane postavke apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Projekt Collaboration Poziv @@ -2004,13 +2033,11 @@ DocType: Salary Slip,Deductions,Odbici DocType: Setup Progress Action,Action Name,Naziv akcije apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Početak godine apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Kreirajte zajam -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Početak datum tekućeg razdoblja dostavnice DocType: Shift Type,Process Attendance After,Posjedovanje procesa nakon ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Ostavite bez plaće DocType: Payment Request,Outward,Napolju -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Kapaciteta za planiranje Error apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Porez na države i UT ,Trial Balance for Party,Suđenje Balance za stranke ,Gross and Net Profit Report,Izvještaj o bruto i neto dobiti @@ -2029,7 +2056,6 @@ DocType: Payroll Entry,Employee Details,Zaposlenih Detalji 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 -DocType: Setup Progress Action,Domains,Domena 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} @@ -2072,7 +2098,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Ukupno sas 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.",Način plaćanja nije konfiguriran. Molimo provjerite da li račun je postavljena o načinu plaćanja ili na POS profilu. apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Isti stavka ne može se upisati više puta. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Dalje računa može biti pod Grupe, ali unosa može biti protiv ne-Grupe" -DocType: Email Campaign,Lead,Potencijalni kupac +DocType: Call Log,Lead,Potencijalni kupac DocType: Email Digest,Payables,Obveze DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Kampanja e-pošte za @@ -2084,6 +2110,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Narudžbenica Proizvodi se naplaćuje 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 DocType: Purchase Invoice Item,Net Rate,Neto stopa apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Izaberite kupca DocType: Leave Policy,Leave Allocations,Ostavite dodelu @@ -2097,6 +2124,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Zatvori Issue Nakon nekoliko dana ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Morate biti korisnik sa ulogama System Manager i Item Manager da biste dodali korisnike u Marketplace. +DocType: Attendance,Early Exit,Rani izlazak DocType: Job Opening,Staffing Plan,Plan zapošljavanja apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON može se generirati samo iz poslanog dokumenta apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Porez i beneficije zaposlenih @@ -2117,6 +2145,7 @@ DocType: Maintenance Team Member,Maintenance Role,Uloga održavanja apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dupli red {0} sa istim {1} DocType: Marketplace Settings,Disable Marketplace,Onemogući tržište DocType: Quality Meeting,Minutes,Minute +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Vaše istaknute stavke ,Trial Balance,Pretresno bilanca apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Prikaži dovršeno apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađen @@ -2126,8 +2155,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Rezervacija korisnika hot 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 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- -DocType: Shift Type,Consequence,Posljedica DocType: Subscription Settings,Subscription Settings,Podešavanja pretplate DocType: Purchase Invoice,Update Auto Repeat Reference,Ažurirajte Auto Repeat Reference apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Opciona lista letenja nije postavljena za period odmora {0} @@ -2138,7 +2167,6 @@ DocType: Maintenance Visit Purpose,Work Done,Rad Done apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Molimo navedite barem jedan atribut atribute tabeli DocType: Announcement,All Students,Svi studenti apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Stavka {0} mora biti ne-stock stavka -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Pogledaj Ledger DocType: Grading Scale,Intervals,intervali DocType: Bank Statement Transaction Entry,Reconciled Transactions,Usklađene transakcije @@ -2174,6 +2202,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Poslovna prilika artikla DocType: Quality Action,Quality Review,Pregled kvaliteta @@ -2200,7 +2229,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Kreiraj neplaćene račune -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Prodajnog naloga {0} nije ispravan +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Narudžbenice vam pomoći planirati i pratiti na kupovinu apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Testiranje laboratorijskih testova @@ -2225,6 +2254,7 @@ DocType: Employee Onboarding,Notify users by email,Obavijestite korisnike e-poš DocType: Travel Request,International,International DocType: Training Event,Training Event,treningu DocType: Item,Auto re-order,Autorefiniš reda +DocType: Attendance,Late Entry,Kasni ulazak apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Ukupno Ostvareni DocType: Employee,Place of Issue,Mjesto izdavanja DocType: Promotional Scheme,Promotional Scheme Price Discount,Popust na promotivne šeme @@ -2271,6 +2301,7 @@ DocType: Serial No,Serial No Details,Serijski nema podataka DocType: Purchase Invoice Item,Item Tax Rate,Poreska stopa artikla apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Od imena partije apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Neto iznos plaće +DocType: Pick List,Delivery against Sales Order,Dostava protiv prodajnog naloga DocType: Student Group Student,Group Roll Number,Grupa Roll Broj apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Za {0}, samo kredit računa može biti povezan protiv drugog ulaska debit" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena @@ -2342,7 +2373,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ova vrijednost se koristi za izračun pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Trebate omogućiti Košarica DocType: Payment Entry,Writeoff,Otpisati DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-YYYY.- @@ -2356,6 +2386,7 @@ DocType: Delivery Trip,Total Estimated Distance,Ukupna procenjena rastojanja DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Neplaćeni račun za potraživanja DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Nije dozvoljeno stvaranje dimenzije računovodstva za {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Molimo ažurirajte svoj status za ovaj trening događaj DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Zbrajanje ili oduzimanje @@ -2365,7 +2396,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Neaktivni artikli prodaje DocType: Quality Review,Additional Information,Dodatne informacije apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Ukupna vrijednost Order -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Resetiranje ugovora o nivou usluge. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Hrana apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Starenje Range 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Closing Voucher Detalji @@ -2412,6 +2442,7 @@ 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 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 """ DocType: Healthcare Practitioner,Contacts and Address,Kontakti i adresa DocType: Shift Type,Determine Check-in and Check-out,Odredite prijavu i odjavu @@ -2431,7 +2462,6 @@ DocType: Student Admission,Eligibility and Details,Prihvatljivost i Detalji apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Uključeno u bruto dobit apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Neto promjena u fiksnoj Asset apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Klijentski kod apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Od datuma i vremena @@ -2500,6 +2530,7 @@ DocType: Journal Entry Account,Account Balance,Bilans konta apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: gost je dužan protiv potraživanja nalog {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Ukupno Porezi i naknade (Društvo valuta) DocType: Weather,Weather Parameter,Vremenski parametar @@ -2562,6 +2593,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Prag radnog vremena za od apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Na osnovu ukupne potrošnje može biti više faktora sakupljanja. Ali faktor konverzije za otkup će uvek biti isti za sve nivoe. apps/erpnext/erpnext/config/help.py,Item Variants,Stavka Varijante apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Usluge +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,E-mail Plaća Slip na zaposlenog DocType: Cost Center,Parent Cost Center,Roditelj troška @@ -2572,7 +2604,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields",Iz DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Napomene o uvoznoj isporuci od Shopify na pošiljci apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Show zatvoren DocType: Issue Priority,Issue Priority,Prioritet pitanja -DocType: Leave Type,Is Leave Without Pay,Ostavi se bez plate +DocType: Leave Ledger Entry,Is Leave Without Pay,Ostavi se bez plate apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obavezno za Fixed stavku imovine DocType: Fee Validity,Fee Validity,Vrijednost naknade @@ -2621,6 +2653,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Dostupno Batch Koli apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Update Print Format DocType: Bank Account,Is Company Account,Račun kompanije apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Leave Type {0} nije moguće zaptivati +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Kreditni limit je već definisan za Kompaniju {0} DocType: Landed Cost Voucher,Landed Cost Help,Sleteo Cost Pomoć DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Izaberite Dostava Adresa @@ -2645,6 +2678,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Dvosmerno DocType: Item,Manufacturers,Proizvođači @@ -2681,7 +2715,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Izjava banka pomirenja DocType: Patient Encounter,Medical Coding,Medicinsko kodiranje DocType: Healthcare Settings,Reminder Message,Poruka podsetnika -,Lead Name,Ime Lead-a +DocType: Call Log,Lead Name,Ime Lead-a ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Istraživanje @@ -2713,12 +2747,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Dobavljač galerija DocType: Opportunity,Contact Mobile No,Kontak GSM apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Izaberite kompaniju ,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: 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- 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.,Korisnik {0} nema podrazumevani POS profil. Provjerite Podrazumevano na Rowu {1} za ovog Korisnika. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zapisnici sa kvalitetom sastanka +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Upućivanje zaposlenih DocType: Student Group,Set 0 for no limit,Set 0 za no limit apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dan (e) na koje se prijavljujete za odmor su praznici. Vi ne trebate podnijeti zahtjev za dozvolu. @@ -2752,12 +2788,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Neto promjena u gotovini DocType: Assessment Plan,Grading Scale,Pravilo Scale apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jedinica mjere {0} je ušao više od jednom u konverzije Factor tablici -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,već završena apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock u ruci apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Molimo dodajte preostale pogodnosti {0} aplikaciji kao \ pro-rata komponentu apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Molimo postavite Fiskalni kodeks za javnu upravu '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Plaćanje Zahtjev već postoji {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Troškovi Izdata Predmeti DocType: Healthcare Practitioner,Hospital,Bolnica apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Količina ne smije biti više od {0} @@ -2802,6 +2836,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Ljudski resursi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Viši Prihodi DocType: Item Manufacturer,Item Manufacturer,artikal Proizvođač +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Stvorite novi potencijal DocType: BOM Operation,Batch Size,Veličina serije apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,odbiti DocType: Journal Entry Account,Debit in Company Currency,Debit u Company valuta @@ -2822,9 +2857,11 @@ DocType: Bank Transaction,Reconciled,Pomirjen DocType: Expense Claim,Total Amount Reimbursed,Ukupan iznos nadoknađeni apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Ovo se zasniva na rezanje protiv ovog vozila. Pogledajte vremenski okvir ispod za detalje apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Datum plaćanja ne može biti manji od datuma pridruživanja zaposlenog +DocType: Pick List,Item Locations,Lokacije predmeta apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} stvorio apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Otvaranje radnih mjesta za imenovanje {0} već otvoreno ili zapošljavanje završeno u skladu sa planom osoblja {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Možete objaviti do 200 predmeta. DocType: Vital Signs,Constipated,Zapremljen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Protiv Dobavljač fakture {0} od {1} DocType: Customer,Default Price List,Zadani cjenik @@ -2916,6 +2953,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Stvarni početak promjene DocType: Tally Migration,Is Day Book Data Imported,Uvoze li se podaci dnevnih knjiga apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Troškovi marketinga +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} jedinice od {1} nisu dostupne. ,Item Shortage Report,Nedostatak izvješća za artikal 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 @@ -2938,6 +2976,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 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 DocType: Material Request,Transferred,prebačen DocType: Vehicle,Doors,vrata @@ -3017,7 +3056,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Kupca Stavka Šifra DocType: Stock Reconciliation,Stock Reconciliation,Kataloški pomirenje DocType: Territory,Territory Name,Regija Ime DocType: Email Digest,Purchase Orders to Receive,Narudžbe za kupovinu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Rad u tijeku Warehouse je potrebno prije Podnijeti +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Rad u tijeku Warehouse je potrebno prije Podnijeti apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Planove možete imati samo sa istim ciklusom naplate na Pretplati DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data DocType: Purchase Order Item,Warehouse and Reference,Skladište i upute @@ -3090,6 +3129,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Postavke isporuke apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Izvadite podatke apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maksimalni dozvoljeni odmor u tipu odlaska {0} je {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Objavite 1 predmet DocType: SMS Center,Create Receiver List,Kreiraj listu primalaca DocType: Student Applicant,LMS Only,Samo LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Datum dostupan za korištenje treba da bude nakon datuma kupovine @@ -3123,6 +3163,7 @@ 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 DocType: Vital Signs,Furry,Furry apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Molimo podesite 'dobitak / gubitak računa na Asset Odlaganje' u kompaniji {0} +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} @@ -3134,6 +3175,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Pogledajte sva izdanja od {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Stol za sastanke o kvalitetu +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/templates/pages/help.html,Visit the forums,Posjetite forum DocType: Student,Student Mobile Number,Student Broj mobilnog DocType: Item,Has Variants,Ima Varijante @@ -3144,9 +3186,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Naziv Mjesečni distribucije DocType: Quality Procedure Process,Quality Procedure Process,Proces postupka kvaliteta apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch ID je obavezno +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Prvo odaberite kupca DocType: Sales Person,Parent Sales Person,Roditelj Prodaja Osoba apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Nijedna stavka koja se primi ne kasni apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Prodavac i kupac ne mogu biti isti +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Još uvijek nema pogleda DocType: Project,Collect Progress,Prikupi napredak DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Prvo izaberite program @@ -3168,11 +3212,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Ostvareni DocType: Student Admission,Application Form Route,Obrazac za prijavu Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Datum završetka sporazuma ne može biti manji od današnjeg. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter da biste poslali DocType: Healthcare Settings,Patient Encounters in valid days,Pacijent susreta u važećim danima apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Ostavite Tip {0} ne može se dodijeliti jer se ostavi bez plate 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},Row {0}: {1} Izdvojena iznos mora biti manji od ili jednak naplatiti preostali iznos {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,U riječi će biti vidljiv nakon što spremite prodaje fakture. DocType: Lead,Follow Up,Pratite gore +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Centar troškova: {0} ne postoji DocType: Item,Is Sales Item,Je artikl namijenjen prodaji apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Raspodjela grupe artikala apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,"Stavka {0} nije dobro postavljen za gospodara , serijski brojevi Provjera" @@ -3217,9 +3263,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Isporučeni Količina DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-YYYY.- DocType: Purchase Order Item,Material Request Item,Materijal Zahtjev artikla -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Molim poništite prvo kupoprodajni nalog {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Tree stavke skupina . DocType: Production Plan,Total Produced Qty,Ukupno proizvedeni količina +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Još nema recenzija apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Ne mogu se odnositi broj retka veći ili jednak trenutnom broju red za ovu vrstu Charge DocType: Asset,Sold,prodan ,Item-wise Purchase History,Stavka-mudar Kupnja Povijest @@ -3238,7 +3284,7 @@ DocType: Designation,Required Skills,Potrebne veštine DocType: Inpatient Record,O Positive,O Pozitivno apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investicije DocType: Issue,Resolution Details,Detalji o rjesenju problema -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Tip transakcije +DocType: Leave Ledger Entry,Transaction Type,Tip transakcije DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriterij prihvaćanja apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Molimo unesite materijala Zahtjevi u gornjoj tablici apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nema otplate dostupnih za unos novina @@ -3279,6 +3325,7 @@ DocType: Bank Account,Bank Account No,Bankarski račun br DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Podnošenje dokaza o izuzeću poreza na radnike DocType: Patient,Surgical History,Hirurška istorija DocType: Bank Statement Settings Item,Mapped Header,Mapped Header +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: 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. 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} @@ -3346,7 +3393,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Dodaj slovo DocType: Program Enrollment,Self-Driving Vehicle,Self-vožnje vozila 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Ukupno izdvojene lišće {0} ne može biti manja od već odobrenih lišće {1} za period DocType: Contract Fulfilment Checklist,Requirement,Zahtev DocType: Journal Entry,Accounts Receivable,Konto potraživanja DocType: Quality Goal,Objectives,Ciljevi @@ -3369,7 +3415,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Pojedinačni transakc DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ova vrijednost se ažurira na listi podrazumevanih prodajnih cijena. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Vaša košarica je prazna DocType: Email Digest,New Expenses,novi Troškovi -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC Iznos apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Ruta ne može da se optimizira jer nedostaje adresa vozača. DocType: Shareholder,Shareholder,Akcionar DocType: Purchase Invoice,Additional Discount Amount,Dodatni popust Iznos @@ -3406,6 +3451,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Zadatak održavanja apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Molimo postavite B2C Limit u GST Settings. DocType: Marketplace Settings,Marketplace Settings,Postavke tržišta DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Skladište gdje ste održavanju zaliha odbijenih stavki +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Objavite {0} stavke 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,Nije moguće pronaći kurs za {0} do {1} za ključni datum {2}. Molimo vas da ručno stvoriti Mjenjačnica rekord DocType: POS Profile,Price List,Cjenik 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. @@ -3442,6 +3488,7 @@ DocType: Salary Component,Deduction,Odbitak DocType: Item,Retain Sample,Zadrži uzorak apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Red {0}: Od vremena i do vremena je obavezno. DocType: Stock Reconciliation Item,Amount Difference,iznos Razlika +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Ova stranica prati stvari koje želite kupiti od prodavača. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Stavka Cijena je dodao za {0} u {1} Cjenik DocType: Delivery Stop,Order Information,Informacije o porudžbini apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Unesite zaposlenih Id ove prodaje osoba @@ -3470,6 +3517,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Naziv plana procene apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detalji cilja apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Primjenjivo ako je tvrtka SpA, SApA ili SRL" @@ -3522,7 +3570,6 @@ DocType: Company,Transactions Annual History,Godišnja istorija transakcija 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,Iznad 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 @@ -3574,6 +3621,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Dobit za godinu 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 @@ -3627,12 +3675,10 @@ DocType: Supplier Scorecard,Scoring Setup,Podešavanje bodova apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Za kompaniju nije pronađen br. GST. 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 DocType: Question,Single Correct Answer,Jedan tačan odgovor -DocType: Employee,Contact Details,Kontakt podaci DocType: C-Form,Received Date,Datum pozicija DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ako ste kreirali standardni obrazac u prodaji poreza i naknada Template, odaberite jednu i kliknite na dugme ispod." DocType: BOM Scrap Item,Basic Amount (Company Currency),Osnovni Iznos (Company Valuta) @@ -3662,12 +3708,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Web Operacija DocType: Bank Statement Transaction Payment Item,outstanding_amount,preostali iznos DocType: Supplier Scorecard,Supplier Score,Ocjena dobavljača apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Raspored prijema +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Ukupni iznos zahtjeva za plaćanje ne može biti veći od {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kumulativni prag transakcije DocType: Promotional Scheme Price Discount,Discount Type,Tip popusta -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Ukupno Fakturisana Amt DocType: Purchase Invoice Item,Is Free Item,Je besplatna stavka +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Postotak koji vam je dozvoljen da prenesete više u odnosu na naručenu količinu. Na primjer: Ako ste naručili 100 jedinica. a vaš dodatak iznosi 10%, tada vam je dozvoljeno prenijeti 110 jedinica." DocType: Supplier,Warn RFQs,Upozorite RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,istražiti +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,istražiti DocType: BOM,Conversion Rate,Stopa konverzije apps/erpnext/erpnext/www/all-products/index.html,Product Search,Traži proizvod ,Bank Remittance,Doznaka banke @@ -3679,6 +3726,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Ukupan iznos plaćen DocType: Asset,Insurance End Date,Krajnji datum osiguranja apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Molimo izaberite Studentski prijem koji je obavezan za učeniku koji je platio +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Budžetska lista DocType: Campaign,Campaign Schedules,Rasporedi kampanje DocType: Job Card Time Log,Completed Qty,Završen Kol @@ -3701,6 +3749,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Nova adre DocType: Quality Inspection,Sample Size,Veličina uzorka apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Unesite dokument o prijemu apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Svi artikli su već fakturisani +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Ostavljeni listovi apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Navedite važeću 'iz Predmet br' 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,"Dalje troška mogu biti pod Grupe, ali unosa može biti protiv ne-Grupe" 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,Ukupno dodijeljeno liste su više dana od maksimalne dodjele tipa {0} za zaposlenog {1} u tom periodu @@ -3800,6 +3849,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Uključite 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 DocType: Leave Block List,Allow Users,Omogućiti korisnicima 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: 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. @@ -3853,6 +3904,7 @@ DocType: Support Search Source,Result Title Field,Polje rezultata rezultata apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Rezime poziva DocType: Sample Collection,Collected Time,Prikupljeno vreme DocType: Employee Skill Map,Employee Skills,Veštine zaposlenih +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Rashodi goriva DocType: Company,Sales Monthly History,Prodaja mesečne istorije apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Molimo postavite najmanje jedan red u tablici poreza i naknada DocType: Asset Maintenance Task,Next Due Date,Sljedeći datum roka @@ -3862,6 +3914,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Vitalni z DocType: Payment Entry,Payment Deductions or Loss,Plaćanje Smanjenja ili gubitak DocType: Soil Analysis,Soil Analysis Criterias,Kriterijumi za analizu zemljišta apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardni uvjeti ugovora za prodaju ili kupnju. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Redovi su uklonjeni za {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Započnite prijavu prije vremena početka smjene (u minutama) DocType: BOM Item,Item operation,Rad operacija apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Grupa po jamcu @@ -3887,11 +3940,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Plaća listić od zaposlenika {0} već kreirali za ovaj period apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,farmaceutski apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Možete podnijeti Leave Encashment samo važeći iznos za unos +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Predmeti od apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Troškovi Kupljene stavke DocType: Employee Separation,Employee Separation Template,Šablon za razdvajanje zaposlenih DocType: Selling Settings,Sales Order Required,Prodajnog naloga Obvezno apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Postanite Prodavac -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Broj pojave nakon čega se izvršava posljedica. ,Procurement Tracker,Praćenje nabavke DocType: Purchase Invoice,Credit To,Kreditne Da apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC preokrenut @@ -3904,6 +3957,7 @@ DocType: Quality Meeting,Agenda,Dnevni red DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Raspored održavanja detaljno DocType: Supplier Scorecard,Warn for new Purchase Orders,Upozoriti na nova narudžbina DocType: Quality Inspection Reading,Reading 9,Čitanje 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Povežite svoj Exotel račun u ERPNext i pratite zapise poziva DocType: Supplier,Is Frozen,Je zamrznut DocType: Tally Migration,Processed Files,Obrađene datoteke apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,skladište Group čvor nije dozvoljeno da izaberete za transakcije @@ -3912,6 +3966,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM broj za Gotovi DocType: Upload Attendance,Attendance To Date,Gledatelja do danas 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 @@ -3936,7 +3991,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Podnositelj zahteva apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Invalid referentni {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Pravila za primjenu različitih promotivnih shema. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne može biti veći nego što je planirana kolicina ({2}) u proizvodnoj porudzbini {3} DocType: Shipping Rule,Shipping Rule Label,Naziv pravila transporta DocType: Journal Entry Account,Payroll Entry,Unos plata apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,View Fees Records @@ -3948,6 +4002,7 @@ DocType: Contract,Fulfilment Status,Status ispune DocType: Lab Test Sample,Lab Test Sample,Primjer laboratorijskog testa DocType: Item Variant Settings,Allow Rename Attribute Value,Dozvoli preimenovati vrednost atributa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Brzi unos u dnevniku +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Budući iznos plaćanja apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Ne možete promijeniti brzinu ako BOM spomenuo agianst bilo predmet DocType: Restaurant,Invoice Series Prefix,Prefix serije računa DocType: Employee,Previous Work Experience,Radnog iskustva @@ -3977,6 +4032,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Status projekta DocType: UOM,Check this to disallow fractions. (for Nos),Provjerite to da ne dopušta frakcija. (Za br) DocType: Student Admission Program,Naming Series (for Student Applicant),Imenovanje serija (za studentske Podnositelj zahtjeva) +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/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 @@ -3992,6 +4048,7 @@ DocType: Fiscal Year,Year End Date,Završni datum godine DocType: Task Depends On,Task Depends On,Zadatak ovisi o apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Prilika (Opportunity) DocType: Options,Option,Opcija +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Ne možete kreirati računovodstvene unose u zatvorenom obračunskom periodu {0} DocType: Operation,Default Workstation,Uobičajeno Workstation DocType: Payment Entry,Deductions or Loss,Smanjenja ili gubitak apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} je zatvoren @@ -4000,6 +4057,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Kreiraj trenutne zalihe DocType: Purchase Invoice,ineligible,neupotrebljiv apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Drvo Bill of Materials +DocType: BOM,Exploded Items,Eksplodirani predmeti DocType: Student,Joining Date,spajanje Datum ,Employees working on a holiday,Radnici koji rade na odmoru ,TDS Computation Summary,Pregled TDS računa @@ -4032,6 +4090,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (kao po akc DocType: SMS Log,No of Requested SMS,Nema traženih SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Ostavite bez plate ne odgovara odobrenim Records Ostaviti Primjena apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Sljedeći koraci +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Spremljene stavke DocType: Travel Request,Domestic,Domaći apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Molimo vas da dostavite navedene stavke na najbolji mogući stope apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Transfer radnika ne može se podneti pre datuma prenosa @@ -4104,7 +4163,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Asset Kategorija računa apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Vrijednost {0} je već dodijeljena postojećoj stavci {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Red # {0} (Tabela za plaćanje): Iznos mora biti pozitivan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Ne može proizvesti više predmeta {0} od prodajnog naloga količina {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Ne može proizvesti više predmeta {0} od prodajnog naloga količina {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Ništa nije uključeno u bruto apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Za ovaj dokument već postoji e-Way Bill apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Odaberite vrijednosti atributa @@ -4139,12 +4198,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Omogući različite posljedice za rani izlazak ,Lab Test Report,Izvještaj o laboratorijskom testu DocType: Employee Benefit Application,Employee Benefit Application,Aplikacija za zaposlene apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Postoje dodatne komponente plaće. DocType: Purchase Invoice,Unregistered,Neregistrovano -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Molimo da Isporuka Note prvi DocType: Student Applicant,Application Date,patenta DocType: Salary Component,Amount based on formula,Iznos na osnovu formule DocType: Purchase Invoice,Currency and Price List,Valuta i cjenik @@ -4173,6 +4230,7 @@ DocType: Purchase Receipt,Time at which materials were received,Vrijeme u kojem DocType: Products Settings,Products per Page,Proizvodi po stranici 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Dodijeljeni iznos ne može biti negativan DocType: Sales Order,Billing Status,Status naplate apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Prijavi problem @@ -4182,6 +4240,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,Iznad 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,Row # {0}: Journal Entry {1} nema nalog {2} ili već usklađeni protiv drugog vaučer DocType: Supplier Scorecard Criteria,Criteria Weight,Kriterij Težina +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Račun: {0} nije dozvoljen unosom plaćanja DocType: Production Plan,Ignore Existing Projected Quantity,Zanemarite postojeću projiciranu količinu apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Ostavite odobrenje za odobrenje DocType: Buying Settings,Default Buying Price List,Zadani cjenik kupnje @@ -4190,6 +4249,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,Vrsta plaćanja apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Molimo odaberite serijom za Stavka {0}. Nije moguće pronaći jednu seriju koja ispunjava ovaj zahtjev @@ -4218,6 +4278,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Košarica Settings DocType: Journal Entry,Accounting Entries,Računovodstvo unosi 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'." +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: Journal Entry,Paid Loan,Paid Loan 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 @@ -4234,12 +4295,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Details apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Nema vremena listova DocType: GoCardless Mandate,GoCardless Customer,GoCardless kupac apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Ostavite Tip {0} se ne može nositi-proslijeđen +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Raspored održavanja ne stvara za sve stavke . Molimo kliknite na ""Generiraj raspored '" ,To Produce,proizvoditi DocType: Leave Encashment,Payroll,platni spisak 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","Za red {0} u {1}. Uključiti {2} u tačka stope, redova {3} mora biti uključena" DocType: Healthcare Service Unit,Parent Service Unit,Jedinica za roditeljsku službu DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikacija paketa za dostavu (za tisak) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Ugovor o nivou usluge je resetiran. DocType: Bin,Reserved Quantity,Rezervirano Količina apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Molimo vas da unesete važeću e-mail adresu DocType: Volunteer Skill,Volunteer Skill,Volonterska vještina @@ -4260,7 +4323,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Cijena ili popust na proizvod apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Za red {0}: Unesite planirani broj DocType: Account,Income Account,Konto prihoda -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> grupa kupaca> teritorija DocType: Payment Request,Amount in customer's currency,Iznos u valuti kupca apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Isporuka apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Dodjeljivanje struktura ... @@ -4283,6 +4345,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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. 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?,Izgubićete podatke o prethodno generisanim računima. Da li ste sigurni da želite ponovo pokrenuti ovu pretplatu? @@ -4338,11 +4401,10 @@ DocType: Additional Salary,HR User,HR korisnika DocType: Bank Guarantee,Reference Document Name,Referentni naziv dokumenta DocType: Purchase Invoice,Taxes and Charges Deducted,Porezi i naknade oduzeti DocType: Support Settings,Issues,Pitanja -DocType: Shift Type,Early Exit Consequence after,Rani izlaz iz posljedica poslije DocType: Loyalty Program,Loyalty Program Name,Ime programa lojalnosti apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Status mora biti jedan od {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Podsetnik za ažuriranje GSTIN Poslato -DocType: Sales Invoice,Debit To,Rashodi za +DocType: Discounted Invoice,Debit To,Rashodi za DocType: Restaurant Menu Item,Restaurant Menu Item,Restoran Menu Item DocType: Delivery Note,Required only for sample item.,Potrebna je samo za primjer stavke. DocType: Stock Ledger Entry,Actual Qty After Transaction,Stvarna količina nakon transakcije @@ -4425,6 +4487,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Ime parametra apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Ostavite samo Prijave sa statusom "Odobreno 'i' Odbijena 'se može podnijeti apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Stvaranje dimenzija ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Student Ime grupe je obavezno u redu {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Zaobići limit_check kredita DocType: Homepage,Products to be shown on website homepage,Proizvodi koji će biti prikazan na sajtu homepage DocType: HR Settings,Password Policy,Politika lozinke apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,To jekorijen skupini kupaca i ne može se mijenjati . @@ -4483,10 +4546,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ako apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Podesite podrazumevani kupac u podešavanjima restorana ,Salary Register,Plaća Registracija DocType: Company,Default warehouse for Sales Return,Zadano skladište za povraćaj prodaje -DocType: Warehouse,Parent Warehouse,Parent Skladište +DocType: Pick List,Parent Warehouse,Parent Skladište DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definirati različite vrste kredita DocType: Bin,FCFS Rate,FCFS Stopa @@ -4523,6 +4586,7 @@ DocType: Travel Itinerary,Lodging Required,Potrebno smeštanje DocType: Promotional Scheme,Price Discount Slabs,Ploče s popustom cijena DocType: Stock Reconciliation Item,Current Serial No,Trenutni serijski br DocType: Employee,Attendance and Leave Details,Detalji posjeta i odlaska +,BOM Comparison Tool,Alat za upoređivanje BOM-a ,Requested,Tražena apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,No Napomene DocType: Asset,In Maintenance,U održavanju @@ -4545,6 +4609,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Standardni ugovor o nivou usluge DocType: SG Creation Tool Course,Course Code,Šifra predmeta apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Više od jednog izbora za {0} nije dozvoljeno +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Količina sirovina odlučivat će se na osnovu količine proizvoda Gotove robe DocType: Location,Parent Location,Lokacija roditelja DocType: POS Settings,Use POS in Offline Mode,Koristite POS u Offline načinu apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prioritet je promijenjen u {0}. @@ -4563,7 +4628,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Skladište za zadržavanje uz DocType: Company,Default Receivable Account,Uobičajeno Potraživanja račun apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Projektirana količina količine DocType: Sales Invoice,Deemed Export,Pretpostavljeni izvoz -DocType: Stock Entry,Material Transfer for Manufacture,Prijenos materijala za izradu +DocType: Pick List,Material Transfer for Manufacture,Prijenos materijala za izradu 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.,Postotak popusta se može neovisno primijeniti prema jednom ili za više cjenika. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Računovodstvo Entry za Stock DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4606,7 +4671,6 @@ DocType: Training Event,Theory,teorija apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Upozorenje : Materijal tražena količina manja nego minimalna narudžba kol apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Konto {0} je zamrznut DocType: Quiz Question,Quiz Question,Pitanje za kviz -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača 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" @@ -4637,6 +4701,7 @@ 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 DocType: Account,Expense Account,Rashodi račun apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Boja @@ -4674,6 +4739,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Upravljanje prodaj 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 DocType: Fee Validity,Visited yet,Posjećeno još +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Možete predstaviti do 8 predmeta. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Skladišta sa postojećim transakcija se ne može pretvoriti u grupi. 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. @@ -4681,7 +4747,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4706,7 +4771,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM konverzija u s DocType: Contract,Signee Details,Signee Detalji apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} trenutno ima {1} Scorecard stava i RFQs ovog dobavljača treba izdati oprezno. DocType: Certified Consultant,Non Profit Manager,Neprofitni menadžer -DocType: BOM,Total Cost(Company Currency),Ukupni troškovi (Company Valuta) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serijski Ne {0} stvorio DocType: Homepage,Company Description for website homepage,Kompanija Opis za web stranice homepage DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Za praktičnost kupaca, te kodovi mogu se koristiti u tiskanim formata kao što su fakture i otpremnice" @@ -4734,7 +4798,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Kupnja Pr DocType: Amazon MWS Settings,Enable Scheduled Synch,Omogućite zakazanu sinhronizaciju apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,To datuma i vremena apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Dnevnici za održavanje sms statusa isporuke -DocType: Shift Type,Early Exit Consequence,Rani izlaz iz posljedica DocType: Accounts Settings,Make Payment via Journal Entry,Izvršiti uplatu preko Journal Entry apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Molimo ne stvarajte više od 500 predmeta odjednom apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,otisnut na @@ -4791,6 +4854,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,limit Crossed 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Datum uspostavljanja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Preduzetnički kapital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akademski pojam sa ovim "akademska godina" {0} i 'Term Ime' {1} već postoji. Molimo vas da mijenjati ove stavke i pokušati ponovo. @@ -4852,6 +4916,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Tip kupca DocType: Compensatory Leave Request,Leave Allocation,Ostavite Raspodjela DocType: Payment Request,Recipient Message And Payment Details,Primalac poruka i plaćanju +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Odaberite bilješku o dostavi DocType: Support Search Source,Source DocType,Source DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Otvorite novu kartu DocType: Training Event,Trainer Email,trener-mail @@ -4972,6 +5037,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"' Od datuma ' mora biti poslije ' Do datuma""" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Nije pronađeno planiranje kadrova za ovu oznaku apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} elementa {1} je onemogućen. @@ -4993,7 +5059,7 @@ DocType: Clinical Procedure,Patient,Pacijent apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Provjerite kreditnu obavezu na nalogu za prodaju DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktivnost aktivnosti na radnom mjestu DocType: Location,Check if it is a hydroponic unit,Proverite da li je to hidroponska jedinica -DocType: Stock Reconciliation Item,Serial No and Batch,Serijski broj i Batch +DocType: Pick List Item,Serial No and Batch,Serijski broj i Batch DocType: Warranty Claim,From Company,Iz Društva DocType: GSTR 3B Report,January,Januar apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Zbir desetine Kriteriji procjene treba da bude {0}. @@ -5017,7 +5083,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Popust ( 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nije pronađeno {0} za Inter Company Transactions. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,Credit_note_amt 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/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 @@ -5050,11 +5115,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Troškovno s 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,ostali DocType: Appraisal,Appraisal,Procjena DocType: Loan,Loan Account,Račun zajma apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Vrijedna i valjana upto polja obavezna su za kumulativ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Za stavku {0} u redu {1}, broj serijskih brojeva ne odgovara izabranoj količini" DocType: Purchase Invoice,GST Details,Detalji GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Ovo se zasniva na transakcijama protiv ovog zdravstvenog lekara. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-mail poslati na dobavljač {0} @@ -5118,6 +5185,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruto težina paketa. Obično neto težina + ambalaža težina. (Za tisak) DocType: Assessment Plan,Program,program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Korisnici s ovom ulogom smiju postaviti zamrznute račune i izradu / izmjenu računovodstvenih unosa protiv zamrznutih računa +DocType: Plaid Settings,Plaid Environment,Plaid Environment ,Project Billing Summary,Sažetak naplate projekta DocType: Vital Signs,Cuts,Rezanja DocType: Serial No,Is Cancelled,Je otkazan @@ -5179,7 +5247,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Napomena : Sustav neće provjeravati pretjerano isporuke i više - booking za točku {0} kao količinu ili vrijednost je 0 DocType: Issue,Opening Date,Otvaranje Datum apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Molim vas prvo sačuvajte pacijenta -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Uspostavite novi kontakt apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Posjećenost je uspješno označen. DocType: Program Enrollment,Public Transport,Javni prijevoz DocType: Sales Invoice,GST Vehicle Type,Tip vozila GST @@ -5205,6 +5272,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Mjenice pod 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Prvo dodajte stavke u tablicu Lokacije predmeta DocType: Pricing Rule,Discount Amount,Iznos rabata DocType: Pricing Rule,Period Settings,Podešavanja razdoblja DocType: Purchase Invoice,Return Against Purchase Invoice,Vratiti protiv fakturi @@ -5237,7 +5305,6 @@ DocType: Assessment Plan,Assessment Plan,plan procjene DocType: Travel Request,Fully Sponsored,Fully Sponsored apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Povratni dnevnik apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Kreirajte Job Card -DocType: Shift Type,Consequence after,Posljedica poslije DocType: Quality Procedure Process,Process Description,Opis procesa apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Klijent {0} je kreiran. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Trenutno nema dostupnih trgovina na zalihama @@ -5272,6 +5339,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Razmak Datum DocType: Delivery Settings,Dispatch Notification Template,Šablon za obavještenje o otpremi apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Izveštaj o proceni apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Dobijte zaposlene +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 @@ -5365,7 +5433,6 @@ DocType: Stock Settings,Use Naming Series,Koristite nazive serije apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Nema akcije apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Prijava tip vrednovanja ne može označiti kao Inclusive DocType: POS Profile,Update Stock,Ažurirajte Stock -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Različite mjerne jedinice proizvoda će dovesti do ukupne pogrešne neto težine. Budite sigurni da je neto težina svakog proizvoda u istoj mjernoj jedinici. DocType: Certification Application,Payment Details,Detalji plaćanja apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate @@ -5400,7 +5467,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,To jekorijen prodavač i ne može se mijenjati . DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ukoliko bude izabran, vrijednost navedene ili izračunata u ovoj komponenti neće doprinijeti zaradu ili odbitaka. Međutim, to je vrijednost se može referencirati druge komponente koje se mogu dodati ili oduzeti." -DocType: Asset Settings,Number of Days in Fiscal Year,Broj dana u fiskalnoj godini ,Stock Ledger,Stock Ledger DocType: Company,Exchange Gain / Loss Account,Exchange dobitak / gubitak računa DocType: Amazon MWS Settings,MWS Credentials,MVS akreditivi @@ -5435,6 +5501,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Stupac u datoteci banke apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Izlaz iz aplikacije {0} već postoji protiv učenika {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Očekuje se ažuriranje najnovije cene u svim materijalima. Može potrajati nekoliko minuta. +DocType: Pick List,Get Item Locations,Dohvati lokacije predmeta apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Ime novog računa. Napomena: Molimo vas da ne stvaraju račune za kupcima i dobavljačima DocType: POS Profile,Display Items In Stock,Prikazivi proizvodi na raspolaganju apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Država mudar zadana adresa predlošci @@ -5458,6 +5525,7 @@ DocType: Crop,Materials Required,Potrebni materijali apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,No studenti Found DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Mjesečna HRA izuzeća DocType: Clinical Procedure,Medical Department,Medicinski odjel +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Ukupni rani izlazi DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kriterijumi bodovanja rezultata ocenjivanja dobavljača apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Račun Datum knjiženja apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,prodati @@ -5469,11 +5537,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Izbrišite zaposlenika {0} \ da biste otkazali ovaj dokument" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Od AMC DocType: Opportunity,Opportunity Amount,Mogućnost Iznos +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Tvoj profil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Broj Amortizacija Booked ne može biti veća od Ukupan broj Amortizacija DocType: Purchase Order,Order Confirmation Date,Datum potvrđivanja porudžbine DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5567,7 +5634,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Postoje nedoslednosti između stope, bez dionica i iznosa obračunatog" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Vi niste prisutni ceo dan između dana zahtjeva za kompenzacijski odmor apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Molimo vas da ponovno tipa naziv firme za potvrdu -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Ukupno Outstanding Amt DocType: Journal Entry,Printing Settings,Printing Settings DocType: Payment Order,Payment Order Type,Vrsta naloga za plaćanje DocType: Employee Advance,Advance Account,Advance Account @@ -5656,7 +5722,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Naziv godine apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Postoji više odmor nego radnih dana ovog mjeseca . apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Sledeće stavke {0} nisu označene kao {1} stavka. Možete ih omogućiti kao {1} stavku iz glavnog poglavlja -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Proizvod Bundle Stavka DocType: Sales Partner,Sales Partner Name,Prodaja Ime partnera apps/erpnext/erpnext/hooks.py,Request for Quotations,Zahtjev za ponudu @@ -5665,19 +5730,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Lišće +DocType: Leave Ledger Entry,Leaves,Lišće DocType: Student Language,Student Language,student Jezik DocType: Cash Flow Mapping,Is Working Capital,Je radni kapital apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Pošaljite dokaz apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Kako / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Snimite vitale pacijenta DocType: Fee Schedule,Institution,institucija -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: Asset,Partially Depreciated,Djelomično oslabio DocType: Issue,Opening Time,Radno vrijeme apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Od i Do datuma zahtijevanih apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Vrijednosni papiri i robne razmjene -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Sažetak poziva do {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Pretraga dokumenata apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Uobičajeno mjerna jedinica za varijantu '{0}' mora biti isti kao u obrascu '{1}' DocType: Shipping Rule,Calculate Based On,Izračun zasnovan na @@ -5723,6 +5786,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimalna dozvoljena vrijednost DocType: Journal Entry Account,Employee Advance,Advance Employee DocType: Payroll Entry,Payroll Frequency,Payroll Frequency +DocType: Plaid Settings,Plaid Client ID,Plaid ID klijenta DocType: Lab Test Template,Sensitivity,Osjetljivost DocType: Plaid Settings,Plaid Settings,Plaid Settings apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Sinhronizacija je privremeno onemogućena jer su prekoračeni maksimalni pokušaji @@ -5740,6 +5804,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Molimo najprije odaberite Datum knjiženja apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Otvaranje Datum bi trebao biti prije zatvaranja datum DocType: Travel Itinerary,Flight,Let +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Povratak na početnu DocType: Leave Control Panel,Carry Forward,Prenijeti apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Troška s postojećim transakcija ne može pretvoriti u knjizi DocType: Budget,Applicable on booking actual expenses,Primenjuje se prilikom rezervisanja stvarnih troškova @@ -5795,6 +5860,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,stvaranje citata apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Niste ovlašteni za odobravanje lišće na bloku Termini apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Zahtev za {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Svi ovi artikli su već fakturisani +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Nisu pronađene neizmirene fakture za {0} {1} koji kvalificiraju filtere koje ste naveli. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Podesite novi datum izdanja DocType: Company,Monthly Sales Target,Mesečni cilj prodaje apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nisu pronađeni neizmireni računi @@ -5841,6 +5907,7 @@ DocType: Water Analysis,Type of Sample,Tip uzorka DocType: Batch,Source Document Name,Izvor Document Name DocType: Production Plan,Get Raw Materials For Production,Uzmite sirovine za proizvodnju DocType: Job Opening,Job Title,Titula +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Buduće plaćanje Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} označava da {1} neće dati citat, ali su svi stavci \ citirani. Ažuriranje statusa RFQ citata." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimalni uzorci - {0} su već zadržani za Batch {1} i Item {2} u Batch {3}. @@ -5851,12 +5918,10 @@ 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: Company,Product Code,Kod proizvoda DocType: Quality Review Table,Objective,Cilj DocType: Supplier Scorecard,Per Month,Mjesečno DocType: Education Settings,Make Academic Term Mandatory,Obavezni akademski termin -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Količina za proizvodnju mora biti veći od 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Izračunajte proporcionalnu amortizaciju na osnovu fiskalne godine +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Količina za proizvodnju mora biti veći od 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Posjetite izvješće za održavanje razgovora. DocType: Stock Entry,Update Rate and Availability,Ažuriranje Rate i raspoloživost 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.,Postotak koju smiju primiti ili isporučiti više od naručene količine. Na primjer: Ako ste naručili 100 jedinica. i tvoj ispravak je 10% onda se smiju primati 110 jedinica. @@ -5867,7 +5932,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Datum izlaska mora biti u budućnosti DocType: BOM,Website Description,Web stranica Opis apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Neto promjena u kapitalu -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Molimo vas da otkaže fakturi {0} prvi apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Nije dozvoljeno. Molim vas isključite Type Service Service Unit apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-mail adresa mora biti jedinstvena, već postoji za {0}" DocType: Serial No,AMC Expiry Date,AMC Datum isteka @@ -5911,6 +5975,7 @@ DocType: Pricing Rule,Price Discount Scheme,Shema popusta na cijene apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Status održavanja mora biti poništen ili završen za slanje DocType: Amazon MWS Settings,US,SAD DocType: Holiday List,Add Weekly Holidays,Dodajte Weekly Holidays +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Izvještaj DocType: Staffing Plan Detail,Vacancies,Slobodna radna mesta DocType: Hotel Room,Hotel Room,Hotelska soba apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Računa {0} ne pripada kompaniji {1} @@ -5962,12 +6027,15 @@ DocType: Email Digest,Open Quotations,Open Quotations 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Izbrišite zaposlenika {0} \ da biste otkazali ovaj dokument" 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 @@ -5981,6 +6049,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Slobodno DocType: Patient,Alcohol Past Use,Upotreba alkohola u prošlosti DocType: Fertilizer Content,Fertilizer Content,Sadržaj đubriva +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Bez opisa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,State billing DocType: Quality Goal,Monitoring Frequency,Frekvencija praćenja @@ -5998,6 +6067,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Završava na datum ne može biti pre Sledećeg datuma kontakta. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Ulazne serije DocType: Journal Entry,Pay To / Recd From,Platiti Da / RecD Od +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Ponipublishtavanje predmeta DocType: Naming Series,Setup Series,Postavljanje Serija DocType: Payment Reconciliation,To Invoice Date,Da biste Datum računa DocType: Bank Account,Contact HTML,Kontakt HTML @@ -6019,6 +6089,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Maloprodaja DocType: Student Attendance,Absent,Odsutan DocType: Staffing Plan,Staffing Plan Detail,Detaljno planiranje osoblja DocType: Employee Promotion,Promotion Date,Datum promocije +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Dodjela alata% s povezana je sa zahtjevom za dopust% s 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} @@ -6053,9 +6124,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Račun {0} više ne postoji DocType: Guardian Interest,Guardian Interest,Guardian interesa DocType: Volunteer,Availability,Dostupnost +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Prijava za odlazak povezana je sa izdvajanjem dopusta {0}. Aplikacija za odlazak ne može se postaviti kao dopust bez plaćanja apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Podesi podrazumevane vrednosti za POS Račune DocType: Employee Training,Training,trening DocType: Project,Time to send,Vreme za slanje +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Ova stranica prati vaše predmete za koje su kupci pokazali neki interes. DocType: Timesheet,Employee Detail,Detalji o radniku 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 @@ -6151,12 +6224,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,otvaranje vrijednost DocType: Salary Component,Formula,formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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: 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/setup/doctype/company/company.py,Sales Account,Račun prodaje DocType: Purchase Invoice Item,Total Weight,Ukupna tezina +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}" @@ -6180,6 +6253,7 @@ DocType: Company,Default Employee Advance Account,Uobičajeni uposni račun zapo apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Pretraga stavke (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Konto sa postojećim transakcijama se ne može izbrisati +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Zašto mislite da bi ovaj predmet trebalo ukloniti? DocType: Vehicle,Last Carbon Check,Zadnji Carbon Check apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Pravni troškovi apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Molimo odaberite Količina na red @@ -6199,6 +6273,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Slom DocType: Travel Itinerary,Vegetarian,Vegetarijanac DocType: Patient Encounter,Encounter Date,Datum susreta +DocType: Work Order,Update Consumed Material Cost In Project,Ažurirajte potrošene troškove materijala u projektu apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutnom: {1} se ne mogu odabrati DocType: Bank Statement Transaction Settings Item,Bank Data,Podaci banke DocType: Purchase Receipt Item,Sample Quantity,Količina uzorka @@ -6253,7 +6328,7 @@ DocType: GSTR 3B Report,April,Aprila 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Napomena : Stavka {0} upisan je više puta +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Napomena : Stavka {0} upisan je više puta apps/erpnext/erpnext/config/buying.py,All Contacts.,Svi kontakti. DocType: Accounting Period,Closed Documents,Zatvoreni dokumenti DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Upravljanje imenovanjima Faktura podnosi i otkazati automatski za susret pacijenta @@ -6335,9 +6410,7 @@ DocType: Member,Membership Type,Tip članstva ,Reqd By Date,Reqd Po datumu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Kreditori DocType: Assessment Plan,Assessment Name,procjena ime -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Pokažite PDC u Štampanje apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Serial No je obavezno -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Nisu pronađene neizmirene fakture za {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stavka Wise Porezna Detalj DocType: Employee Onboarding,Job Offer,Ponudu za posao apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut Skraćenica @@ -6396,6 +6469,7 @@ DocType: Serial No,Out of Warranty,Od jamstvo DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapped Data Type DocType: BOM Update Tool,Replace,Zamijeniti apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Nema proizvoda. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Objavite još predmeta apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Ovaj Ugovor o nivou usluge specifičan je za kupca {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} protiv prodaje fakture {1} DocType: Antibiotic,Laboratory User,Laboratorijski korisnik @@ -6418,7 +6492,6 @@ DocType: Payment Order Reference,Bank Account Details,Detalji o bankovnom račun DocType: Purchase Order Item,Blanket Order,Narudžbina odeće 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Proizvodnja Poretka bio je {0} DocType: BOM Item,BOM No,BOM br. 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 @@ -6491,6 +6564,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Potrošačke zalihe koje su oporezovane (nulta ocjena) DocType: BOM,Materials Required (Exploded),Materijali Obavezno (eksplodirala) 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/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 @@ -6548,7 +6622,6 @@ DocType: Pricing Rule,Same Item,Ista stavka DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Stupanje DocType: Quality Action Resolution,Quality Action Resolution,Kvalitetna rezolucija akcije apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} na pola dana Ostavite na {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Isto artikal je ušao više puta DocType: Department,Leave Block List,Ostavite Block List DocType: Purchase Invoice,Tax ID,Porez ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Stavka {0} nije setup za serijski brojevi Stupac mora biti prazan @@ -6586,7 +6659,7 @@ 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 DocType: Purchase Invoice,Return,Povratak -DocType: Accounting Dimension,Disable,Ugasiti +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 DocType: Task,Pending Review,Na čekanju apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Uredite na celoj stranici za više opcija kao što su imovina, serijski nos, serije itd." @@ -6699,7 +6772,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Kombinovani deo računa mora biti 100% DocType: Item Default,Default Expense Account,Zadani račun rashoda DocType: GST Account,CGST Account,CGST nalog -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student-mail ID DocType: Employee,Notice (days),Obavijest (dani ) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS zaključavanje vaučera @@ -6710,6 +6782,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Odaberite stavke za spremanje fakture DocType: Employee,Encashment Date,Encashment Datum DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Informacije o prodavaču DocType: Special Test Template,Special Test Template,Specijalni test šablon DocType: Account,Stock Adjustment,Stock Podešavanje apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Uobičajeno aktivnosti Troškovi postoji aktivnost Tip - {0} @@ -6721,7 +6794,6 @@ 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 -DocType: Company,Bank Remittance Settings,Postavke bankovnih doznaka apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Prosečna stopa 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 @@ -6749,6 +6821,7 @@ DocType: Grading Scale Interval,Threshold,prag apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtriraj zaposlenike prema (neobavezno) DocType: BOM Update Tool,Current BOM,Trenutni BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Balans (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Količina proizvoda gotove robe apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Dodaj serijski broj DocType: Work Order Item,Available Qty at Source Warehouse,Dostupno Količina na izvoru Skladište apps/erpnext/erpnext/config/support.py,Warranty,garancija @@ -6827,7 +6900,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Ovdje možete održavati visina, težina, alergije, medicinske brige itd." apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Stvaranje računa ... DocType: Leave Block List,Applies to Company,Odnosi se na preduzeće -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Ne mogu otkazati , jer podnijela Stock Stupanje {0} postoji" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Ne mogu otkazati , jer podnijela Stock Stupanje {0} postoji" DocType: Loan,Disbursement Date,datuma isplate DocType: Service Level Agreement,Agreement Details,Detalji sporazuma apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Datum početka ugovora ne može biti veći ili jednak Krajnjem datumu. @@ -6836,6 +6909,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medicinski zapis DocType: Vehicle,Vehicle,vozilo DocType: Purchase Invoice,In Words,Riječima +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Do danas treba biti prije datuma apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Pre podnošenja navedite ime banke ili kreditne institucije. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} moraju biti dostavljeni DocType: POS Profile,Item Groups,stavka grupe @@ -6907,7 +6981,6 @@ DocType: Customer,Sales Team Details,Prodaja Team Detalji apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Obrisati trajno? DocType: Expense Claim,Total Claimed Amount,Ukupno Zatražio Iznos apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potencijalne prilike za prodaju. -DocType: Plaid Settings,Link a new bank account,Povežite novi bankovni račun apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} je nevažeći status pohađanja. DocType: Shareholder,Folio no.,Folio br. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Invalid {0} @@ -6923,7 +6996,6 @@ DocType: Production Plan,Material Requested,Zahtevani materijal DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Rezervisana količina za pod ugovorom DocType: Patient Service Unit,Patinet Service Unit,Patinet Service Unit -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Generiranje datoteke teksta DocType: Sales Invoice,Base Change Amount (Company Currency),Base Promijeni Iznos (Company Valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Nema računovodstvene unosi za sljedeće skladišta apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Samo {0} u zalihi za stavku {1} @@ -6937,6 +7009,7 @@ DocType: Item,No of Months,Broj meseci DocType: Item,Max Discount (%),Max rabat (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Kreditni dani ne mogu biti negativni broj apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Pošaljite izjavu +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Prijavi ovu stavku DocType: Purchase Invoice Item,Service Stop Date,Datum zaustavljanja usluge apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Last Order Iznos DocType: Cash Flow Mapper,e.g Adjustments for:,npr. prilagođavanja za: @@ -7030,16 +7103,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Kategorija oslobađanja od poreza na zaposlene apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Iznos ne smije biti manji od nule. DocType: Sales Invoice,C-Form Applicable,C-obrascu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Vrijeme rada mora biti veći od 0 za rad {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Vrijeme rada mora biti veći od 0 za rad {0} DocType: Support Search Source,Post Route String,Post String niz apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Skladište je obavezno apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Neuspelo je kreirati web stranicu DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM pretvorbe Detalj apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Upis i upis -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Već stvoreni unos zadržavanja zaliha ili količina uzorka nisu obezbeđeni +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Već stvoreni unos zadržavanja zaliha ili količina uzorka nisu obezbeđeni DocType: Program,Program Abbreviation,program Skraćenica -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Proizvodnja Nalog ne može biti podignuta protiv Item Template apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupa po vaučerima (konsolidovani) DocType: HR Settings,Encrypt Salary Slips in Emails,Šifrirajte platne liste u porukama e-pošte DocType: Question,Multiple Correct Answer,Višestruki ispravan odgovor @@ -7086,7 +7158,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Označava se ili je izuz DocType: Employee,Educational Qualification,Obrazovne kvalifikacije DocType: Workstation,Operating Costs,Operativni troškovi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Valuta za {0} mora biti {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Posledica perioda unosa Grace DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Označite dolazak na osnovu „Checkere Employee Checkin“ za zaposlene koji su dodijeljeni ovoj smjeni. DocType: Asset,Disposal Date,odlaganje Datum DocType: Service Level,Response and Resoution Time,Vreme odziva i odziva @@ -7134,6 +7205,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Završetak Datum DocType: Purchase Invoice Item,Amount (Company Currency),Iznos (valuta preduzeća) DocType: Program,Is Featured,Je istaknuto +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Dohvaćanje ... DocType: Agriculture Analysis Criteria,Agriculture User,Korisnik poljoprivrede apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Vrijedi do datuma ne može biti prije datuma transakcije apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} jedinicama {1} potrebno {2} na {3} {4} za {5} da završi ovu transakciju. @@ -7166,7 +7238,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Ukupno Paid Amt 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 @@ -7190,6 +7261,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonimno apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Dobili od DocType: Lead,Converted,Pretvoreno DocType: Item,Has Serial No,Ima serijski br +DocType: Stock Entry Detail,PO Supplied Item,PO isporučeni artikal 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} @@ -7304,7 +7376,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synch Taxes and Charges 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Uobičajeno sastavnice za {0} nije pronađen +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Dodirnite stavke da biste ih dodali ovdje @@ -7338,7 +7410,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Održavanje Datum DocType: Purchase Invoice Item,Rejected Serial No,Odbijen Serijski br apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,datum početka godine ili datum završetka je preklapaju sa {0}. Da bi se izbjegla molimo vas da postavite kompanija -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Molim vas da navedete Lead Lead u Lead-u {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Početak bi trebao biti manji od krajnjeg datuma za točke {0} DocType: Shift Type,Auto Attendance Settings,Postavke automatske posjećenosti @@ -7349,9 +7420,11 @@ DocType: Upload Attendance,Upload Attendance,Upload Attendance apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM i proizvodnja Količina su potrebne apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Starenje Range 2 DocType: SG Creation Tool Course,Max Strength,Max Snaga +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Račun {0} već postoji u dečijem preduzeću {1}. Sljedeća polja imaju različite vrijednosti, trebala bi biti ista:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instaliranje podešavanja DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Nije odabrana beleška za isporuku za kupca {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Redovi dodani u {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Zaposleni {0} nema maksimalni iznos naknade apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Izaberite stavke na osnovu datuma isporuke DocType: Grant Application,Has any past Grant Record,Ima bilo kakav prošli Grant Record @@ -7395,6 +7468,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Student Detalji DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Ovo je zadani UOM koji se koristi za artikle i prodajne naloge. Povratna UOM je "Nos". DocType: Purchase Invoice Item,Stock Qty,zalihama Količina +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 DocType: Loan,Repayment Period in Months,Rok otplate u mjesecima @@ -7423,6 +7497,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Popust apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet za zadatke. DocType: Purchase Invoice,Against Expense Account,Protiv Rashodi račun apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Napomena instalacije {0} je već potvrđena +DocType: BOM,Raw Material Cost (Company Currency),Trošak sirovina (Kompanija valuta) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Plaćeni dani za najam kuća preklapaju se sa {0} DocType: GSTR 3B Report,October,Oktobar DocType: Bank Reconciliation,Get Payment Entries,Get plaćanja unosi @@ -7469,15 +7544,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Potreban je datum upotrebe DocType: Request for Quotation,Supplier Detail,dobavljač Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Greška u formuli ili stanja: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Fakturisanog +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Fakturisanog apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Tegovi kriterijuma moraju dodati do 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Pohađanje apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Stock Predmeti DocType: Sales Invoice,Update Billed Amount in Sales Order,Ažurirajte naplaćeni iznos u prodajnom nalogu +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Kontakt oglašivača 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,U riječi će biti vidljiv nakon što spremite narudžbenice. @@ -7491,6 +7568,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Cjenik majstor . DocType: Task,Review Date,Datum pregleda DocType: BOM,Allow Alternative Item,Dozvoli alternativu +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Kupoprodajna potvrda nema stavku za koju je omogućen zadržati uzorak. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serija za unos sredstava za amortizaciju (dnevnik) DocType: Membership,Member Since,Član od @@ -7500,6 +7578,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Na Net Total 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},Vrijednost za Atributi {0} mora biti u rasponu od {1} na {2} u koracima od {3} za Stavka {4} DocType: Pricing Rule,Product Discount Scheme,Shema popusta na proizvode +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Pozivatelj nije pokrenuo nijedan problem. DocType: Restaurant Reservation,Waitlisted,Waitlisted DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategorija izuzeća apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valuta ne mogu se mijenjati nakon što unose preko neke druge valute @@ -7513,7 +7592,6 @@ DocType: Customer Group,Parent Customer Group,Roditelj Kupac Grupa apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON može se generirati samo iz fakture prodaje apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Došli su maksimalni pokušaji ovog kviza! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Pretplata -DocType: Purchase Invoice,Contact Email,Kontakt email apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Čekanje stvaranja naknade DocType: Project Template Task,Duration (Days),Trajanje (dani) DocType: Appraisal Goal,Score Earned,Ocjena Zarađeni @@ -7538,7 +7616,6 @@ DocType: Landed Cost Item,Landed Cost Item,Sletio Troškovi artikla 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Iznos za jednu transakciju premašuje maksimalni dozvoljeni iznos, kreirajte zasebni nalog za plaćanje dijeljenjem transakcija" 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 @@ -7706,6 +7783,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Dostu DocType: Quality Inspection Reading,Reading 3,Čitanje 3 DocType: Stock Entry,Source Warehouse Address,Adresa skladišta izvora DocType: GL Entry,Voucher Type,Bon Tip +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Buduće isplate 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 @@ -7732,6 +7810,7 @@ DocType: Travel Request,Identification Document Number,Identifikacioni broj doku 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." DocType: Sales Invoice,Customer GSTIN,Customer GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Spisak otkrivenih bolesti na terenu. Kada je izabran, automatski će dodati listu zadataka koji će se baviti bolesti" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Ovo je koren zdravstvenog servisa i ne može se uređivati. DocType: Asset Repair,Repair Status,Status popravke 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 ." @@ -7746,6 +7825,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Nalog za promjene Iznos DocType: QuickBooks Migrator,Connecting to QuickBooks,Povezivanje na QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Ukupni dobitak / gubitak +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Napravite listu odabira apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Red {0}: Party / računa ne odgovara {1} / {2} u {3} {4} DocType: Employee Promotion,Employee Promotion,Promocija zaposlenih DocType: Maintenance Team Member,Maintenance Team Member,Član tima za održavanje @@ -7828,6 +7908,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto plaća ne može biti negativna @@ -7859,7 +7940,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Cilj kvaliteta DocType: BOM,Item to be manufactured or repacked,Artikal će biti proizveden ili prepakiran apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Sintaksna greška u stanju: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Kupac nije postavio nijedan problem. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Glavni / Izborni predmeti apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Molim postavite grupu dobavljača u Podešavanja kupovine. @@ -7952,8 +8032,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Kreditne Dani apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Izaberite Pacijent da biste dobili laboratorijske testove DocType: Exotel Settings,Exotel Settings,Exotel Settings -DocType: Leave Type,Is Carry Forward,Je Carry Naprijed +DocType: Leave Ledger Entry,Is Carry Forward,Je Carry Naprijed DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Radno vrijeme ispod kojeg je označeno Absent. (Nula za onemogućavanje) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Pošaljite poruku apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM) 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? diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv index b518dda38d..6b1cdd29ee 100644 --- a/erpnext/translations/ca.csv +++ b/erpnext/translations/ca.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Notifica el proveïdor apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Seleccioneu Partit Tipus primer DocType: Item,Customer Items,Articles de clients +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Passiu DocType: Project,Costing and Billing,Càlcul de costos i facturació apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},La moneda del compte avançada hauria de ser igual que la moneda de l'empresa {0} DocType: QuickBooks Migrator,Token Endpoint,Punt final del token @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Unitat de mesura per defecte DocType: SMS Center,All Sales Partner Contact,Tot soci de vendes Contacte DocType: Department,Leave Approvers,Aprovadors d'absències DocType: Employee,Bio / Cover Letter,Bio / Carta de presentació +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Cercar articles ... DocType: Patient Encounter,Investigations,Investigacions DocType: Restaurant Order Entry,Click Enter To Add,Feu clic a Intro per afegir apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Falta el valor de Password, clau d'API o URL de Shopify" DocType: Employee,Rented,Llogat apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Tots els comptes apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,No es pot transferir l'empleat amb l'estat Esquerra -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Detingut ordre de producció no es pot cancel·lar, unstop primer per cancel·lar" DocType: Vehicle Service,Mileage,quilometratge apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,De veres voleu rebutjar aquest actiu? DocType: Drug Prescription,Update Schedule,Actualitza la programació @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Client DocType: Purchase Receipt Item,Required By,Requerit per DocType: Delivery Note,Return Against Delivery Note,Retorn Contra lliurament Nota DocType: Asset Category,Finance Book Detail,Detall del llibre de finances +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,S'han reservat totes les depreciacions DocType: Purchase Order,% Billed,% Facturat apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Número de nòmina apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Tipus de canvi ha de ser el mateix que {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Lots article Estat de caducitat apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Lletra bancària DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Total d’entrades tardanes DocType: Mode of Payment Account,Mode of Payment Account,Mode de Compte de Pagament apps/erpnext/erpnext/config/healthcare.py,Consultation,Consulta DocType: Accounts Settings,Show Payment Schedule in Print,Mostra el calendari de pagaments a la impressió @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,En apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Detalls de contacte primaris apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,qüestions obertes DocType: Production Plan Item,Production Plan Item,Pla de Producció d'articles +DocType: Leave Ledger Entry,Leave Ledger Entry,Deixeu l’entrada al registre 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} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},El camp {0} està limitat a la mida {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Imp DocType: Purchase Invoice Item,Item Weight Details,Detalls del pes de l'element DocType: Asset Maintenance Log,Periodicity,Periodicitat apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Any fiscal {0} és necessari +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Resultat / pèrdua neta DocType: Employee Group Table,ERPNext User ID,ID d'usuari ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,La distància mínima entre files de plantes per a un creixement òptim apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Seleccioneu Pacient per obtenir el procediment prescrit @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Llista de preus de venda DocType: Patient,Tobacco Current Use,Ús del corrent del tabac apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Velocitat de venda -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Guardeu el document abans d’afegir un nou compte 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 ... 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ó @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Fons DocType: Exchange Rate Revaluation Account,Gain/Loss,Guany / pèrdua DocType: Crop,Perennial,Perenne DocType: Program,Is Published,Es publica +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Mostra albarans de lliurament apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Per permetre la facturació excessiva, actualitzeu "Indemnització sobre facturació" a la configuració del compte o a l'element." DocType: Patient Appointment,Procedure,Procediment DocType: Accounts Settings,Use Custom Cash Flow Format,Utilitzeu el format de flux de caixa personalitzat @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Deixeu els detalls de la política DocType: BOM,Item Image (if not slideshow),Imatge de l'article (si no hi ha presentació de diapositives) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Fila # {0}: L'operació {1} no es completa per a {2} la quantitat de productes acabats en l'Ordre de Treball {3}. Actualitzeu l'estat de l'operació mitjançant la targeta de treball {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} és obligatori per generar pagaments de remeses, configureu el camp i proveu-ho de nou" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hora Tarifa / 60) * Temps real de l'Operació apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Fila # {0}: el tipus de document de referència ha de ser un de reclam de despeses o d'entrada de diari apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Seleccioneu la llista de materials @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Retornar al llarg Nombre de períodes apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,La quantitat per produir no pot ser inferior a zero DocType: Stock Entry,Additional Costs,Despeses addicionals +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clients> Territori apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Compta amb la transacció existent no es pot convertir en grup. DocType: Lead,Product Enquiry,Consulta de producte DocType: Education Settings,Validate Batch for Students in Student Group,Validar lots per a estudiants en grup d'alumnes @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Baix de Postgrau apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Establiu la plantilla predeterminada per deixar la notificació d'estat a la configuració de recursos humans. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Target On DocType: BOM,Total Cost,Cost total +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Assignació caducada! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Màxim de fulles reenviades DocType: Salary Slip,Employee Loan,préstec empleat DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Enviar correu electrònic de sol·licitud de pagament @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Real E apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Estat de compte apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmacèutics DocType: Purchase Invoice Item,Is Fixed Asset,És actiu fix +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Mostra els futurs pagaments DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Aquest compte bancari ja està sincronitzat DocType: Homepage,Homepage Section,Secció de la pàgina principal @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Fertilitzant apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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 -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Es requereix com a mínim una manera de pagament de la factura POS. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},No es requereix cap lot per a l'element lots {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Estat de la factura de la factura de la transacció bancària @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Selecciona Termes i Condicions apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,valor fora DocType: Bank Statement Settings Item,Bank Statement Settings Item,Element de configuració de la declaració del banc DocType: Woocommerce Settings,Woocommerce Settings,Configuració de Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Nom de la transacció DocType: Production Plan,Sales Orders,Ordres de venda apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,S'ha trobat un programa de lleialtat múltiple per al client. Seleccioneu manualment. DocType: Purchase Taxes and Charges,Valuation,Valoració @@ -460,6 +468,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Mostra només el client d’aquests grups de clients DocType: Sales Invoice,Is Opening Entry,És assentament d'obertura @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Esmenteu si compta per cobrar no estàndard aplicable 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 DocType: Supplier Scorecard,Criteria Setup,Configuració de criteris -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Cal informar del magatzem destí abans de presentar +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 DocType: Codification Table,Medical Code,Codi mèdic apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Connecteu Amazon amb ERPNext @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,S'han afegit comptes bancaris -DocType: Delivery Stop,Contact Name,Nom de Contacte +DocType: Call Log,Contact Name,Nom de Contacte DocType: Plaid Settings,Synchronize all accounts every hour,Sincronitza tots els comptes cada hora DocType: Course Assessment Criteria,Course Assessment Criteria,Criteris d'avaluació del curs DocType: Pricing Rule Detail,Rule Applied,Regla aplicada @@ -529,7 +539,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Número desconegut DocType: Website Filter Field,Website Filter Field,Camp de filtre del lloc web apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Tipus de subministrament DocType: Material Request Item,Min Order Qty,Quantitat de comanda mínima @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Import total principal DocType: Student Guardian,Relation,Relació DocType: Quiz Result,Correct,Correcte DocType: Student Guardian,Mother,Mare -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Afegiu primer les claus d'api de Plaid vàlides a site_config.json DocType: Restaurant Reservation,Reservation End Time,Hora de finalització de la reserva DocType: Crop,Biennial,Biennal ,BOM Variance Report,Informe de variació de la BOM @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Pagament contra {0} {1} no pot ser més gran que Destacat Suma {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Configuració de TPV fora de línia DocType: Stock Entry Detail,Reference Purchase Receipt,Recepció de compra de referència DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO -YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variant de -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Completat Quantitat no pot ser major que 'Cant de Fabricació' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Completat Quantitat no pot ser major que 'Cant de Fabricació' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Període basat en DocType: Period Closing Voucher,Closing Account Head,Tancant el Compte principal DocType: Employee,External Work History,Historial de treball extern apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Referència Circular Error apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Targeta d'informe dels estudiants apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Des del codi del PIN +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Espectacle de vendes DocType: Appointment Type,Is Inpatient,És internat apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,nom Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,En paraules (exportació) seran visibles quan es desi l'albarà de lliurament. @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Nom de la dimensió apps/erpnext/erpnext/healthcare/setup.py,Resistant,Resistent apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Estableix la tarifa de l'habitació de l'hotel a {} +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: Journal Entry,Multi Currency,Multi moneda DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipus de Factura apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,La data vàlida ha de ser inferior a la data vàlida fins a la data @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,acceptat DocType: Workstation,Rent Cost,Cost de lloguer 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ó apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Calendari d'Esdeveniments Pròxims apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Atributs Variant @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Sol · licitud de pressupos 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Mostra la persona de vendes impresa 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 @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Crear un nou client apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,S'està caducant apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si hi ha diverses regles de preus vàlides, es demanarà als usuaris que estableixin la prioritat manualment per resoldre el conflicte." -DocType: Purchase Invoice,Scan Barcode,Escanejar codi de barres apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Crear ordres de compra ,Purchase Register,Compra de Registre apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacient no trobat @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Partner de Canal DocType: Account,Old Parent,Antic Pare apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Camp obligatori - Any Acadèmic apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} no està associat amb {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,El component salarial per a la nòmina de part d'hores basat. DocType: Driver,Applicable for external driver,Aplicable per a controlador extern DocType: Sales Order Item,Used for Production Plan,S'utilitza per al Pla de Producció +DocType: BOM,Total Cost (Company Currency),Cost total (moneda de l'empresa) DocType: Loan,Total Payment,El pagament total apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,No es pot cancel·lar la transacció per a l'ordre de treball finalitzat. DocType: Manufacturing Settings,Time Between Operations (in mins),Temps entre operacions (en minuts) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Notificar-ne un altre DocType: Vital Signs,Blood Pressure (systolic),Pressió sanguínia (sistòlica) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} és {2} DocType: Item Price,Valid Upto,Vàlid Fins +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. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Canvis en {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Seleccioneu de l'empresa DocType: Employee Skill,Employee Skill,Habilitat dels empleats apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Compte de diferències @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Factors de risc DocType: Patient,Occupational Hazards and Environmental Factors,Riscos laborals i factors ambientals apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Entrades de valors ja creades per a la comanda de treball apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Consulteu ordres anteriors +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} converses DocType: Vital Signs,Respiratory rate,Taxa respiratòria apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Subcontractació Gestió DocType: Vital Signs,Body Temperature,Temperatura corporal @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Composició registrada apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Hola apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,moure element DocType: Employee Incentive,Incentive Amount,Monto Incentiu +,Employee Leave Balance Summary,Resum del balanç de baixa dels empleats DocType: Serial No,Warranty Period (Days),Període de garantia (Dies) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,L'import total de crèdit / de deute hauria de ser igual que l'entrada de diari enllaçada DocType: Installation Note Item,Installation Note Item,Nota d'instal·lació de l'article @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,Bloated DocType: Salary Slip,Salary Slip Timesheet,Part d'hores de salari de lliscament apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Magatzem obligatori per rebut de compra de subcontractació de proveïdors DocType: Item Price,Valid From,Vàlid des +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,El teu vot: DocType: Sales Invoice,Total Commission,Total Comissió DocType: Tax Withholding Account,Tax Withholding Account,Compte de retenció d'impostos DocType: Pricing Rule,Sales Partner,Soci de vendes @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Tots els quadres 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 +DocType: Item,Website Image,Imatge del lloc web apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,El magatzem de destinació a la fila {0} ha de ser el mateix que l'Ordre de treball apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Valoració dels tipus és obligatòria si l'obertura Stock entrar 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 @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},L 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Completeu la configuració de l’API Plaid abans de sincronitzar el vostre compte 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 DocType: Job Applicant,Resume Attachment,Adjunt currículum vitae @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,Pla de producció DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Obrir l'eina de creació de la factura DocType: Salary Component,Round to the Nearest Integer,Ronda a l’entitat més propera apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Devolucions de vendes -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota: Els fulls totals assignats {0} no ha de ser inferior a les fulles ja aprovats {1} per al període DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Establir Qty en les transaccions basades en la entrada sense sèrie ,Total Stock Summary,Resum de la total apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Un apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Suma de Capital DocType: Loan Application,Total Payable Interest,L'interès total a pagar apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total pendent: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Contacte obert DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Factura de venda de parts d'hores 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} @@ -1080,6 +1099,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Sèrie de nomenclatura per 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ó DocType: Restaurant Reservation,Restaurant Reservation,Reserva de restaurants +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Els seus articles apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Redacció de propostes DocType: Payment Entry Deduction,Payment Entry Deduction,El pagament Deducció d'entrada DocType: Service Level Priority,Service Level Priority,Prioritat de nivell de servei @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Batch Number Sèries apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Hi ha una altra Sales Person {0} amb el mateix ID d'empleat DocType: Employee Advance,Claimed Amount,Quantia reclamada +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Expira l'assignació 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 @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,Nom del lot DocType: Fee Validity,Max number of visit,Nombre màxim de visites DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Obligatori per al compte de pèrdues i guanys ,Hotel Room Occupancy,Ocupació de l'habitació de l'hotel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Part d'hores de creació: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},"Si us plau, estableix pagament en efectiu o Compte bancari predeterminat a la Forma de pagament {0}" apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,inscriure DocType: GST Settings,GST Settings,ajustaments GST @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),Comissió (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Seleccioneu Programa DocType: Project,Estimated Cost,cost estimat DocType: Request for Quotation,Link to material requests,Enllaç a les sol·licituds de materials +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Publica apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aeroespacial ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures comptables [FEC] DocType: Journal Entry,Credit Card Entry,Introducció d'una targeta de crèdit @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Actiu Corrent apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} no és un Article d'estoc apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Compartiu els vostres comentaris a la formació fent clic a "Feedback de formació" i, a continuació, "Nou"" +DocType: Call Log,Caller Information,Informació de la trucada DocType: Mode of Payment Account,Default Account,Compte predeterminat apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Seleccioneu primer el magatzem de conservació de mostra a la configuració de valors apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Seleccioneu el tipus de programa de nivell múltiple per a més d'una regla de recopilació. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Les sol·licituds de material auto generada DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Hores laborals inferiors a les que es marca el mig dia (Zero per desactivar) DocType: Job Card,Total Completed Qty,Quantitat total completada +DocType: HR Settings,Auto Leave Encashment,Encens automàtic de permís apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Perdut apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Vostè no pot entrar bo actual a 'Contra entrada de diari' columna DocType: Employee Benefit Application Detail,Max Benefit Amount,Import màxim de beneficis @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Subscriptor DocType: Item Attribute Value,Item Attribute Value,Element Atribut Valor apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,L'intercanvi de divises ha de ser aplicable per a la compra o per a la venda. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Només es pot cancel·lar l'assignació caducada DocType: Item,Maximum sample quantity that can be retained,Quantitat màxima de mostra que es pot conservar apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},La fila {0} # L'element {1} no es pot transferir més de {2} contra l'ordre de compra {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Campanyes de venda. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Trucador desconegut DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1419,6 +1444,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Horari d apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Nom del document DocType: Expense Claim Detail,Expense Claim Type,Expense Claim Type DocType: Shopping Cart Settings,Default settings for Shopping Cart,Ajustos predeterminats del Carro de Compres +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Desa l'element apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Nova despesa apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignoreu la quantitat ordenada existent apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Afegeix Timeslots @@ -1431,6 +1457,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Revisa la invitació enviada DocType: Shift Assignment,Shift Assignment,Assignació de canvis DocType: Employee Transfer Property,Employee Transfer Property,Propietat de transferència d'empleats +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,El camp Compte de responsabilitat / responsabilitat no pot estar en blanc apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Des del temps hauria de ser menys que el temps apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotecnologia apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1512,11 +1539,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,De l' 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Horari del curs DocType: GSTR 3B Report,GSTR 3B Report,Informe GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Estat de cotització DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Estat de finalització +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},L'import total dels pagaments no pot ser superior a {} DocType: Daily Work Summary Group,Select Users,Seleccioneu usuaris 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 @@ -1554,6 +1583,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Import S DocType: Lab Test Template,Result Format,Format de resultats DocType: Expense Claim,Expenses,Despeses DocType: Service Level,Support Hours,Horari d'assistència +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Notes de lliurament DocType: Item Variant Attribute,Item Variant Attribute,Article Variant Atribut ,Purchase Receipt Trends,Purchase Receipt Trends DocType: Payroll Entry,Bimonthly,bimensual @@ -1576,7 +1606,6 @@ DocType: Sales Team,Incentives,Incentius DocType: SMS Log,Requested Numbers,Números sol·licitats DocType: Volunteer,Evening,Nit DocType: Quiz,Quiz Configuration,Configuració del test -DocType: Customer,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 @@ -1623,7 +1652,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Tipus d ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Incapaç de trobar la ranura de temps en els pròxims {0} dies per a l'operació {1} DocType: Work Order,Plan material for sub-assemblies,Material de Pla de subconjunts 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 @@ -1638,9 +1666,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Heu d’habilitar la reordena automàtica a Configuració d’accions per mantenir els nivells de reordenament. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancel·la Visites Materials {0} abans de cancel·lar aquesta visita de manteniment DocType: Pricing Rule,Rate or Discount,Tarifa o descompte +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Detalls del banc DocType: Vital Signs,One Sided,Un costat apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},El número de Sèrie {0} no pertany a l'article {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Quantitat necessària +DocType: Purchase Order Item Supplied,Required Qty,Quantitat necessària DocType: Marketplace Settings,Custom Data,Dades personalitzades apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Complexos de dipòsit de transaccions existents no es poden convertir en el llibre major. DocType: Service Day,Service Day,Dia del servei @@ -1668,7 +1697,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Compte moneda DocType: Lab Test,Sample ID,Identificador de mostra apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,"Si us plau, Compte Off rodona a l'empresa" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Abast DocType: Supplier,Default Payable Accounts,Comptes per Pagar per defecte apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,L'Empleat {0} no està actiu o no existeix @@ -1709,8 +1737,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Sol·licitud d'Informació DocType: Course Activity,Activity Date,Data de l’activitat apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} de {} -,LeaderBoard,Leaderboard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Taxa amb marge (moneda d'empresa) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Categories apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Les factures sincronització sense connexió DocType: Payment Request,Paid,Pagat DocType: Service Level,Default Priority,Prioritat per defecte @@ -1745,11 +1773,11 @@ DocType: Agriculture Task,Agriculture Task,Tasca de l'agricultura apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Ingressos Indirectes DocType: Student Attendance Tool,Student Attendance Tool,Eina d'assistència dels estudiants DocType: Restaurant Menu,Price List (Auto created),Llista de preus (creada automàticament) +DocType: Pick List Item,Picked Qty,Escollit Qty DocType: Cheque Print Template,Date Settings,Configuració de la data 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 -,Company Name,Nom de l'Empresa 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. @@ -1768,7 +1796,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Últim intent 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} -DocType: BOM,Raw Material Cost(Company Currency),Prima Cost de Materials (Companyia de divises) 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 @@ -1835,6 +1862,7 @@ DocType: Travel Itinerary,Train,Tren ,Delayed Item Report,Informe de l'article retardat apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC elegible DocType: Healthcare Service Unit,Inpatient Occupancy,Ocupació hospitalària +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Publica els teus primers articles DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Temps després del final del torn durant el qual es preveu el check-out per assistència. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Si us plau especificar un {0} @@ -1950,6 +1978,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,totes les llistes apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Creeu l'entrada del diari d'Inter Company DocType: Company,Parent Company,Empresa matriu apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Les habitacions de tipus {0} de l'hotel no estan disponibles a {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Compareu els BOM per a canvis en les operacions i matèries primeres apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,El document {0} no ha estat clar DocType: Healthcare Practitioner,Default Currency,Moneda per defecte apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Reconcilieu aquest compte @@ -1984,6 +2013,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Invoice Detail DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Factura de Pagament de Reconciliació DocType: Clinical Procedure,Procedure Template,Plantilla de procediment +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publicar articles apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Contribució% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","D'acord amb la configuració de comprar si l'ordre de compra Obligatori == 'SÍ', a continuació, per a la creació de la factura de compra, l'usuari necessita per crear l'ordre de compra per al primer element {0}" ,HSN-wise-summary of outward supplies,HSN-wise-summary of outward supplies @@ -1996,7 +2026,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',"Si us plau, estableix "Aplicar descompte addicional en '" DocType: Party Tax Withholding Config,Applicable Percent,Percentatge aplicable ,Ordered Items To Be Billed,Els articles comandes a facturar -DocType: Employee Checkin,Exit Grace Period Consequence,Període de sortida de gràcia apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,De Gamma ha de ser menor que en la nostra gamma DocType: Global Defaults,Global Defaults,Valors per defecte globals apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Invitació del Projecte de Col·laboració @@ -2004,13 +2033,11 @@ DocType: Salary Slip,Deductions,Deduccions DocType: Setup Progress Action,Action Name,Nom de l'acció apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Any d'inici apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Crea un préstec -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Data inicial del període de facturació actual DocType: Shift Type,Process Attendance After,Assistència al procés Després ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Absències sense sou DocType: Payment Request,Outward,Cap a fora -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Planificació de la capacitat d'error apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Impost estatal / UT ,Trial Balance for Party,Balanç de comprovació per a la festa ,Gross and Net Profit Report,Informe de benefici brut i net @@ -2029,7 +2056,6 @@ DocType: Payroll Entry,Employee Details,Detalls del Empleat 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} -DocType: Setup Progress Action,Domains,Dominis 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} @@ -2072,7 +2098,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Reunió to 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.","Mode de pagament no està configurat. Si us plau, comproveu, si el compte s'ha establert en la manera de pagament o en punts de venda perfil." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,El mateix article no es pot introduir diverses vegades. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Altres comptes es poden fer en grups, però les entrades es poden fer contra els no Grups" -DocType: Email Campaign,Lead,Client potencial +DocType: Call Log,Lead,Client potencial DocType: Email Digest,Payables,Comptes per Pagar DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Per a campanya de correu electrònic @@ -2084,6 +2110,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Ordre de Compra articles a facturar 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 DocType: Purchase Invoice Item,Net Rate,Taxa neta apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Seleccioneu un client DocType: Leave Policy,Leave Allocations,Deixeu les assignacions @@ -2097,6 +2124,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Tancar Problema Després Dies ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Heu de ser un usuari amb les funcions del Gestor del sistema i del Gestor d'elements per afegir usuaris al Marketplace. +DocType: Attendance,Early Exit,Sortida anticipada DocType: Job Opening,Staffing Plan,Pla de personal apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON només es pot generar a partir d’un document enviat apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Impostos i prestacions dels empleats @@ -2117,6 +2145,7 @@ DocType: Maintenance Team Member,Maintenance Role,Paper de manteniment apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Duplicar fila {0} amb el mateix {1} DocType: Marketplace Settings,Disable Marketplace,Desactiva el mercat DocType: Quality Meeting,Minutes,Acta +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Els vostres articles destacats ,Trial Balance,Balanç provisional apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Espectacle finalitzat apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Any fiscal {0} no trobat @@ -2126,8 +2155,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Usuari de la reserva d 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 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- -DocType: Shift Type,Consequence,Conseqüència DocType: Subscription Settings,Subscription Settings,Configuració de la subscripció DocType: Purchase Invoice,Update Auto Repeat Reference,Actualitza la referència de repetició automàtica apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Llista de vacances opcional no establerta per al període de descans {0} @@ -2138,7 +2167,6 @@ DocType: Maintenance Visit Purpose,Work Done,Treballs Realitzats apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,"Si us plau, especifiqui almenys un atribut a la taula d'atributs" DocType: Announcement,All Students,tots els alumnes apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Element {0} ha de ser una posició no de magatzem -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Divulgacions bancàries apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Veure Ledger DocType: Grading Scale,Intervals,intervals DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transaccions reconciliades @@ -2174,6 +2202,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Opportunity Item DocType: Quality Action,Quality Review,Revisió de qualitat @@ -2200,7 +2229,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Rep les factures pendents -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Vendes Sol·licitar {0} no és vàlid +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Les ordres de compra li ajudarà a planificar i donar seguiment a les seves compres apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Prescripcions de proves de laboratori @@ -2225,6 +2254,7 @@ DocType: Employee Onboarding,Notify users by email,Aviseu els usuaris per correu DocType: Travel Request,International,Internacional DocType: Training Event,Training Event,Esdeveniment de Capacitació DocType: Item,Auto re-order,Acte reordenar +DocType: Attendance,Late Entry,Entrada tardana apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Total Aconseguit DocType: Employee,Place of Issue,Lloc de la incidència DocType: Promotional Scheme,Promotional Scheme Price Discount,Escompte de preus en règim promocional @@ -2271,6 +2301,7 @@ DocType: Serial No,Serial No Details,Serial No Detalls DocType: Purchase Invoice Item,Item Tax Rate,Element Tipus impositiu apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Del nom del partit apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Import net del salari +DocType: Pick List,Delivery against Sales Order,Lliurament contra la comanda de venda DocType: Student Group Student,Group Roll Number,Nombre Rotllo Grup apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Per {0}, només els comptes de crèdit es poden vincular amb un altre seient de dèbit" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,La Nota de lliurament {0} no està presentada @@ -2342,7 +2373,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Aquest valor s'utilitza per al càlcul pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Has d'habilitar el carro de la compra DocType: Payment Entry,Writeoff,Demanar-ho per escrit DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2356,6 +2386,7 @@ DocType: Delivery Trip,Total Estimated Distance,Distància estimada total DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Comptes a cobrar DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},No es permet crear una dimensió de comptabilitat per a {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Actualitzeu el vostre estat per a aquest esdeveniment d'entrenament DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Afegir o Deduir @@ -2365,7 +2396,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Articles de venda inactius DocType: Quality Review,Additional Information,Informació adicional apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Valor Total de la comanda -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Restabliment de l'acord de nivell de servei. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Menjar apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Rang 3 Envelliment DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalls de vou tancament de la TPV @@ -2412,6 +2442,7 @@ 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 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""" DocType: Healthcare Practitioner,Contacts and Address,Contactes i adreça DocType: Shift Type,Determine Check-in and Check-out,Determineu el registre d'entrada i la sortida @@ -2431,7 +2462,6 @@ DocType: Student Admission,Eligibility and Details,Elegibilitat i detalls apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Inclòs en el benefici brut apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Canvi net en actius fixos apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Codi del client apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Càrrec del tipus 'real' a la fila {0} no pot ser inclòs en la partida Rate apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,A partir de data i hora @@ -2500,6 +2530,7 @@ 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. 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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Es requereix al client contra el compte per cobrar {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total Impostos i càrrecs (En la moneda de la Companyia) DocType: Weather,Weather Parameter,Paràmetre del temps @@ -2562,6 +2593,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Llindar d’hores de treb apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Pot haver-hi un factor de recopilació múltiple basat en el total gastat. Però el factor de conversió per a la redempció serà sempre igual per a tots els nivells. apps/erpnext/erpnext/config/help.py,Item Variants,Variants de l'article apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Serveis +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Enviar correu electrònic am salari a l'empleat DocType: Cost Center,Parent Cost Center,Centre de Cost de Pares @@ -2572,7 +2604,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","S DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importa les notes de lliurament de Shopify on Shipment apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Mostra tancada DocType: Issue Priority,Issue Priority,Prioritat de problema -DocType: Leave Type,Is Leave Without Pay,Es llicencia sense sou +DocType: Leave Ledger Entry,Is Leave Without Pay,Es llicencia sense sou apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Categoria actiu és obligatori per a la partida de l'actiu fix DocType: Fee Validity,Fee Validity,Valida tarifes @@ -2621,6 +2653,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Disponible lot Quan apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Format d'impressió d'actualització DocType: Bank Account,Is Company Account,És el compte d'empresa apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,El tipus de sortida {0} no es pot encaixar +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},El límit de crèdit ja està definit per a l'empresa {0} DocType: Landed Cost Voucher,Landed Cost Help,Landed Cost Ajuda DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG -YYYY.- DocType: Purchase Invoice,Select Shipping Address,Seleccioneu l'adreça d'enviament @@ -2645,6 +2678,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Dues vies DocType: Item,Manufacturers,Fabricants @@ -2681,7 +2715,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Declaració de Conciliació Bancària DocType: Patient Encounter,Medical Coding,Codificació mèdica DocType: Healthcare Settings,Reminder Message,Missatge de recordatori -,Lead Name,Nom Plom +DocType: Call Log,Lead Name,Nom Plom ,POS,TPV DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Prospecció @@ -2713,12 +2747,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Magatzem Proveïdor DocType: Opportunity,Contact Mobile No,Contacte Mòbil No apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Seleccioneu l'empresa ,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: 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- 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.,L'usuari {0} no té cap perfil de POS per defecte. Comprova la configuració predeterminada a la fila {1} per a aquest usuari. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Actes de reunions de qualitat +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Referències de feina DocType: Student Group,Set 0 for no limit,Ajust 0 indica sense límit apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,El dia (s) en el qual està sol·licitant la llicència són els dies festius. Vostè no necessita sol·licitar l'excedència. @@ -2752,12 +2788,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Canvi Net en Efectiu DocType: Assessment Plan,Grading Scale,Escala de Qualificació apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,La unitat de mesura {0} s'ha introduït més d'una vegada a la taula de valors de conversió -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,ja acabat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,A la mà de la apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Afegiu els beneficis restants {0} a l'aplicació com a component \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Configureu el Codi fiscal per a l'administració pública "% s" -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Sol·licitud de pagament ja existeix {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Cost d'articles Emeses DocType: Healthcare Practitioner,Hospital,Hospital apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},La quantitat no ha de ser més de {0} @@ -2802,6 +2836,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Recursos Humans apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Ingrés Alt DocType: Item Manufacturer,Item Manufacturer,article Fabricant +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Creeu un servei principal DocType: BOM Operation,Batch Size,Mida del lot apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Rebutjar DocType: Journal Entry Account,Debit in Company Currency,Dèbit a Companyia moneda @@ -2822,9 +2857,11 @@ DocType: Bank Transaction,Reconciled,Reconciliat DocType: Expense Claim,Total Amount Reimbursed,Suma total reemborsat apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Això es basa en els registres contra aquest vehicle. Veure cronologia avall per saber més apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,La data de la nòmina no pot ser inferior a la data d'incorporació de l'empleat +DocType: Pick List,Item Locations,Ubicacions de l’element apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} creat apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",S'han obert les ofertes de feina per a la designació {0} o la contractació completada segons el pla de personal {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Podeu publicar fins a 200 articles. DocType: Vital Signs,Constipated,Constipat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Contra Proveïdor Factura {0} {1} datat DocType: Customer,Default Price List,Llista de preus per defecte @@ -2916,6 +2953,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car 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 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Despeses de Màrqueting +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} unitats de {1} no estan disponibles. ,Item Shortage Report,Informe d'escassetat d'articles 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 @@ -2938,6 +2976,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ó 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 DocType: Material Request,Transferred,transferit DocType: Vehicle,Doors,portes @@ -3017,7 +3056,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Del client Codi de l'article DocType: Stock Reconciliation,Stock Reconciliation,Reconciliació d'Estoc DocType: Territory,Territory Name,Nom del Territori DocType: Email Digest,Purchase Orders to Receive,Ordres de compra per rebre -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Es requereix Magatzem de treballs en procés abans de Presentar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Es requereix Magatzem de treballs en procés abans de Presentar apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Només podeu tenir plans amb el mateix cicle de facturació en una subscripció DocType: Bank Statement Transaction Settings Item,Mapped Data,Dades assignades DocType: Purchase Order Item,Warehouse and Reference,Magatzem i Referència @@ -3091,6 +3130,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Configuració de lliurament apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Obteniu dades apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},La permís màxim permès en el tipus d'abandonament {0} és {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publica 1 ítem DocType: SMS Center,Create Receiver List,Crear Llista de receptors DocType: Student Applicant,LMS Only,Només LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,La data d'ús disponible ha de ser després de la data de compra @@ -3124,6 +3164,7 @@ 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. DocType: Vital Signs,Furry,Pelut apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ajust 'Compte / Pèrdua de beneficis per alienacions d'actius' en la seva empresa {0} +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} @@ -3135,6 +3176,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Veure tots els problemes de {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Taula de reunions de qualitat +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 apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Visiteu els fòrums DocType: Student,Student Mobile Number,Nombre mòbil Estudiant DocType: Item,Has Variants,Té variants @@ -3145,9 +3187,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Nom de la Distribució Mensual DocType: Quality Procedure Process,Quality Procedure Process,Procés de procediment de qualitat apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Identificació del lot és obligatori +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Seleccioneu primer el client DocType: Sales Person,Parent Sales Person,Parent Sales Person apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,No hi ha elements pendents de rebre apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,El venedor i el comprador no poden ser iguals +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Encara no hi ha visualitzacions DocType: Project,Collect Progress,Recopileu el progrés DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN -YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Seleccioneu primer el programa @@ -3169,11 +3213,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Aconseguit DocType: Student Admission,Application Form Route,Ruta Formulari de Sol·licitud apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,La data de finalització de l’acord no pot ser inferior a avui. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter per enviar DocType: Healthcare Settings,Patient Encounters in valid days,Trobades de pacients en dies vàlids apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Deixa Tipus {0} no pot ser assignat ja que es deixa sense paga 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},Fila {0}: quantitat assignada {1} ha de ser menor o igual a quantitat pendent de facturar {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,En paraules seran visibles un cop que guardi la factura de venda. DocType: Lead,Follow Up,Segueix +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Centre de costos: {0} no existeix DocType: Item,Is Sales Item,És article de venda apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Arbre de grups d'article apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,L'Article {0} no està configurat per a números de sèrie. Comprova la configuració d'articles @@ -3218,9 +3264,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Subministrat Quantitat DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Material Request Item -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Torneu a cancel·lar abans la compra del rebut {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Arbre dels grups d'articles. DocType: Production Plan,Total Produced Qty,Quantitat total produïda +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Cap comentari encara apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,No es pot fer referència número de la fila superior o igual al nombre de fila actual d'aquest tipus de càrrega DocType: Asset,Sold,venut ,Item-wise Purchase History,Historial de compres d'articles @@ -3239,7 +3285,7 @@ DocType: Designation,Required Skills,Habilitats obligatòries DocType: Inpatient Record,O Positive,O positiu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Inversions DocType: Issue,Resolution Details,Resolució Detalls -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Tipus de transacció +DocType: Leave Ledger Entry,Transaction Type,Tipus de transacció DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criteris d'acceptació apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Si us plau, introdueixi Les sol·licituds de material a la taula anterior" apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,No hi ha reemborsaments disponibles per a l'entrada del diari @@ -3280,6 +3326,7 @@ DocType: Bank Account,Bank Account No,Compte bancari núm DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Sol·licitud d'exempció d'impostos a l'empleat DocType: Patient,Surgical History,Història quirúrgica DocType: Bank Statement Settings Item,Mapped Header,Capçalera assignada +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: 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. 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} @@ -3347,7 +3394,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Afegeix un capçalera DocType: Program Enrollment,Self-Driving Vehicle,Vehicle auto-conducció 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total de fulls assignades {0} no pot ser inferior a les fulles ja aprovats {1} per al període DocType: Contract Fulfilment Checklist,Requirement,Requisit DocType: Journal Entry,Accounts Receivable,Comptes Per Cobrar DocType: Quality Goal,Objectives,Objectius @@ -3370,7 +3416,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Llindar d'una sol DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Aquest valor s'actualitza a la llista de preus de venda predeterminada. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,El teu carro està buit DocType: Email Digest,New Expenses,Les noves despeses -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Import PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,No es pot optimitzar la ruta com a adreça del conductor. DocType: Shareholder,Shareholder,Accionista DocType: Purchase Invoice,Additional Discount Amount,Import addicional de descompte @@ -3407,6 +3452,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Tasca de manteniment apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Establiu el límit B2C a la configuració de GST. DocType: Marketplace Settings,Marketplace Settings,Configuració del mercat DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magatzem en què es desen les existències dels articles rebutjats +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Publica {0} articles 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,"No s'ha pogut trobar el tipus de canvi per a {0} a {1} per a la data clau {2}. Si us plau, crear un registre de canvi manual" DocType: POS Profile,Price List,Llista de preus 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." @@ -3443,6 +3489,7 @@ DocType: Salary Component,Deduction,Deducció DocType: Item,Retain Sample,Conserveu la mostra apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Fila {0}: Del temps i el temps és obligatori. DocType: Stock Reconciliation Item,Amount Difference,diferència suma +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Aquesta pàgina fa un seguiment dels articles que voleu comprar als venedors. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Article Preu afegit per {0} en Preu de llista {1} DocType: Delivery Stop,Order Information,Informació de comandes apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Introdueixi Empleat Id d'aquest venedor @@ -3471,6 +3518,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nom del pla d'avaluació apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detalls de l'objectiu apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Aplicable si l'empresa és SpA, SApA o SRL" @@ -3523,7 +3571,6 @@ DocType: Company,Transactions Annual History,Transaccions Historial anual 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Sobre 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 @@ -3575,6 +3622,7 @@ DocType: Grading Scale,Grading Scale Intervals,Intervals de classificació en l& 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Benefici de l'exercici 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 @@ -3628,12 +3676,10 @@ DocType: Supplier Scorecard,Scoring Setup,Configuració de puntuacions apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electrònica 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,No s'ha trobat cap número de GST per a l'empresa. 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 DocType: Question,Single Correct Answer,Resposta única i correcta -DocType: Employee,Contact Details,Detalls de contacte DocType: C-Form,Received Date,Data de recepció DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Si ha creat una plantilla estàndard de les taxes i càrrecs de venda de plantilla, escollir un i feu clic al botó de sota." DocType: BOM Scrap Item,Basic Amount (Company Currency),Import de base (Companyia de divises) @@ -3663,12 +3709,13 @@ DocType: BOM Website Operation,BOM Website Operation,Operació Pàgina Web de ll DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,Puntuació del proveïdor apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Horari d'admissió +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,L'import total de la sol·licitud de pagament no pot ser superior a {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Llindar de transacció acumulativa DocType: Promotional Scheme Price Discount,Discount Type,Tipus de descompte -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Total facturat Amt DocType: Purchase Invoice Item,Is Free Item,És l’article gratuït +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Percentatge on es pot transferir més en funció de la quantitat ordenada. Per exemple: si heu ordenat 100 unitats. i la vostra quota és del 10%, llavors podreu transferir 110 unitats." DocType: Supplier,Warn RFQs,Adverteu RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,Explorar +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Explorar DocType: BOM,Conversion Rate,Taxa de conversió apps/erpnext/erpnext/www/all-products/index.html,Product Search,Cercar producte ,Bank Remittance,Remesió bancària @@ -3680,6 +3727,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Import total pagat DocType: Asset,Insurance End Date,Data de finalització de l'assegurança apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Si us plau, seleccioneu Admissió d'estudiants que és obligatòria per al sol·licitant estudiant pagat" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK -YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Llista de pressupostos DocType: Campaign,Campaign Schedules,Horaris de la campanya DocType: Job Card Time Log,Completed Qty,Quantitat completada @@ -3702,6 +3750,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Nova adre DocType: Quality Inspection,Sample Size,Mida de la mostra apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,"Si us plau, introdueixi recepció de documents" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,S'han facturat tots els articles +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Fulles agafades apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Si us plau, especifica un 'Des del Cas Número' vàlid" 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,"Centres de costos addicionals es poden fer en grups, però les entrades es poden fer contra els no Grups" 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,Les fulles assignades totals són més dies que l'assignació màxima de {0} leave type per a l'empleat {1} en el període @@ -3801,6 +3850,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Inclou tot 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 DocType: Leave Block List,Allow Users,Permetre que usuaris 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: 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. @@ -3854,6 +3905,7 @@ DocType: Support Search Source,Result Title Field,Camp del títol del resultat apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Resum de trucada DocType: Sample Collection,Collected Time,Temps recopilats DocType: Employee Skill Map,Employee Skills,Habilitats dels empleats +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Despesa de combustible DocType: Company,Sales Monthly History,Historial mensual de vendes apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Establiu almenys una fila a la taula d’impostos i càrrecs DocType: Asset Maintenance Task,Next Due Date,Pròxima data de venciment @@ -3863,6 +3915,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Signes vi DocType: Payment Entry,Payment Deductions or Loss,Les deduccions de pagament o pèrdua DocType: Soil Analysis,Soil Analysis Criterias,Els criteris d'anàlisi del sòl apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Condicions contractuals estàndard per Vendes o la compra. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Línies suprimides a {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Començar el registre d’entrada abans de l’hora d’inici del torn (en minuts) DocType: BOM Item,Item operation,Funcionament de l'element apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Agrupa per comprovants @@ -3888,11 +3941,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Nòmina dels empleats {0} ja creat per a aquest període apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmacèutic apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Només podeu enviar Leave Encashment per una quantitat de pagaments vàlida +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Elements de apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,El cost d'articles comprats DocType: Employee Separation,Employee Separation Template,Plantilla de separació d'empleats DocType: Selling Settings,Sales Order Required,Ordres de venda Obligatori apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Converteix-te en venedor -DocType: Shift Type,The number of occurrence after which the consequence is executed.,El nombre d’ocurrències posteriors a les quals s’executa la conseqüència. ,Procurement Tracker,Seguidor de compres DocType: Purchase Invoice,Credit To,Crèdit Per apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC invertit @@ -3905,6 +3958,7 @@ DocType: Quality Meeting,Agenda,Agenda DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detall del Programa de manteniment DocType: Supplier Scorecard,Warn for new Purchase Orders,Adverteix noves comandes de compra DocType: Quality Inspection Reading,Reading 9,Lectura 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Connecteu el vostre compte Exotel a ERPNext i feu el seguiment dels registres de trucades DocType: Supplier,Is Frozen,Està Congelat DocType: Tally Migration,Processed Files,Arxius processats apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,magatzem node de grup no se li permet seleccionar per a les transaccions @@ -3914,6 +3968,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM No. de producte DocType: Upload Attendance,Attendance To Date,Assistència fins a la Data 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 @@ -3938,7 +3993,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Sol·licitant apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Invàlid referència {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Normes per aplicar diferents règims promocionals. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no pot ser major que quanitity planejat ({2}) en l'ordre de la producció {3} DocType: Shipping Rule,Shipping Rule Label,Regla Etiqueta d'enviament DocType: Journal Entry Account,Payroll Entry,Entrada de nòmina apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Veure registres de tarifes @@ -3950,6 +4004,7 @@ DocType: Contract,Fulfilment Status,Estat de compliment DocType: Lab Test Sample,Lab Test Sample,Exemple de prova de laboratori DocType: Item Variant Settings,Allow Rename Attribute Value,Permet canviar el nom del valor de l'atribut apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Seient Ràpida +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Import futur de pagament apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,No es pot canviar la tarifa si el BOM va cap a un article DocType: Restaurant,Invoice Series Prefix,Prefix de la sèrie de factures DocType: Employee,Previous Work Experience,Experiència laboral anterior @@ -3979,6 +4034,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Estat del Projecte DocType: UOM,Check this to disallow fractions. (for Nos),Habiliteu aquesta opció per no permetre fraccions. (Per números) DocType: Student Admission Program,Naming Series (for Student Applicant),Sèrie de nomenclatura (per Estudiant Sol·licitant) +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/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 @@ -3994,6 +4050,7 @@ DocType: Fiscal Year,Year End Date,Any Data de finalització DocType: Task Depends On,Task Depends On,Tasca Depèn de apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Oportunitat DocType: Options,Option,Opció +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},No podeu crear entrades de comptabilitat en el període de comptabilitat tancat {0} DocType: Operation,Default Workstation,Per defecte l'estació de treball DocType: Payment Entry,Deductions or Loss,Deduccions o Pèrdua apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} està tancat @@ -4002,6 +4059,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Obtenir Stock actual DocType: Purchase Invoice,ineligible,inelegible apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Arbre de la llista de materials +DocType: BOM,Exploded Items,Elements explotats DocType: Student,Joining Date,Data d'incorporació ,Employees working on a holiday,Els empleats que treballen en un dia festiu ,TDS Computation Summary,Resum de còmput de TDS @@ -4034,6 +4092,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Taxa Bàsica (segons d DocType: SMS Log,No of Requested SMS,No de SMS sol·licitada apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Llicència sense sou no coincideix amb els registres de llicències d'aplicacions aprovades apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Propers passos +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Elements desats DocType: Travel Request,Domestic,Domèstics apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Si us plau subministrar els elements especificats en les millors taxes possibles apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,La transferència d'empleats no es pot enviar abans de la data de transferència @@ -4106,7 +4165,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Compte categoria d'actius apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,El valor {0} ja està assignat a un element {2} sortint. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Fila # {0} (Taula de pagaments): la quantitat ha de ser positiva -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},No es pot produir més Article {0} que en la quantitat de comandes de client {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},No es pot produir més Article {0} que en la quantitat de comandes de client {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,No s’inclou res en brut apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill ja existeix per a aquest document apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Seleccioneu els valors de l'atribut @@ -4141,12 +4200,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Habiliteu conseqüències diferents per a la sortida anticipada ,Lab Test Report,Informe de prova de laboratori DocType: Employee Benefit Application,Employee Benefit Application,Sol·licitud de prestació d'empleats 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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,"Si us plau, nota de lliurament primer" DocType: Student Applicant,Application Date,Data de Sol·licitud DocType: Salary Component,Amount based on formula,Quantitat basada en la fórmula DocType: Purchase Invoice,Currency and Price List,Moneda i Preus @@ -4175,6 +4232,7 @@ DocType: Purchase Receipt,Time at which materials were received,Moment en què e DocType: Products Settings,Products per Page,Productes per pàgina 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ó apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,L’import assignat no pot ser negatiu DocType: Sales Order,Billing Status,Estat de facturació apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Informa d'un problema @@ -4184,6 +4242,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,Per sobre de 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,Fila # {0}: Seient {1} no té en compte {2} o ja compara amb un altre bo DocType: Supplier Scorecard Criteria,Criteria Weight,Criteris de pes +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Compte: {0} no està permès a l'entrada de pagament DocType: Production Plan,Ignore Existing Projected Quantity,Ignoreu la quantitat projectada existent apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Deixeu la notificació d'aprovació DocType: Buying Settings,Default Buying Price List,Llista de preus per defecte @@ -4192,6 +4251,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,Tipus de Pagament apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Seleccioneu un lot d'articles per {0}. No és possible trobar un únic lot que compleix amb aquest requisit @@ -4220,6 +4280,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Ajustaments de la cistell DocType: Journal Entry,Accounting Entries,Assentaments comptables 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"." +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: Journal Entry,Paid Loan,Préstec pagat 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 @@ -4236,12 +4297,14 @@ DocType: Shopify Settings,Webhooks Details,Detalls de Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,De llistes d'assistència DocType: GoCardless Mandate,GoCardless Customer,Client GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Deixar tipus {0} no es poden enviar-portar +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codi de l'article> Grup d'articles> Marca apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"El programa de manteniment no es genera per a tots els articles Si us plau, feu clic a ""Generar Planificació""" ,To Produce,Per a Produir DocType: Leave Encashment,Payroll,nòmina de sous 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","Per a la fila {0} a {1}. Per incloure {2} en la taxa d'article, files {3} també han de ser inclosos" DocType: Healthcare Service Unit,Parent Service Unit,Unitat de servei al pare DocType: Packing Slip,Identification of the package for the delivery (for print),La identificació del paquet per al lliurament (per imprimir) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,S'ha restablert l'Acord de nivell de servei. DocType: Bin,Reserved Quantity,Quantitat reservades apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,"Si us plau, introdueixi l'adreça de correu electrònic vàlida" DocType: Volunteer Skill,Volunteer Skill,Habilitat voluntària @@ -4262,7 +4325,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Preu o descompte del producte apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Per a la fila {0}: introduïu el qty planificat DocType: Account,Income Account,Compte d'ingressos -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clients> Territori DocType: Payment Request,Amount in customer's currency,Suma de la moneda del client apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Lliurament apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Assignació d'estructures ... @@ -4285,6 +4347,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Perdin registres de factures generades prèviament. Esteu segur que voleu reiniciar aquesta subscripció? @@ -4340,11 +4403,10 @@ DocType: Additional Salary,HR User,HR User DocType: Bank Guarantee,Reference Document Name,Nom del document de referència DocType: Purchase Invoice,Taxes and Charges Deducted,Impostos i despeses deduïdes DocType: Support Settings,Issues,Qüestions -DocType: Shift Type,Early Exit Consequence after,Sortida precoç Conseqüència després DocType: Loyalty Program,Loyalty Program Name,Nom del programa de fidelització apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Estat ha de ser un {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Recordatori per actualitzar GSTIN Enviat -DocType: Sales Invoice,Debit To,Per Dèbit +DocType: Discounted Invoice,Debit To,Per Dèbit DocType: Restaurant Menu Item,Restaurant Menu Item,Element del menú del restaurant DocType: Delivery Note,Required only for sample item.,Només és necessari per l'article de mostra. DocType: Stock Ledger Entry,Actual Qty After Transaction,Actual Quantitat Després de Transacció @@ -4427,6 +4489,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Nom del paràmetre apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Només Deixa aplicacions amb estat "Aprovat" i "Rebutjat" pot ser presentat apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Creació de dimensions ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Estudiant Nom del grup és obligatori a la fila {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Eviteu el limite de crèdit DocType: Homepage,Products to be shown on website homepage,Els productes que es mostren a la pàgina d'inici pàgina web DocType: HR Settings,Password Policy,Política de contrasenya apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Es tracta d'un grup de clients de l'arrel i no es pot editar. @@ -4485,10 +4548,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Si m apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Establiu el client predeterminat a la Configuració del restaurant ,Salary Register,salari Registre DocType: Company,Default warehouse for Sales Return,Magatzem per defecte del retorn de vendes -DocType: Warehouse,Parent Warehouse,Magatzem dels pares +DocType: Pick List,Parent Warehouse,Magatzem dels pares DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definir diversos tipus de préstecs DocType: Bin,FCFS Rate,FCFS Rate @@ -4525,6 +4588,7 @@ DocType: Travel Itinerary,Lodging Required,Allotjament obligatori DocType: Promotional Scheme,Price Discount Slabs,Lloses de descompte en preu DocType: Stock Reconciliation Item,Current Serial No,Número de sèrie actual DocType: Employee,Attendance and Leave Details,Detalls d’assistència i permís +,BOM Comparison Tool,Eina de comparació de BOM ,Requested,Comanda apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Sense Observacions DocType: Asset,In Maintenance,En manteniment @@ -4547,6 +4611,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Acord de nivell de servei per defecte DocType: SG Creation Tool Course,Course Code,Codi del curs apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,No s’admeten més d’una selecció per a {0} +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,La quantitat de matèries primeres es decidirà en funció de la quantitat de l’article de productes acabats DocType: Location,Parent Location,Ubicació principal DocType: POS Settings,Use POS in Offline Mode,Utilitzeu TPV en mode fora de línia apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,La prioritat s'ha canviat a {0}. @@ -4565,7 +4630,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Mostres de retenció de mostr DocType: Company,Default Receivable Account,Predeterminat Compte per Cobrar apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Fórmula de quantitat projectada DocType: Sales Invoice,Deemed Export,Es considera exportar -DocType: Stock Entry,Material Transfer for Manufacture,Transferència de material per a la fabricació +DocType: Pick List,Material Transfer for Manufacture,Transferència de material per a la fabricació 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.,El percentatge de descompte es pot aplicar ja sigui contra una llista de preus o per a tot Llista de Preus. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Entrada Comptabilitat de Stock DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4608,7 +4673,6 @@ DocType: Training Event,Theory,teoria apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Advertència: La quantitat de Material sol·licitada és inferior a la Quantitat mínima apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,El compte {0} està bloquejat DocType: Quiz Question,Quiz Question,Pregunta del qüestionari -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor 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" @@ -4639,6 +4703,7 @@ 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 DocType: Account,Expense Account,Compte de Despeses apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Programari apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Color @@ -4676,6 +4741,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Administrar Punts 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 DocType: Fee Validity,Visited yet,Visitat encara +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Podeu aparèixer fins a 8 articles. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Complexos de transacció existents no poden ser convertits en grup. 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. @@ -4683,7 +4749,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4708,7 +4773,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Conversió UOM en DocType: Contract,Signee Details,Detalls del signe apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} té actualment un {1} Quadre de comandament del proveïdor en posició i les RFQs a aquest proveïdor s'han de fer amb precaució. DocType: Certified Consultant,Non Profit Manager,Gerent sense ànim de lucre -DocType: BOM,Total Cost(Company Currency),Cost total (Companyia de divises) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serial No {0} creat DocType: Homepage,Company Description for website homepage,Descripció de l'empresa per a la pàgina d'inici pàgina web DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Per comoditat dels clients, aquests codis es poden utilitzar en formats d'impressió, com factures i albarans" @@ -4736,7 +4800,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Rebut de DocType: Amazon MWS Settings,Enable Scheduled Synch,Activa la sincronització programada apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,To Datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Registres per mantenir l'estat de lliurament de sms -DocType: Shift Type,Early Exit Consequence,Conseqüència de sortida anticipada DocType: Accounts Settings,Make Payment via Journal Entry,Fa el pagament via entrada de diari apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,No creeu més de 500 articles alhora apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,impresa: @@ -4793,6 +4856,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,límit creuades 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Data d'establiment apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Un terme acadèmic amb això 'Any Acadèmic' {0} i 'Nom terme' {1} ja existeix. Si us plau, modificar aquestes entrades i torneu a intentar." @@ -4854,6 +4918,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Tipus de client DocType: Compensatory Leave Request,Leave Allocation,Assignació d'absència DocType: Payment Request,Recipient Message And Payment Details,Missatge receptor i formes de pagament +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Seleccioneu un albarà DocType: Support Search Source,Source DocType,Font DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Obriu un nou bitllet DocType: Training Event,Trainer Email,entrenador correu electrònic @@ -4974,6 +5039,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Des de la data' ha de ser després de 'A data' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,No hi ha plans de personal per a aquesta designació apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,El lot {0} de l'element {1} està desactivat. @@ -4995,7 +5061,7 @@ DocType: Clinical Procedure,Patient,Pacient apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Comprovació de desviació de crèdit a l'ordre de vendes DocType: Employee Onboarding Activity,Employee Onboarding Activity,Activitat d'embarcament d'empleats DocType: Location,Check if it is a hydroponic unit,Comproveu si és una unitat hidropònica -DocType: Stock Reconciliation Item,Serial No and Batch,Número de sèrie i de lot +DocType: Pick List Item,Serial No and Batch,Número de sèrie i de lot DocType: Warranty Claim,From Company,Des de l'empresa DocType: GSTR 3B Report,January,Gener apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Suma de les puntuacions de criteris d'avaluació ha de ser {0}. @@ -5019,7 +5085,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Descompt 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/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. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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ç @@ -5052,11 +5117,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centre de co 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,restant DocType: Appraisal,Appraisal,Avaluació DocType: Loan,Loan Account,Compte de préstec apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,"Per als acumulatius, els camps vàlids i vàlids no són obligatoris" +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Per a l’element {0} de la fila {1}, el nombre de números de sèrie no coincideix amb la quantitat recollida" DocType: Purchase Invoice,GST Details,Detalls de GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Això es basa en les transaccions contra aquest Practicant de Salut. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},El correu electrònic enviat al proveïdor {0} @@ -5120,6 +5187,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),"El pes brut del paquet. En general, el pes net + embalatge pes del material. (Per imprimir)" DocType: Assessment Plan,Program,programa DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Els usuaris amb aquest rol poden establir comptes bloquejats i crear/modificar els assentaments comptables contra els comptes bloquejats +DocType: Plaid Settings,Plaid Environment,Entorn Plaid ,Project Billing Summary,Resum de facturació del projecte DocType: Vital Signs,Cuts,Retalls DocType: Serial No,Is Cancelled,Està cancel·lat @@ -5181,7 +5249,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota: El sistema no verificarà el lliurament excessiva i l'excés de reserves per Punt {0} com la quantitat o la quantitat és 0 DocType: Issue,Opening Date,Data d'obertura apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Deseu primer el pacient -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Crea un contacte nou apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,L'assistència ha estat marcada amb èxit. DocType: Program Enrollment,Public Transport,Transport públic DocType: Sales Invoice,GST Vehicle Type,Tipus de vehicle GST @@ -5207,6 +5274,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Bills plant 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Primer afegiu els elements a la taula Ubicacions d’elements DocType: Pricing Rule,Discount Amount,Quantitat de Descompte DocType: Pricing Rule,Period Settings,Configuració del període DocType: Purchase Invoice,Return Against Purchase Invoice,Retorn Contra Compra Factura @@ -5239,7 +5307,6 @@ DocType: Assessment Plan,Assessment Plan,pla d'avaluació DocType: Travel Request,Fully Sponsored,Totalment patrocinat apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Entrada periòdica inversa apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Crea la targeta de treball -DocType: Shift Type,Consequence after,Conseqüència després DocType: Quality Procedure Process,Process Description,Descripció del procés apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,S'ha creat el client {0}. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Actualment no hi ha existències disponibles en cap magatzem @@ -5274,6 +5341,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Data Liquidació DocType: Delivery Settings,Dispatch Notification Template,Plantilla de notificació d'enviaments apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Informe d'avaluació apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Obtenir empleats +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ó @@ -5367,7 +5435,6 @@ DocType: Stock Settings,Use Naming Series,Utilitzeu la sèrie de noms apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Sense acció apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Càrrecs de tipus de valoració no poden marcat com Inclòs DocType: POS Profile,Update Stock,Actualització de Stock -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 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UDMs diferents per als articles provocarà pesos nets (Total) erronis. Assegureu-vos que pes net de cada article és de la mateixa UDM. DocType: Certification Application,Payment Details,Detalls del pagament apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate @@ -5402,7 +5469,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Es tracta d'una persona de les vendes de l'arrel i no es pot editar. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Si es selecciona, el valor especificat o calculats d'aquest component no contribuirà als ingressos o deduccions. No obstant això, el seu valor pot ser referenciat per altres components que es poden afegir o deduir." -DocType: Asset Settings,Number of Days in Fiscal Year,Nombre de dies d'any fiscal ,Stock Ledger,Ledger Stock DocType: Company,Exchange Gain / Loss Account,Guany de canvi de compte / Pèrdua DocType: Amazon MWS Settings,MWS Credentials,Credencials MWS @@ -5437,6 +5503,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Columna al fitxer del banc apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Deixar l'aplicació {0} ja existeix contra l'estudiant {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,En cua per actualitzar l'últim preu en tota la factura de materials. Pot trigar uns quants minuts. +DocType: Pick List,Get Item Locations,Obteniu ubicacions d’elements apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nom del nou compte. Nota: Si us plau no crear comptes de clients i proveïdors DocType: POS Profile,Display Items In Stock,Mostrar articles en estoc apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,País savi defecte Plantilles de direcció @@ -5460,6 +5527,7 @@ DocType: Crop,Materials Required,Materials obligatoris apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,No s'han trobat estudiants DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Exempció HRA mensual DocType: Clinical Procedure,Medical Department,Departament Mèdic +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Total sortides anticipades DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Punts de referència del proveïdor Criteris de puntuació apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Data de la factura d'enviament apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Vendre @@ -5471,11 +5539,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Si us plau, suprimiu l'empleat {0} \ per cancel·lar aquest document" 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 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,El teu perfil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Nombre de Depreciacions reserva no pot ser més gran que el nombre total d'amortitzacions DocType: Purchase Order,Order Confirmation Date,Data de confirmació de la comanda DocType: Driver,HR-DRI-.YYYY.-,HR-DRI -YYYY.- @@ -5569,7 +5636,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Hi ha incongruències entre la taxa, la de les accions i l'import calculat" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,No estàs present durant els dies o dies entre els dies de sol·licitud de baixa compensatòria apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,"Si us plau, torneu a escriure nom de l'empresa per confirmar" -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Viu total Amt DocType: Journal Entry,Printing Settings,Paràmetres d'impressió DocType: Payment Order,Payment Order Type,Tipus de comanda de pagament DocType: Employee Advance,Advance Account,Compte avançat @@ -5659,7 +5725,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Nom Any apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Hi ha més vacances que els dies de treball aquest mes. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Els següents elements {0} no estan marcats com a {1} element. Podeu habilitar-los com a {1} ítem des del vostre ítem principal -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Producte Bundle article DocType: Sales Partner,Sales Partner Name,Nom del revenedor apps/erpnext/erpnext/hooks.py,Request for Quotations,Sol·licitud de Cites @@ -5668,19 +5733,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Fulles +DocType: Leave Ledger Entry,Leaves,Fulles DocType: Student Language,Student Language,idioma de l'estudiant DocType: Cash Flow Mapping,Is Working Capital,És capital operatiu apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Envieu la prova apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Comanda / quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Registre Vitals del pacient DocType: Fee Schedule,Institution,institució -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: Asset,Partially Depreciated,parcialment depreciables DocType: Issue,Opening Time,Temps d'obertura apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Des i Fins a la data sol·licitada apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Securities & Commodity Exchanges -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Resum de trucades per {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Cerca de documents apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unitat de mesura per defecte per Variant '{0}' ha de ser el mateix que a la plantilla '{1}' DocType: Shipping Rule,Calculate Based On,Calcula a causa del @@ -5726,6 +5789,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Valor màxim permès 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 DocType: Lab Test Template,Sensitivity,Sensibilitat DocType: Plaid Settings,Plaid Settings,Configuració del Plaid apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,S'ha desactivat temporalment la sincronització perquè s'han superat els recessos màxims @@ -5743,6 +5807,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Seleccioneu Data de comptabilització primer apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Data d'obertura ha de ser abans de la data de Tancament DocType: Travel Itinerary,Flight,Vol +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,De tornada a casa DocType: Leave Control Panel,Carry Forward,Portar endavant apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Centre de costos de les transaccions existents no es pot convertir en llibre major DocType: Budget,Applicable on booking actual expenses,Aplicable a la reserva de despeses reals @@ -5798,6 +5863,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Crear Cotització apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,No està autoritzat per aprovar els fulls de bloquejar les dates apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Sol·licitud de {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Tots aquests elements ja s'han facturat +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,No s'ha trobat cap factura pendent per al {0} {1} que compleixi els filtres que heu especificat. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Estableix una nova data de llançament DocType: Company,Monthly Sales Target,Objectiu de vendes mensuals apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,No s'ha trobat cap factura pendent @@ -5844,6 +5910,7 @@ DocType: Water Analysis,Type of Sample,Tipus d'exemple DocType: Batch,Source Document Name,Font Nom del document DocType: Production Plan,Get Raw Materials For Production,Obtenir matèries primeres per a la producció DocType: Job Opening,Job Title,Títol Professional +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Pagament futur Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} indica que {1} no proporcionarà una cita, però tots els ítems s'han citat. Actualització de l'estat de la cotització de RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,S'han conservat les mostres màximes ({0}) per al lot {1} i l'element {2} en lot {3}. @@ -5854,12 +5921,10 @@ 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: Company,Product Code,Codi de producte DocType: Quality Review Table,Objective,Objectiu DocType: Supplier Scorecard,Per Month,Per mes DocType: Education Settings,Make Academic Term Mandatory,Fer el mandat acadèmic obligatori -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Quantitat de Fabricació ha de ser major que 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Calcula el calendari de depreciació prorratejada basada en l'any fiscal +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Quantitat de Fabricació ha de ser major que 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Visita informe de presa de manteniment. DocType: Stock Entry,Update Rate and Availability,Actualització de tarifes i disponibilitat 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.,"Percentatge que se li permet rebre o lliurar més en contra de la quantitat demanada. Per exemple: Si vostè ha demanat 100 unitats. i el subsidi és de 10%, llavors se li permet rebre 110 unitats." @@ -5870,7 +5935,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,La data de llançament ha de ser en el futur DocType: BOM,Website Description,Descripció del lloc web apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Canvi en el Patrimoni Net -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,"Si us plau, cancel·lar Factura de Compra {0} primera" apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,No permès. Desactiveu el tipus d'unitat de servei apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Adreça de correu electrònic ha de ser únic, ja existeix per {0}" DocType: Serial No,AMC Expiry Date,AMC Data de caducitat @@ -5914,6 +5978,7 @@ DocType: Pricing Rule,Price Discount Scheme,Règim de descompte de preus apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,L'estat de manteniment s'ha de cancel·lar o completar per enviar DocType: Amazon MWS Settings,US,nosaltres DocType: Holiday List,Add Weekly Holidays,Afegeix vacances setmanals +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Informe DocType: Staffing Plan Detail,Vacancies,Ofertes vacants DocType: Hotel Room,Hotel Room,Habitació d'hotel apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Compte {0} no pertany a la companyia de {1} @@ -5965,12 +6030,15 @@ DocType: Email Digest,Open Quotations,Cites obertes 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Si us plau, suprimiu l'empleat {0} \ per cancel·lar aquest document" 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 @@ -5984,6 +6052,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Vacant DocType: Patient,Alcohol Past Use,Ús del passat alcohòlic DocType: Fertilizer Content,Fertilizer Content,Contingut d'abonament +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Sense descripció apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Estat de facturació DocType: Quality Goal,Monitoring Frequency,Freqüència de seguiment @@ -6001,6 +6070,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Finalitza la data no pot ser abans de la següent data de contacte. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Entrades per lots DocType: Journal Entry,Pay To / Recd From,Pagar a/Rebut de +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Element inèdit DocType: Naming Series,Setup Series,Sèrie d'instal·lació DocType: Payment Reconciliation,To Invoice Date,Per Factura DocType: Bank Account,Contact HTML,Contacte HTML @@ -6022,6 +6092,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Venda al detall DocType: Student Attendance,Absent,Absent DocType: Staffing Plan,Staffing Plan Detail,Detall del pla de personal DocType: Employee Promotion,Promotion Date,Data de promoció +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,L'assignació de permisos% s està relacionada amb la sol·licitud d'excedència% s 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} @@ -6056,9 +6127,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,La factura {0} ja no existeix DocType: Guardian Interest,Guardian Interest,guardià interès DocType: Volunteer,Availability,Disponibilitat +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,L’aplicació de permís està enllaçada amb les assignacions de permís {0}. La sol·licitud de permís no es pot configurar com a permís sense pagar apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Configuració dels valors predeterminats per a les factures de POS DocType: Employee Training,Training,formació DocType: Project,Time to send,Temps per enviar +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Aquesta pàgina fa un seguiment dels vostres articles pels quals els compradors han mostrat cert interès. DocType: Timesheet,Employee Detail,Detall dels empleats 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 @@ -6154,12 +6227,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valor d'obertura DocType: Salary Component,Formula,fórmula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Configureu un sistema de nominació dels empleats a Recursos humans> Configuració de recursos humans 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/setup/doctype/company/company.py,Sales Account,Compte de vendes DocType: Purchase Invoice Item,Total Weight,Pes total +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}" @@ -6183,6 +6256,7 @@ DocType: Company,Default Employee Advance Account,Compte anticipat d'empleat apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Element de cerca (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Un compte amb transaccions no es pot eliminar +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Per què creieu que s’ha d’eliminar aquest ítem? DocType: Vehicle,Last Carbon Check,Últim control de Carboni apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Despeses legals apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Si us plau seleccioni la quantitat al corredor @@ -6202,6 +6276,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Breakdown DocType: Travel Itinerary,Vegetarian,Vegetariana DocType: Patient Encounter,Encounter Date,Data de trobada +DocType: Work Order,Update Consumed Material Cost In Project,Actualitza el cost del material consumit en el projecte apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Compte: {0} amb la divisa: {1} no es pot seleccionar DocType: Bank Statement Transaction Settings Item,Bank Data,Dades bancàries DocType: Purchase Receipt Item,Sample Quantity,Quantitat de mostra @@ -6256,7 +6331,7 @@ DocType: GSTR 3B Report,April,Abril 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Nota: L'article {0} entrat diverses vegades +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Nota: L'article {0} entrat diverses vegades apps/erpnext/erpnext/config/buying.py,All Contacts.,Tots els contactes. DocType: Accounting Period,Closed Documents,Documents tancats 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 @@ -6338,9 +6413,7 @@ DocType: Member,Membership Type,Tipus de pertinença ,Reqd By Date,Reqd Per Data apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Creditors DocType: Assessment Plan,Assessment Name,nom avaluació -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Mostra el PDC a la impressió apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Fila # {0}: Nombre de sèrie és obligatori -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,No s'ha trobat cap factura pendent per al {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detall d'impostos de tots els articles DocType: Employee Onboarding,Job Offer,Oferta de treball apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut Abreviatura @@ -6399,6 +6472,7 @@ DocType: Serial No,Out of Warranty,Fora de la Garantia DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Tipus de dades assignats DocType: BOM Update Tool,Replace,Reemplaçar apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,No s'han trobat productes. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Publica més articles apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Aquest Acord de nivell de servei és específic per al client {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} contra factura Vendes {1} DocType: Antibiotic,Laboratory User,Usuari del laboratori @@ -6421,7 +6495,6 @@ DocType: Payment Order Reference,Bank Account Details,Detalls del compte bancari DocType: Purchase Order Item,Blanket Order,Ordre de manta 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Producció Ordre ha estat {0} DocType: BOM Item,BOM No,No BOM 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 @@ -6494,6 +6567,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Subministraments passius imposables (qualificació zero) DocType: BOM,Materials Required (Exploded),Materials necessaris (explotat) 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/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 @@ -6551,7 +6625,6 @@ DocType: Pricing Rule,Same Item,El mateix article DocType: Stock Ledger Entry,Stock Ledger Entry,Ledger entrada Stock DocType: Quality Action Resolution,Quality Action Resolution,Resolució d'acció de qualitat apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} a mig dia de sortida a {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,El mateix article s'ha introduït diverses vegades DocType: Department,Leave Block List,Deixa Llista de bloqueig DocType: Purchase Invoice,Tax ID,Identificació Tributària apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,L'Article {0} no està configurat per números de sèrie. La columna ha d'estar en blanc @@ -6589,7 +6662,7 @@ DocType: Cheque Print Template,Distance from top edge,Distància des de la vora 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 DocType: Purchase Invoice,Return,Retorn -DocType: Accounting Dimension,Disable,Desactiva +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 DocType: Task,Pending Review,Pendent de Revisió apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Editeu a la pàgina completa per obtenir més opcions com a actius, números de sèrie, lots, etc." @@ -6702,7 +6775,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,La part de facturació combinada ha de ser igual al 100% DocType: Item Default,Default Expense Account,Compte de Despeses predeterminat DocType: GST Account,CGST Account,Compte CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codi de l'article> Grup d'articles> Marca apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Estudiant ID de correu electrònic DocType: Employee,Notice (days),Avís (dies) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Factures de vals de tancament de punt de venda @@ -6713,6 +6785,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Seleccioneu articles per estalviar la factura DocType: Employee,Encashment Date,Data Cobrament DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Informació del venedor DocType: Special Test Template,Special Test Template,Plantilla de prova especial DocType: Account,Stock Adjustment,Ajust d'estoc apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Hi Cost per defecte per al tipus d'activitat Activitat - {0} @@ -6724,7 +6797,6 @@ 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 -DocType: Company,Bank Remittance Settings,Configuració de la remesa del banc apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tarifa mitjana 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ó @@ -6752,6 +6824,7 @@ DocType: Grading Scale Interval,Threshold,Llindar apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtra els empleats per (opcional) DocType: BOM Update Tool,Current BOM,BOM actual apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Equilibri (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Quantitat d'articles de productes acabats apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Afegir Número de sèrie DocType: Work Order Item,Available Qty at Source Warehouse,Quantitats disponibles a Font Magatzem apps/erpnext/erpnext/config/support.py,Warranty,garantia @@ -6830,7 +6903,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aquí pot actualitzar l'alçada, el pes, al·lèrgies, problemes mèdics, etc." apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Creació de comptes ... DocType: Leave Block List,Applies to Company,S'aplica a l'empresa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,No es pot cancel·lar perquè l'entrada d'estoc {0} ja ha estat Presentada +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,No es pot cancel·lar perquè l'entrada d'estoc {0} ja ha estat Presentada DocType: Loan,Disbursement Date,Data de desemborsament DocType: Service Level Agreement,Agreement Details,Detalls de l'acord apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,La data d’inici de l’acord no pot ser superior o igual a la data de finalització. @@ -6839,6 +6912,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Registre mèdic DocType: Vehicle,Vehicle,vehicle DocType: Purchase Invoice,In Words,En Paraules +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,"Fins a la data, ha de ser abans de la data" apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Introduïu el nom del banc o de la institució creditícia abans de presentar-lo. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} s'ha de presentar DocType: POS Profile,Item Groups,els grups d'articles @@ -6910,7 +6984,6 @@ DocType: Customer,Sales Team Details,Detalls de l'Equip de Vendes apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Eliminar de forma permanent? DocType: Expense Claim,Total Claimed Amount,Suma total del Reclamat apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Els possibles oportunitats de venda. -DocType: Plaid Settings,Link a new bank account,Enllaça un nou compte bancari apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} és un estat d’assistència no vàlid. DocType: Shareholder,Folio no.,Folio no. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},No vàlida {0} @@ -6926,7 +6999,6 @@ DocType: Production Plan,Material Requested,Material sol·licitat DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Quant reservat per subcontractació DocType: Patient Service Unit,Patinet Service Unit,Unitat de servei de patinatge -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Generar fitxer de text DocType: Sales Invoice,Base Change Amount (Company Currency),Base quantitat de canvi (moneda de l'empresa) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,No hi ha assentaments comptables per als següents magatzems apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Només {0} en estoc per a l'element {1} @@ -6940,6 +7012,7 @@ DocType: Item,No of Months,No de mesos DocType: Item,Max Discount (%),Descompte màxim (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Els dies de crèdit no poden ser un nombre negatiu apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Carregueu una declaració +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Informa d'aquest element DocType: Purchase Invoice Item,Service Stop Date,Data de parada del servei apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Darrera Quantitat de l'ordre DocType: Cash Flow Mapper,e.g Adjustments for:,"per exemple, ajustaments per a:" @@ -7033,16 +7106,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Categoria d'exempció d'impostos als empleats apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,La quantitat no ha de ser inferior a zero. DocType: Sales Invoice,C-Form Applicable,C-Form Applicable -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Temps de funcionament ha de ser major que 0 per a l'operació {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Temps de funcionament ha de ser major que 0 per a l'operació {0} DocType: Support Search Source,Post Route String,Cadena de ruta de publicació apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Magatzem és obligatori apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,No s'ha pogut crear el lloc web DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Detall UOM Conversió apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Admissió i matrícula -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Retenció d'existències ja creades o la quantitat de mostra no subministrada +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Retenció d'existències ja creades o la quantitat de mostra no subministrada DocType: Program,Program Abbreviation,abreviatura programa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Ordre de fabricació no es pot aixecar en contra d'una plantilla d'article apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grup per val (consolidat) DocType: HR Settings,Encrypt Salary Slips in Emails,Xifra els salts de salari als correus electrònics DocType: Question,Multiple Correct Answer,Resposta correcta múltiple @@ -7089,7 +7161,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Està nul o està exempt DocType: Employee,Educational Qualification,Capacitació per a l'Educació DocType: Workstation,Operating Costs,Costos Operatius apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Moneda per {0} ha de ser {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Conseqüència del període de gràcia d’entrada DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Assistir en una marca basada en la comprovació dels empleats per als empleats assignats a aquest torn. DocType: Asset,Disposal Date,disposició Data DocType: Service Level,Response and Resoution Time,Temps de resposta i reposició @@ -7137,6 +7208,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Data d'acabament DocType: Purchase Invoice Item,Amount (Company Currency),Import (Companyia moneda) DocType: Program,Is Featured,Es destaca +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,S'obté ... DocType: Agriculture Analysis Criteria,Agriculture User,Usuari de l'agricultura apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Vàlid fins a la data no pot ser abans de la data de la transacció apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unitats de {1} necessària en {2} sobre {3} {4} {5} per completar aquesta transacció. @@ -7169,7 +7241,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Total pagat Amt 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 @@ -7193,6 +7264,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anònim apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Rebut des 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: 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} @@ -7307,7 +7379,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Taxes i càrrecs de sincron 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,BOM per defecte per {0} no trobat +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Toc els articles a afegir aquí @@ -7341,7 +7413,6 @@ DocType: Purchase Invoice,Y,Jo DocType: Maintenance Visit,Maintenance Date,Manteniment Data DocType: Purchase Invoice Item,Rejected Serial No,Número de sèrie Rebutjat apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,"Any d'inici o any finalització es solapa amb {0}. Per evitar, configuri l'empresa" -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Si us plau, mencioneu el nom principal al client {0}" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},La data d'inici ha de ser anterior a la data de finalització per l'article {0} DocType: Shift Type,Auto Attendance Settings,Configuració d'assistència automàtica @@ -7352,9 +7423,11 @@ DocType: Upload Attendance,Upload Attendance,Pujar Assistència apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Llista de materials i de fabricació es requereixen Quantitat apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Rang 2 Envelliment DocType: SG Creation Tool Course,Max Strength,força màx +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","El compte {0} ja existeix a la companyia secundària {1}. Els camps següents tenen valors diferents, haurien de ser iguals:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instal·lació de valors predeterminats DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},No s'ha seleccionat cap nota de lliurament per al client {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Línies afegides a {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,L'empleat {0} no té cap benefici màxim apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Seleccioneu els elements segons la data de lliurament DocType: Grant Application,Has any past Grant Record,Té algun registre de Grant passat @@ -7398,6 +7471,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Detalls dels estudiants DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Aquest és l'UOM per defecte que s'utilitza per a articles i comandes de vendes. L’UOM de caiguda és "Nos". DocType: Purchase Invoice Item,Stock Qty,existència Quantitat +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 DocType: Loan,Repayment Period in Months,Termini de devolució en Mesos @@ -7426,6 +7500,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Descompte apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Part d'hores per a les tasques. DocType: Purchase Invoice,Against Expense Account,Contra el Compte de Despeses apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,La Nota d'Instal·lació {0} ja s'ha presentat +DocType: BOM,Raw Material Cost (Company Currency),Cost de la matèria primera (moneda de l'empresa) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Lloguer de casa dies pagats sobreposats a {0} DocType: GSTR 3B Report,October,Octubre DocType: Bank Reconciliation,Get Payment Entries,Obtenir registres de pagament @@ -7472,15 +7547,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Disponible per a la data d'ús DocType: Request for Quotation,Supplier Detail,Detall del proveïdor apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Error en la fórmula o condició: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Quantitat facturada +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Quantitat facturada apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Els pesos dels criteris han de sumar fins al 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Assistència apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,stockItems DocType: Sales Invoice,Update Billed Amount in Sales Order,Actualitza la quantitat facturada en l'ordre de venda +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Contacte amb el venedor 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,En paraules seran visibles un cop que es guardi l'ordre de compra. @@ -7494,6 +7571,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Màster Llista de Preus. DocType: Task,Review Date,Data de revisió DocType: BOM,Allow Alternative Item,Permetre un element alternatiu +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,El rebut de compra no té cap element per al qual estigui habilitat la conservació de l'exemple. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Factura total total DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Sèrie per a l'entrada de depreciació d'actius (entrada de diari) DocType: Membership,Member Since,Membre des de @@ -7503,6 +7581,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,En total net 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},Valor de l'atribut {0} ha d'estar dins del rang de {1} a {2} en els increments de {3} per a l'article {4} DocType: Pricing Rule,Product Discount Scheme,Esquema de descompte del producte +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,La persona que ha trucat no ha plantejat cap problema. DocType: Restaurant Reservation,Waitlisted,Waitlisted DocType: Employee Tax Exemption Declaration Category,Exemption Category,Categoria d'exempció apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Moneda no es pot canviar després de fer entrades utilitzant alguna altra moneda @@ -7516,7 +7595,6 @@ DocType: Customer Group,Parent Customer Group,Pares Grup de Clients apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON només es pot generar a partir de factura de vendes apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,S'ha arribat al màxim d'intents d'aquest qüestionari. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Subscripció -DocType: Purchase Invoice,Contact Email,Correu electrònic de contacte apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Creació de tarifes pendents DocType: Project Template Task,Duration (Days),Durada (dies) DocType: Appraisal Goal,Score Earned,Score Earned @@ -7541,7 +7619,6 @@ DocType: Landed Cost Item,Landed Cost Item,Landed Cost article 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","L’import d’una sola transacció supera el màxim permès, crea una ordre de pagament separada dividint les transaccions" 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 @@ -7709,6 +7786,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Dispo DocType: Quality Inspection Reading,Reading 3,Lectura 3 DocType: Stock Entry,Source Warehouse Address,Adreça del magatzem de fonts DocType: GL Entry,Voucher Type,Tipus de Vals +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Pagaments futurs 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 @@ -7735,6 +7813,7 @@ DocType: Travel Request,Identification Document Number,Número de document d' 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." DocType: Sales Invoice,Customer GSTIN,GSTIN client DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Llista de malalties detectades al camp. Quan estigui seleccionat, afegirà automàticament una llista de tasques per fer front a la malaltia" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Aquesta és una unitat de servei d'assistència sanitària racial i no es pot editar. DocType: Asset Repair,Repair Status,Estat de reparació 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." @@ -7749,6 +7828,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Compte per al Canvi Monto DocType: QuickBooks Migrator,Connecting to QuickBooks,Connexió a QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Pèrdua / guany total +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Crea una llista de selecció apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Fila {0}: Festa / Compte no coincideix amb {1} / {2} en {3} {4} DocType: Employee Promotion,Employee Promotion,Promoció d'empleats DocType: Maintenance Team Member,Maintenance Team Member,Membre de l'equip de manteniment @@ -7831,6 +7911,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Salari net no pot ser negatiu @@ -7862,7 +7943,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Objectiu de qualitat DocType: BOM,Item to be manufactured or repacked,Article que es fabricarà o embalarà de nou apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Error de sintaxi en la condició: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,No hi ha cap problema plantejat pel client. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Major/Optional Subjects apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Establiu el grup de proveïdors a la configuració de compra. @@ -7955,8 +8035,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Dies de Crèdit apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Seleccioneu Pacient per obtenir proves de laboratori DocType: Exotel Settings,Exotel Settings,Configuració exòtica -DocType: Leave Type,Is Carry Forward,Is Carry Forward +DocType: Leave Ledger Entry,Is Carry Forward,Is Carry Forward DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Hores de treball inferiors a les que es marca l’absent. (Zero per desactivar) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Enviar un missatge apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Obtenir elements de la llista de materials 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 diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv index 0015c7f27b..66b460260b 100644 --- a/erpnext/translations/cs.csv +++ b/erpnext/translations/cs.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Informujte dodavatele apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,"Prosím, vyberte typ Party první" DocType: Item,Customer Items,Zákazník položky +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Pasiva DocType: Project,Costing and Billing,Kalkulace a fakturace apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Advance měna účtu by měla být stejná jako měna společnosti {0} DocType: QuickBooks Migrator,Token Endpoint,Koncový bod tokenu @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Výchozí Měrná jednotka DocType: SMS Center,All Sales Partner Contact,Všechny Partneři Kontakt DocType: Department,Leave Approvers,Schvalovatelé dovolených DocType: Employee,Bio / Cover Letter,Bio / krycí dopis +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Prohledat položky ... DocType: Patient Encounter,Investigations,Vyšetřování DocType: Restaurant Order Entry,Click Enter To Add,Klepněte na tlačítko Zadat pro přidání apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Chybějící hodnota pro heslo, klíč API nebo URL obchodu" DocType: Employee,Rented,Pronajato apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Všechny účty apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Nelze přenést zaměstnance se stavem doleva -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zastavil výrobu Objednat nelze zrušit, uvolnit ho nejprve zrušit" DocType: Vehicle Service,Mileage,Najeto apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Opravdu chcete zrušit tuto pohledávku? DocType: Drug Prescription,Update Schedule,Aktualizovat plán @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Zákazník DocType: Purchase Receipt Item,Required By,Vyžadováno DocType: Delivery Note,Return Against Delivery Note,Návrat Proti dodací list DocType: Asset Category,Finance Book Detail,Detail knihy financí +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Všechny odpisy byly zaúčtovány DocType: Purchase Order,% Billed,% Fakturováno apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Mzdové číslo apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate musí být stejná jako {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Batch položky vypršení platnosti Stav apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bank Návrh DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Celkem pozdních záznamů DocType: Mode of Payment Account,Mode of Payment Account,Způsob platby účtu apps/erpnext/erpnext/config/healthcare.py,Consultation,Konzultace DocType: Accounts Settings,Show Payment Schedule in Print,Zobrazit plán placení v tisku @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Na apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primární kontaktní údaje apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,otevřené problémy DocType: Production Plan Item,Production Plan Item,Výrobní program Item +DocType: Leave Ledger Entry,Leave Ledger Entry,Opusťte zápis do knihy 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} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} pole je omezeno na velikost {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Max DocType: Purchase Invoice Item,Item Weight Details,Položka podrobnosti o hmotnosti DocType: Asset Maintenance Log,Periodicity,Periodicita apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Fiskální rok {0} je vyžadována +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Čistý zisk / ztráta DocType: Employee Group Table,ERPNext User ID,ERPDalší ID uživatele DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimální vzdálenost mezi řadami rostlin pro optimální růst apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,"Chcete-li získat předepsaný postup, vyberte možnost Pacient" @@ -168,10 +172,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Prodejní ceník DocType: Patient,Tobacco Current Use,Aktuální tabákové použití apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Prodejní sazba -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Před přidáním nového účtu uložte dokument 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 ... 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 @@ -234,6 +238,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Penz DocType: Exchange Rate Revaluation Account,Gain/Loss,Zisk / ztráta DocType: Crop,Perennial,Trvalka DocType: Program,Is Published,Je publikováno +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Zobrazit dodací listy apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Chcete-li povolit přeúčtování, aktualizujte položku „Příplatek za fakturaci“ v Nastavení účtů nebo v položce." DocType: Patient Appointment,Procedure,Postup DocType: Accounts Settings,Use Custom Cash Flow Format,Použijte formát vlastní peněžní toky @@ -264,7 +269,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Zanechat podrobnosti o zásadách DocType: BOM,Item Image (if not slideshow),Item Image (ne-li slideshow) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Řádek # {0}: Operace {1} není dokončena pro {2} množství hotového zboží v objednávce {3}. Aktualizujte prosím provozní stav pomocí Job Card {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} je povinné pro generování plateb plateb, nastavte pole a akci opakujte" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hodinová sazba / 60) * Skutečný čas operace apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Řádek # {0}: Referenční typ dokumentu musí být jedním z nákladového tvrzení nebo záznamu v deníku apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Vybrat BOM @@ -284,6 +288,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Splatit Over počet období apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Množství na výrobu nesmí být menší než nula DocType: Stock Entry,Additional Costs,Dodatečné náklady +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/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Účet s transakcemi nelze převést na skupinu. DocType: Lead,Product Enquiry,Dotaz Product DocType: Education Settings,Validate Batch for Students in Student Group,Ověřit dávku pro studenty ve skupině studentů @@ -295,7 +300,9 @@ DocType: Employee Education,Under Graduate,Za absolventa apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Prosím nastavte výchozí šablonu pro ohlášení stavu o stavu v HR nastaveních. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Target On DocType: BOM,Total Cost,Celkové náklady +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Platnost přidělení vypršela! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maximální počet přepravených listů DocType: Salary Slip,Employee Loan,zaměstnanec Loan DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .- MM.- DocType: Fee Schedule,Send Payment Request Email,Odeslat e-mail s žádostí o platbu @@ -305,6 +312,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Nemovi apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Výpis z účtu apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmaceutické DocType: Purchase Invoice Item,Is Fixed Asset,Je dlouhodobý majetek +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Zobrazit budoucí platby DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Tento bankovní účet je již synchronizován DocType: Homepage,Homepage Section,Sekce domovské stránky @@ -350,7 +358,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Hnojivo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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" -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,pro POS fakturu je nutná alespoň jeden způsob platby. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Šarže č. Je vyžadována pro dávkovou položku {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Položka faktury bankovního výpisu @@ -425,6 +432,7 @@ DocType: Job Offer,Select Terms and Conditions,Vyberte Podmínky apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,limitu DocType: Bank Statement Settings Item,Bank Statement Settings Item,Položka nastavení bankovního výpisu DocType: Woocommerce Settings,Woocommerce Settings,Nastavení Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Název transakce DocType: Production Plan,Sales Orders,Prodejní objednávky apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Pro zákazníka byl nalezen vícenásobný věrnostní program. Zvolte prosím ručně. DocType: Purchase Taxes and Charges,Valuation,Ocenění @@ -459,6 +467,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Zobrazovat pouze Zákazníka těchto skupin zákazníků DocType: Sales Invoice,Is Opening Entry,Je vstupní otvor @@ -467,8 +476,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Zmínka v případě nestandardní pohledávky účet použitelná 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 DocType: Supplier Scorecard,Criteria Setup,Nastavení kritérií -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Pro Sklad je povinné před Odesláním +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 DocType: Codification Table,Medical Code,Lékařský zákoník apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Spojte Amazon s ERPNext @@ -484,7 +494,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankovní účty přidány -DocType: Delivery Stop,Contact Name,Kontakt Jméno +DocType: Call Log,Contact Name,Kontakt Jméno DocType: Plaid Settings,Synchronize all accounts every hour,Synchronizujte všechny účty každou hodinu DocType: Course Assessment Criteria,Course Assessment Criteria,Hodnotící kritéria hřiště DocType: Pricing Rule Detail,Rule Applied,Platí pravidlo @@ -528,7 +538,6 @@ 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 č -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Neznámé číslo DocType: Website Filter Field,Website Filter Field,Pole filtru webových stránek apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Druh napájení DocType: Material Request Item,Min Order Qty,Min Objednané množství @@ -556,7 +565,6 @@ DocType: Salary Slip,Total Principal Amount,Celková hlavní částka DocType: Student Guardian,Relation,Vztah DocType: Quiz Result,Correct,Opravit DocType: Student Guardian,Mother,Matka -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Nejprve přidejte platné klíče Plaid api do souboru site_config.json DocType: Restaurant Reservation,Reservation End Time,Doba ukončení rezervace DocType: Crop,Biennial,Dvouletý ,BOM Variance Report,Zpráva o odchylce kusovníku @@ -572,6 +580,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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ů apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Platba proti {0} {1} nemůže být větší než dlužné částky {2} @@ -619,12 +628,14 @@ DocType: POS Profile,Offline POS Settings,Nastavení offline offline DocType: Stock Entry Detail,Reference Purchase Receipt,Referenční potvrzení o nákupu DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Varianta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Dokončené množství nemůže být větší než ""Množství do výroby""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Dokončené množství nemůže být větší než ""Množství do výroby""" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Období založené na DocType: Period Closing Voucher,Closing Account Head,Závěrečný účet hlava DocType: Employee,External Work History,Vnější práce History apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Kruhové Referenční Chyba apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Studentská karta apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Z kódu PIN +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Zobrazit prodejní osobu DocType: Appointment Type,Is Inpatient,Je hospitalizován apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Jméno Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Ve slovech (export) budou viditelné, jakmile uložíte doručení poznámku." @@ -638,6 +649,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Název dimenze apps/erpnext/erpnext/healthcare/setup.py,Resistant,Odolný apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Prosím, nastavte Hotel Room Rate na {}" +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: Journal Entry,Multi Currency,Více měn DocType: Bank Statement Transaction Invoice Item,Invoice Type,Typ faktury apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Platné od data musí být kratší než platné datum @@ -657,6 +669,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,"připustil," DocType: Workstation,Rent Cost,Rent Cost 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Nadcházející Události v kalendáři apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variant atributy @@ -744,7 +757,6 @@ DocType: Request for Quotation,Request for Quotation,Žádost o cenovou nabídku 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Zobrazit prodejní osobu v tisku 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 @@ -752,7 +764,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Vytvořit nový zákazník apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Vypnuto Zapnuto apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Je-li více pravidla pro tvorbu cen i nadále přednost, jsou uživatelé vyzváni k nastavení priority pro vyřešení konfliktu." -DocType: Purchase Invoice,Scan Barcode,Naskenujte čárový kód apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Vytvoření objednávek ,Purchase Register,Nákup Register apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacient nebyl nalezen @@ -811,6 +822,7 @@ DocType: Lead,Channel Partner,Channel Partner DocType: Account,Old Parent,Staré nadřazené apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Povinná oblast - Akademický rok apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} není přidružen k {2} {3} +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} @@ -853,6 +865,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Plat komponent pro mzdy časového rozvrhu. DocType: Driver,Applicable for external driver,Platí pro externí ovladač DocType: Sales Order Item,Used for Production Plan,Používá se pro výrobní plán +DocType: BOM,Total Cost (Company Currency),Celkové náklady (měna společnosti) DocType: Loan,Total Payment,Celková platba apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Nelze zrušit transakci pro dokončenou pracovní objednávku. DocType: Manufacturing Settings,Time Between Operations (in mins),Doba mezi operací (v min) @@ -874,6 +887,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Upozornit ostatní DocType: Vital Signs,Blood Pressure (systolic),Krevní tlak (systolický) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} je {2} DocType: Item Price,Valid Upto,Valid aľ +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. @@ -891,6 +905,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Změny v {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,"Prosím, vyberte Company" DocType: Employee Skill,Employee Skill,Dovednost zaměstnanců apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Rozdíl účtu @@ -934,6 +949,7 @@ DocType: Patient,Risk Factors,Rizikové faktory DocType: Patient,Occupational Hazards and Environmental Factors,Pracovní nebezpečí a environmentální faktory apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Zápisy již vytvořené pro pracovní objednávku apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Zobrazit minulé objednávky +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} konverzací DocType: Vital Signs,Respiratory rate,Dechová frekvence apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Správa Subdodávky DocType: Vital Signs,Body Temperature,Tělesná teplota @@ -975,6 +991,7 @@ DocType: Purchase Invoice,Registered Composition,Registrované složení apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Ahoj apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Přemístit položku DocType: Employee Incentive,Incentive Amount,Část pobídky +,Employee Leave Balance Summary,Shrnutí zůstatku zaměstnanců DocType: Serial No,Warranty Period (Days),Záruční doba (dny) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Celková částka Úvěr / Debit by měla být stejná jako propojený deník DocType: Installation Note Item,Installation Note Item,Poznámka k instalaci bod @@ -988,6 +1005,7 @@ DocType: Vital Signs,Bloated,Nafouklý DocType: Salary Slip,Salary Slip Timesheet,Plat Slip časový rozvrh apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dodavatel Warehouse povinné pro subdodavatelskou doklad o zakoupení DocType: Item Price,Valid From,Platnost od +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Vaše hodnocení: DocType: Sales Invoice,Total Commission,Celkem Komise DocType: Tax Withholding Account,Tax Withholding Account,Účet pro zadržení daně DocType: Pricing Rule,Sales Partner,Sales Partner @@ -995,6 +1013,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Všechna hodnocen 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 +DocType: Item,Website Image,Obrázek webové stránky apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Cílový sklad v řádku {0} musí být stejný jako pracovní objednávka apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Cena je povinná, pokud je zadán počáteční stav zásob" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nalezené v tabulce faktury Žádné záznamy @@ -1029,8 +1048,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},D 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Před synchronizací účtu dokončete konfiguraci Plaid API 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 DocType: Job Applicant,Resume Attachment,Resume Attachment @@ -1042,7 +1061,6 @@ DocType: Production Plan,Production Plan,Plán produkce DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Otevření nástroje pro vytváření faktur DocType: Salary Component,Round to the Nearest Integer,Zaokrouhlí na nejbližší celé číslo apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Sales Return -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Poznámka: Celkový počet alokovaných listy {0} by neměla být menší než které již byly schváleny listy {1} pro období DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Nastavte počet transakcí na základě sériového č. Vstupu ,Total Stock Summary,Shrnutí souhrnného stavu apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1070,6 +1088,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,"Lo apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,jistina DocType: Loan Application,Total Payable Interest,Celkem Splatné úroky apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Celková nevyřízená hodnota: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Otevřete kontakt DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Prodejní faktury časový rozvrh 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} @@ -1079,6 +1098,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Výchozí série pojmenov 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ě DocType: Restaurant Reservation,Restaurant Reservation,Rezervace restaurace +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Vaše položky apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Návrh Psaní DocType: Payment Entry Deduction,Payment Entry Deduction,Platba Vstup dedukce DocType: Service Level Priority,Service Level Priority,Priorita úrovně služeb @@ -1087,6 +1107,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Číselná řada šarží apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Další prodeje osoba {0} existuje se stejným id zaměstnance DocType: Employee Advance,Claimed Amount,Požadovaná částka +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Vyprší přidělení 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í @@ -1155,7 +1176,6 @@ DocType: Student Batch Name,Batch Name,Batch Name DocType: Fee Validity,Max number of visit,Maximální počet návštěv DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Povinné pro účet zisků a ztrát ,Hotel Room Occupancy,Hotel Occupancy -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Časového rozvrhu vytvoření: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Zapsat DocType: GST Settings,GST Settings,Nastavení GST @@ -1286,6 +1306,7 @@ DocType: Sales Invoice,Commission Rate (%),Výše provize (%) 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: Request for Quotation,Link to material requests,Odkaz na materiálních požadavků +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Publikovat apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Vstup Kreditní karta @@ -1312,6 +1333,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Oběžná aktiva apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} není skladová položka apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Podělte se o své připomínky k tréninku kliknutím na "Tréninkové připomínky" a poté na "Nové" +DocType: Call Log,Caller Information,Informace o volajícím DocType: Mode of Payment Account,Default Account,Výchozí účet apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Zvolte prosím nejprve Sample Retention Warehouse in Stock Stock apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Zvolte typ víceúrovňového programu pro více než jednu pravidla kolekce. @@ -1336,6 +1358,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Žádosti Auto materiál vygenerovaný DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Pracovní doba, pod kterou je označen půl dne. (Nulování zakázat)" DocType: Job Card,Total Completed Qty,Celkem dokončeno Množství +DocType: HR Settings,Auto Leave Encashment,Automatické ponechání inkasa apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Ztracený apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,"Nelze zadat aktuální poukaz v ""Proti Zápis do deníku"" sloupci" DocType: Employee Benefit Application Detail,Max Benefit Amount,Maximální částka prospěchu @@ -1365,9 +1388,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Odběratel DocType: Item Attribute Value,Item Attribute Value,Položka Hodnota atributu apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Směnárna musí být platná pro nákup nebo pro prodej. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,"Zrušit lze pouze přidělení, jehož platnost skončila" DocType: Item,Maximum sample quantity that can be retained,"Maximální množství vzorku, které lze zadržet" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Řádek {0} # Položka {1} nelze převést více než {2} na objednávku {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Prodej kampaně. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Neznámý volající DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1418,6 +1443,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Časový pl apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Name DocType: Expense Claim Detail,Expense Claim Type,Náklady na pojistná Type DocType: Shopping Cart Settings,Default settings for Shopping Cart,Výchozí nastavení Košík +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Uložit položku apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Nové výdaje apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignorovat existující objednané množství apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Přidat Timeslots @@ -1430,6 +1456,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Prohlížení pozvánky odesláno DocType: Shift Assignment,Shift Assignment,Shift Assignment DocType: Employee Transfer Property,Employee Transfer Property,Vlastnictví převodů zaměstnanců +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Pole Účet vlastního kapitálu / odpovědnosti nemůže být prázdné apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Od času by mělo být méně než čas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotechnologie apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1511,11 +1538,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,rozvrh DocType: GSTR 3B Report,GSTR 3B Report,Zpráva GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Citace Stav DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Dokončení Status +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Celková částka plateb nemůže být vyšší než {} DocType: Daily Work Summary Group,Select Users,Vyberte možnost Uživatelé DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Položka ceny pokoje hotelu DocType: Loyalty Program Collection,Tier Name,Název úrovně @@ -1553,6 +1582,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Částka DocType: Lab Test Template,Result Format,Formát výsledků DocType: Expense Claim,Expenses,Výdaje DocType: Service Level,Support Hours,Hodiny podpory +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Dodací listy DocType: Item Variant Attribute,Item Variant Attribute,Položka Variant Atribut ,Purchase Receipt Trends,Doklad o koupi Trendy DocType: Payroll Entry,Bimonthly,dvouměsíčník @@ -1575,7 +1605,6 @@ DocType: Sales Team,Incentives,Pobídky DocType: SMS Log,Requested Numbers,Požadované Čísla DocType: Volunteer,Evening,Večer DocType: Quiz,Quiz Configuration,Konfigurace kvízu -DocType: Customer,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 @@ -1622,7 +1651,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Devizov ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Nelze najít časový úsek v příštích {0} dní k provozu {1} DocType: Work Order,Plan material for sub-assemblies,Plán materiál pro podsestavy 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 @@ -1637,9 +1665,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,"Chcete-li zachovat úrovně opětovného objednání, musíte povolit automatickou změnu pořadí v Nastavení skladu." apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Zrušit Materiál Návštěvy {0} před zrušením tohoto návštěv údržby DocType: Pricing Rule,Rate or Discount,Cena nebo sleva +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bankovní detaily DocType: Vital Signs,One Sided,Jednostranné apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Pořadové číslo {0} nepatří k bodu {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Požadované množství +DocType: Purchase Order Item Supplied,Required Qty,Požadované množství DocType: Marketplace Settings,Custom Data,Vlastní data apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Sklady se stávajícími transakce nelze převést na knihy. DocType: Service Day,Service Day,Servisní den @@ -1667,7 +1696,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Měna účtu DocType: Lab Test,Sample ID,ID vzorku apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,"Prosím, uveďte zaokrouhlit účet v společnosti" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Rozsah DocType: Supplier,Default Payable Accounts,Výchozí úplatu účty apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Zaměstnanec {0} není aktivní nebo neexistuje @@ -1708,8 +1736,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Žádost o informace DocType: Course Activity,Activity Date,Datum aktivity apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} z {} -,LeaderBoard,LeaderBoard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Sazba s marží (měna společnosti) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategorie apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Faktury DocType: Payment Request,Paid,Placený DocType: Service Level,Default Priority,Výchozí priorita @@ -1744,11 +1772,11 @@ DocType: Agriculture Task,Agriculture Task,Zemědělské úkoly apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Nepřímé příjmy DocType: Student Attendance Tool,Student Attendance Tool,Student Účast Tool DocType: Restaurant Menu,Price List (Auto created),Ceník (vytvořeno automaticky) +DocType: Pick List Item,Picked Qty,Vybráno Množství DocType: Cheque Print Template,Date Settings,Datum Nastavení 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ů -,Company Name,Název společnosti 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. @@ -1767,7 +1795,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Poslední pokus 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} -DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Company měna) 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 @@ -1834,6 +1861,7 @@ DocType: Travel Itinerary,Train,Vlak ,Delayed Item Report,Zpráva o zpoždění položky apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Způsobilé ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Lůžková obsazenost +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Zveřejněte své první položky DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Čas po skončení směny, během kterého je check-out považován za účast." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Zadejte {0} @@ -1949,6 +1977,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Všechny kusovní apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Vytvořte položku inter firemního deníku DocType: Company,Parent Company,Mateřská společnost apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotel Pokoje typu {0} nejsou k dispozici v {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Porovnejte kusovníky pro změny surovin a operací apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokument {0} byl úspěšně nejasný DocType: Healthcare Practitioner,Default Currency,Výchozí měna apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Odsouhlaste tento účet @@ -1983,6 +2012,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktura Detail DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Platba Odsouhlasení faktury DocType: Clinical Procedure,Procedure Template,Šablona postupu +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publikovat položky apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Příspěvek% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Podle Nákupních nastavení, pokud je objednávka požadována == 'ANO', pak pro vytvoření nákupní faktury musí uživatel nejprve vytvořit nákupní objednávku pro položku {0}" ,HSN-wise-summary of outward supplies,HSN - shrnutí vnějších dodávek @@ -1995,7 +2025,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Prosím nastavte na "Použít dodatečnou slevu On" DocType: Party Tax Withholding Config,Applicable Percent,Použitelné procento ,Ordered Items To Be Billed,Objednané zboží fakturovaných -DocType: Employee Checkin,Exit Grace Period Consequence,Ukončete následky období milosti apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,"Z rozsahu, musí být nižší než na Range" DocType: Global Defaults,Global Defaults,Globální Výchozí apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Projekt spolupráce Pozvánka @@ -2003,13 +2032,11 @@ DocType: Salary Slip,Deductions,Odpočty DocType: Setup Progress Action,Action Name,Název akce apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Začátek Rok apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Vytvořit půjčku -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Datum období současného faktury je Začátek DocType: Shift Type,Process Attendance After,Procesní účast po ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Volno bez nároku na mzdu DocType: Payment Request,Outward,Vnější -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Plánování kapacit Chyba apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Daň státu / UT ,Trial Balance for Party,Trial váhy pro stranu ,Gross and Net Profit Report,Hrubý a čistý zisk @@ -2028,7 +2055,6 @@ DocType: Payroll Entry,Employee Details,Podrobnosti o zaměstnanci 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 -DocType: Setup Progress Action,Domains,Domény 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} @@ -2071,7 +2097,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Celkové s 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.","Režim platba není nakonfigurován. Prosím zkontrolujte, zda je účet byl nastaven na režim plateb nebo na POS Profilu." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Stejnou položku nelze zadat vícekrát. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Další účty mohou být vyrobeny v rámci skupiny, ale údaje lze proti non-skupin" -DocType: Email Campaign,Lead,Lead +DocType: Call Log,Lead,Lead DocType: Email Digest,Payables,Závazky DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,E-mailová kampaň pro @@ -2083,6 +2109,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Položky vydané objednávky k fakturaci 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 DocType: Purchase Invoice Item,Net Rate,Čistá míra apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Vyberte zákazníka DocType: Leave Policy,Leave Allocations,Ponechat alokace @@ -2096,6 +2123,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,V blízkosti Issue po několika dnech ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Musíte být uživateli s rolí Správce systému a Správce položek pro přidání uživatelů do služby Marketplace. +DocType: Attendance,Early Exit,Předčasný odchod DocType: Job Opening,Staffing Plan,Zaměstnanecký plán apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,Účet E-Way Bill JSON lze vygenerovat pouze z předloženého dokumentu apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Daň a dávky zaměstnanců @@ -2116,6 +2144,7 @@ DocType: Maintenance Team Member,Maintenance Role,Úloha údržby apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Duplicitní řádek {0} se stejným {1} DocType: Marketplace Settings,Disable Marketplace,Zakázat tržiště DocType: Quality Meeting,Minutes,Minut +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Vaše doporučené položky ,Trial Balance,Trial Balance apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Zobrazit dokončeno apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskální rok {0} nebyl nalezen @@ -2125,8 +2154,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Uživatel rezervace ubyto 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" 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-,Ó- -DocType: Shift Type,Consequence,Následek DocType: Subscription Settings,Subscription Settings,Nastavení předplatného DocType: Purchase Invoice,Update Auto Repeat Reference,Aktualizovat referenci automatického opakování apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Volitelný prázdninový seznam není nastaven na období dovolené {0} @@ -2137,7 +2166,6 @@ DocType: Maintenance Visit Purpose,Work Done,Odvedenou práci apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Uveďte prosím alespoň jeden atribut v tabulce atributy DocType: Announcement,All Students,Všichni studenti apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Item {0} musí být non-skladová položka -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,View Ledger DocType: Grading Scale,Intervals,intervaly DocType: Bank Statement Transaction Entry,Reconciled Transactions,Zkombinované transakce @@ -2173,6 +2201,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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ě 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 DocType: Opportunity Item,Opportunity Item,Položka Příležitosti DocType: Quality Action,Quality Review,Kontrola kvality @@ -2199,7 +2228,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Získat neuhrazených faktur -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Prodejní objednávky {0} není platný +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Objednávky pomohou při plánování a navázat na vašich nákupech apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Předpisy pro laboratorní testy @@ -2224,6 +2253,7 @@ DocType: Employee Onboarding,Notify users by email,Upozornit uživatele e-mailem DocType: Travel Request,International,Mezinárodní DocType: Training Event,Training Event,Training Event DocType: Item,Auto re-order,Automatické znovuobjednání +DocType: Attendance,Late Entry,Pozdní vstup apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Celkem Dosažená DocType: Employee,Place of Issue,Místo vydání DocType: Promotional Scheme,Promotional Scheme Price Discount,Sleva na cenu propagačního schématu @@ -2270,6 +2300,7 @@ DocType: Serial No,Serial No Details,Serial No Podrobnosti DocType: Purchase Invoice Item,Item Tax Rate,Sazba daně položky apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Od názvu strany apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Čistá mzda +DocType: Pick List,Delivery against Sales Order,Dodávka na prodejní objednávku DocType: Student Group Student,Group Roll Number,Číslo role skupiny apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Pro {0}, tak úvěrové účty mohou být propojeny na jinou položku debetní" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Delivery Note {0} není předložena @@ -2341,7 +2372,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Tato hodnota se používá pro výpočet pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Musíte povolit Nákupní košík DocType: Payment Entry,Writeoff,Odepsat DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2355,6 +2385,7 @@ DocType: Delivery Trip,Total Estimated Distance,Celková odhadovaná vzdálenost DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Účet nesplacených účtů DocType: Tally Migration,Tally Company,Společnost Tally apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Prohlížeč kusovníku +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Není dovoleno vytvářet účetní dimenzi pro {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Aktualizujte svůj stav pro tuto tréninkovou akci DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Přidat nebo Odečíst @@ -2364,7 +2395,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Neaktivní prodejní položky DocType: Quality Review,Additional Information,dodatečné informace apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Celková hodnota objednávky -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Obnovení dohody o úrovni služeb. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Jídlo apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Stárnutí Rozsah 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Podrobnosti závěrečného poukazu POS @@ -2411,6 +2441,7 @@ 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ň 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""" DocType: Healthcare Practitioner,Contacts and Address,Kontakty a adresa DocType: Shift Type,Determine Check-in and Check-out,Určete check-in a check-out @@ -2430,7 +2461,6 @@ DocType: Student Admission,Eligibility and Details,Způsobilost a podrobnosti apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Zahrnuto do hrubého zisku apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Čistá změna ve stálých aktiv apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Požadovaný počet -DocType: Company,Client Code,Kód klienta apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Od datetime @@ -2499,6 +2529,7 @@ 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. 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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Zákazník je vyžadován oproti účtu pohledávek {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Celkem Daně a poplatky (Company Měnové) DocType: Weather,Weather Parameter,Parametr počasí @@ -2561,6 +2592,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Prahová hodnota pracovn apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,V závislosti na celkovém vynaloženém množství může být více stupňů sběru. Přepočítací koeficient pro vykoupení bude vždy stejný pro všechny úrovně. apps/erpnext/erpnext/config/help.py,Item Variants,Položka Varianty apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Služby +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,Kus 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Email výplatní pásce pro zaměstnance DocType: Cost Center,Parent Cost Center,Nadřazené Nákladové středisko @@ -2571,7 +2603,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","Z DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importovat doručovací poznámky z Shopify při odeslání apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Show uzavřen DocType: Issue Priority,Issue Priority,Priorita vydání -DocType: Leave Type,Is Leave Without Pay,Je odejít bez Pay +DocType: Leave Ledger Entry,Is Leave Without Pay,Je odejít bez Pay apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset kategorie je povinný pro položku dlouhodobých aktiv DocType: Fee Validity,Fee Validity,Platnost poplatku @@ -2620,6 +2652,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,K dispozici šarže apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Aktualizace Print Format DocType: Bank Account,Is Company Account,Je účet společnosti apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Opustit typ {0} není vyměnitelný +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Úvěrový limit je již pro společnost definován {0} DocType: Landed Cost Voucher,Landed Cost Help,Přistálo Náklady Help DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Zvolit adresu pro dodání @@ -2644,6 +2677,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Obousměrné DocType: Item,Manufacturers,Výrobci @@ -2680,7 +2714,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Bank Odsouhlasení prohlášení DocType: Patient Encounter,Medical Coding,Lékařské kódování DocType: Healthcare Settings,Reminder Message,Připomenutí zprávy -,Lead Name,Jméno leadu +DocType: Call Log,Lead Name,Jméno leadu ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Prospektování @@ -2712,12 +2746,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Dodavatel Warehouse DocType: Opportunity,Contact Mobile No,Kontakt Mobil apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Vyberte společnost ,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: 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- 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.,Uživatel {0} nemá žádný výchozí POS profil. Zaškrtněte výchozí v řádku {1} pro tohoto uživatele. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kvalitní zápisnice z jednání +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodavatel> Typ dodavatele apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Doporučení zaměstnance DocType: Student Group,Set 0 for no limit,Nastavte 0 pro žádný limit apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"V den, kdy (y), na které žádáte o povolení jsou prázdniny. Nemusíte požádat o volno." @@ -2751,12 +2787,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Čistá změna v hotovosti DocType: Assessment Plan,Grading Scale,Klasifikační stupnice apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Měrná jednotka {0} byl zadán více než jednou v konverzním faktorem tabulce -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,již byly dokončeny apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Skladem v ruce apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Přidejte zbývající výhody {0} do aplikace jako \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Nastavte prosím fiskální kód pro veřejnou správu '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Platba Poptávka již existuje {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Náklady na vydaných položek DocType: Healthcare Practitioner,Hospital,NEMOCNICE apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Množství nesmí být větší než {0} @@ -2801,6 +2835,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Lidské zdroje apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Horní příjmů DocType: Item Manufacturer,Item Manufacturer,položka Výrobce +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Vytvořit nového potenciálního zákazníka DocType: BOM Operation,Batch Size,Objem várky apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Odmítnout DocType: Journal Entry Account,Debit in Company Currency,Debetní ve společnosti Měna @@ -2821,9 +2856,11 @@ DocType: Bank Transaction,Reconciled,Smířeno DocType: Expense Claim,Total Amount Reimbursed,Celkové částky proplacené apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,To je založeno na protokolech proti tomuto vozidlu. Viz časovou osu níže podrobnosti apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,"Den výplaty nesmí být menší, než je datum přihlášení zaměstnance" +DocType: Pick List,Item Locations,Umístění položky apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} vytvořil apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Otevírání úloh pro označení {0} již otevřeno nebo dokončení pronájmu podle Personálního plánu {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Můžete publikovat až 200 položek. DocType: Vital Signs,Constipated,Zácpa apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Proti faktuře dodavatele {0} ze dne {1} DocType: Customer,Default Price List,Výchozí Ceník @@ -2915,6 +2952,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Shift Skutečný start DocType: Tally Migration,Is Day Book Data Imported,Jsou importována data denní knihy apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Marketingové náklady +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} jednotek {1} není k dispozici. ,Item Shortage Report,Položka Nedostatek Report 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 @@ -2937,6 +2975,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 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 DocType: Material Request,Transferred,Přestoupil DocType: Vehicle,Doors,dveře @@ -3016,7 +3055,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Zákazníka Kód položky DocType: Stock Reconciliation,Stock Reconciliation,Reklamní Odsouhlasení DocType: Territory,Territory Name,Území Name DocType: Email Digest,Purchase Orders to Receive,Objednávky k nákupu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Work-in-Progress sklad je zapotřebí před Odeslat +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Work-in-Progress sklad je zapotřebí před Odeslat apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,V předplatném můžete mít pouze Plány se stejným fakturačním cyklem DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapované údaje DocType: Purchase Order Item,Warehouse and Reference,Sklad a reference @@ -3090,6 +3129,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Nastavení doručení apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Načíst data apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maximální povolená dovolená v typu dovolené {0} je {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publikovat 1 položku DocType: SMS Center,Create Receiver List,Vytvořit přijímače seznam DocType: Student Applicant,LMS Only,Pouze LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Data k dispozici k použití by měla být po datu nákupu @@ -3123,6 +3163,7 @@ 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 DocType: Vital Signs,Furry,Srstnatý apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prosím nastavte "/ ZTRÁTY zisk z aktiv odstraňováním" ve firmě {0} +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} @@ -3134,6 +3175,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Zobrazit všechna čísla od {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabulka setkání kvality +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 apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Navštivte fóra DocType: Student,Student Mobile Number,Student Číslo mobilního telefonu DocType: Item,Has Variants,Má varianty @@ -3144,9 +3186,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Název měsíční výplatou DocType: Quality Procedure Process,Quality Procedure Process,Proces řízení kvality apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Číslo šarže je povinné +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Nejprve prosím vyberte Zákazníka DocType: Sales Person,Parent Sales Person,Parent obchodník apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,"Žádné položky, které mají být přijaty, nejsou opožděné" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Prodávající a kupující nemohou být stejní +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Zatím žádné pohledy DocType: Project,Collect Progress,Sbírat Progress DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.RRRR.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Nejprve vyberte program @@ -3168,11 +3212,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Dosažená DocType: Student Admission,Application Form Route,Přihláška Trasa apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Datum ukončení dohody nemůže být kratší než dnes. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter k odeslání DocType: Healthcare Settings,Patient Encounters in valid days,Setkání pacientů v platných dnech apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Nechat Typ {0} nemůže být přidělena, neboť se odejít bez zaplacení" 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},Row {0}: Přidělená částka {1} musí být menší než nebo se rovná fakturovat dlužné částky {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Ve slovech budou viditelné, jakmile uložíte prodejní faktury." DocType: Lead,Follow Up,Následovat +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Nákladové středisko: {0} neexistuje DocType: Item,Is Sales Item,Je Sales Item apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Strom skupin položek apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,"Položka {0} není nastavení pro Serial č. Zkontrolujte, zda master položku" @@ -3217,9 +3263,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Dodávané Množství DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Materiál Žádost o bod -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Nejprve zrušte potvrzení o nákupu {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Strom skupiny položek. DocType: Production Plan,Total Produced Qty,Celkový vyrobený počet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Zatím žádné recenze apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Nelze odkazovat číslo řádku větší nebo rovnou aktuální číslo řádku pro tento typ Charge DocType: Asset,Sold,Prodáno ,Item-wise Purchase History,Item-moudrý Historie nákupů @@ -3238,7 +3284,7 @@ DocType: Designation,Required Skills,Požadované dovednosti DocType: Inpatient Record,O Positive,O pozitivní apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investice DocType: Issue,Resolution Details,Rozlišení Podrobnosti -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,typ transakce +DocType: Leave Ledger Entry,Transaction Type,typ transakce DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kritéria přijetí apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Prosím, zadejte Žádosti materiál ve výše uvedené tabulce" apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,K dispozici nejsou žádné splátky pro zápis do deníku @@ -3279,6 +3325,7 @@ DocType: Bank Account,Bank Account No,Bankovní účet č DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Osvobození od daně z osvobození zaměstnanců DocType: Patient,Surgical History,Chirurgická historie DocType: Bank Statement Settings Item,Mapped Header,Mapované záhlaví +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: 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í. 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} @@ -3346,7 +3393,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Přidat hlavičkový pap DocType: Program Enrollment,Self-Driving Vehicle,Samohybné vozidlo 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Celkové přidělené listy {0} nemůže být nižší než již schválených listy {1} pro období DocType: Contract Fulfilment Checklist,Requirement,Požadavek DocType: Journal Entry,Accounts Receivable,Pohledávky DocType: Quality Goal,Objectives,Cíle @@ -3369,7 +3415,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Jednoduchá transakč DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Tato hodnota je aktualizována v seznamu výchozích prodejních cen. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Tvůj vozík je prázdný DocType: Email Digest,New Expenses,Nové výdaje -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Částka PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Nelze optimalizovat trasu, protože chybí adresa ovladače." DocType: Shareholder,Shareholder,Akcionář DocType: Purchase Invoice,Additional Discount Amount,Dodatečná sleva Částka @@ -3406,6 +3451,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Úloha údržby apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Nastavte prosím B2C Limit v nastavení GST. DocType: Marketplace Settings,Marketplace Settings,Nastavení tržiště DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Sklad, kde se udržují zásoby odmítnutých položek" +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Publikovat {0} položek 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,Nelze najít kurz {0} až {1} pro klíčový den {2}. Ručně vytvořte záznam o směnném kurzu DocType: POS Profile,Price List,Ceník 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. @@ -3442,6 +3488,7 @@ DocType: Salary Component,Deduction,Dedukce DocType: Item,Retain Sample,Zachovat vzorek apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Řádek {0}: From Time a na čas je povinná. DocType: Stock Reconciliation Item,Amount Difference,výše Rozdíl +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"Tato stránka sleduje položky, které chcete koupit od prodejců." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Položka Cena přidán pro {0} v Ceníku {1} DocType: Delivery Stop,Order Information,Informace o objednávce apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Prosím, zadejte ID zaměstnance z tohoto prodeje osoby" @@ -3470,6 +3517,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Název plánu hodnocení apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Podrobnosti o cíli apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Platí, pokud je společností SpA, SApA nebo SRL" @@ -3522,7 +3570,6 @@ DocType: Company,Transactions Annual History,Výroční historie transakcí 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Nad 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 @@ -3574,6 +3621,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Zisk za rok 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 @@ -3627,12 +3675,10 @@ DocType: Supplier Scorecard,Scoring Setup,Nastavení bodování apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Pro společnost nebylo nalezeno žádné číslo GST. 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 DocType: Question,Single Correct Answer,Jedna správná odpověď -DocType: Employee,Contact Details,Kontaktní údaje DocType: C-Form,Received Date,Datum přijetí DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Pokud jste vytvořili standardní šablonu v prodeji daní a poplatků šablony, vyberte jednu a klikněte na tlačítko níže." DocType: BOM Scrap Item,Basic Amount (Company Currency),Základní částka (Company měna) @@ -3662,12 +3708,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Webové stránky Provoz DocType: Bank Statement Transaction Payment Item,outstanding_amount,nesplacená částka DocType: Supplier Scorecard,Supplier Score,Skóre dodavatele apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Naplánovat přijetí +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Celková částka žádosti o platbu nesmí být vyšší než {0} částka DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Limit kumulativní transakce DocType: Promotional Scheme Price Discount,Discount Type,Typ slevy -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Celkové fakturované Amt DocType: Purchase Invoice Item,Is Free Item,Je položka zdarma +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Procento, které můžete převést více oproti objednanému množství. Například: Pokud jste si objednali 100 kusů. a vaše povolenka je 10%, pak můžete převést 110 jednotek." DocType: Supplier,Warn RFQs,Upozornění na RFQ -apps/erpnext/erpnext/templates/pages/home.html,Explore,Prozkoumat +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Prozkoumat DocType: BOM,Conversion Rate,Míra konverze apps/erpnext/erpnext/www/all-products/index.html,Product Search,Hledat výrobek ,Bank Remittance,Bankovní převody @@ -3679,6 +3726,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Celková částka zaplacena DocType: Asset,Insurance End Date,Datum ukončení pojištění apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Vyberte studentský vstup, který je povinný pro žáka placeného studenta" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.RRRR.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Rozpočtový seznam DocType: Campaign,Campaign Schedules,Rozvrhy kampaní DocType: Job Card Time Log,Completed Qty,Dokončené Množství @@ -3701,6 +3749,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Nová adr DocType: Quality Inspection,Sample Size,Velikost vzorku apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,"Prosím, zadejte převzetí dokumentu" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Všechny položky již byly fakturovány +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Listy odebrány apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Uveďte prosím platný ""Od věci č '" 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,"Další nákladová střediska mohou být vyrobeny v rámci skupiny, ale položky mohou být provedeny proti non-skupin" 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,Celkové přidělené listy jsou dny více než maximální přidělení {0} typu dovolené pro zaměstnance {1} v daném období @@ -3800,6 +3849,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Zahrnout ce 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 DocType: Leave Block List,Allow Users,Povolit uživatele 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: 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í. @@ -3853,6 +3904,7 @@ DocType: Support Search Source,Result Title Field,Výsledek Název pole apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Přehled hovorů DocType: Sample Collection,Collected Time,Shromážděný čas DocType: Employee Skill Map,Employee Skills,Zaměstnanecké dovednosti +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Náklady na palivo DocType: Company,Sales Monthly History,Měsíční historie prodeje apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Nastavte prosím alespoň jeden řádek v tabulce daní a poplatků DocType: Asset Maintenance Task,Next Due Date,Další datum splatnosti @@ -3862,6 +3914,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Známky DocType: Payment Entry,Payment Deductions or Loss,Platební srážky nebo ztráta DocType: Soil Analysis,Soil Analysis Criterias,Kritéria analýzy půdy apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardní smluvní podmínky pro prodej nebo koupi. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Řádky odebrány za {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Zahájení kontroly před začátkem směny (v minutách) DocType: BOM Item,Item operation,Položka položky apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Seskupit podle Poukazu @@ -3887,11 +3940,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Výplatní pásce zaměstnance {0} již vytvořili pro toto období apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmaceutické apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,"Chcete-li platnou částku inkasa, můžete odeslat příkaz Opustit zapsání" +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Položky od apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Náklady na zakoupené zboží DocType: Employee Separation,Employee Separation Template,Šablona oddělení zaměstnanců DocType: Selling Settings,Sales Order Required,Prodejní objednávky Povinné apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Staňte se prodejcem -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Počet událostí, po kterých je důsledek proveden." ,Procurement Tracker,Sledování nákupu DocType: Purchase Invoice,Credit To,Kredit: apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC obrácené @@ -3904,6 +3957,7 @@ DocType: Quality Meeting,Agenda,Denní program DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Plán údržby Detail DocType: Supplier Scorecard,Warn for new Purchase Orders,Upozornit na nové nákupní objednávky DocType: Quality Inspection Reading,Reading 9,Čtení 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Připojte svůj účet Exotel k ERPDext a sledujte protokoly hovorů DocType: Supplier,Is Frozen,Je Frozen DocType: Tally Migration,Processed Files,Zpracované soubory apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Uzel skupina sklad není dovoleno vybrat pro transakce @@ -3913,6 +3967,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Ne pro hotový DocType: Upload Attendance,Attendance To Date,Účast na data 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 @@ -3937,7 +3992,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Žadatel apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Neplatná reference {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Pravidla pro uplatňování různých propagačních programů. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nemůže být větší, než plánované množství ({2}), ve výrobní objednávce {3}" DocType: Shipping Rule,Shipping Rule Label,Přepravní Pravidlo Label DocType: Journal Entry Account,Payroll Entry,Příspěvek mzdy apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Zobrazení záznamů o poplatcích @@ -3949,6 +4003,7 @@ DocType: Contract,Fulfilment Status,Stav plnění DocType: Lab Test Sample,Lab Test Sample,Laboratorní testovací vzorek DocType: Item Variant Settings,Allow Rename Attribute Value,Povolit přejmenování hodnoty atributu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Rychlý vstup Journal +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Částka budoucí platby apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Nemůžete změnit sazbu, kdyby BOM zmínil agianst libovolné položky" DocType: Restaurant,Invoice Series Prefix,Předvolba série faktur DocType: Employee,Previous Work Experience,Předchozí pracovní zkušenosti @@ -3978,6 +4033,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Stav projektu DocType: UOM,Check this to disallow fractions. (for Nos),"Zkontrolujte, zda to zakázat frakce. (U č)" DocType: Student Admission Program,Naming Series (for Student Applicant),Pojmenování Series (pro studentské přihlašovatel) +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/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 @@ -3993,6 +4049,7 @@ DocType: Fiscal Year,Year End Date,Datum Konce Roku DocType: Task Depends On,Task Depends On,Úkol je závislá na apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Příležitost DocType: Options,Option,Volba +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},V uzavřeném účetním období nelze vytvářet účetní záznamy {0} DocType: Operation,Default Workstation,Výchozí Workstation DocType: Payment Entry,Deductions or Loss,Odpočty nebo ztráta apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} je uzavřen @@ -4001,6 +4058,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Získejte aktuální stav DocType: Purchase Invoice,ineligible,neoprávněné apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Strom Bill materiálů +DocType: BOM,Exploded Items,Rozložené položky DocType: Student,Joining Date,Datum připojení ,Employees working on a holiday,Zaměstnanci pracující na dovolenou ,TDS Computation Summary,Shrnutí výpočtu TDS @@ -4033,6 +4091,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Základní sazba (dle DocType: SMS Log,No of Requested SMS,Počet žádaným SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Nechat bez nároku na odměnu nesouhlasí se schválenými záznamů nechat aplikaci apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Další kroky +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Uložené položky DocType: Travel Request,Domestic,Domácí apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Prosím dodávat uvedené položky na nejlepší možné ceny apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Převod zaměstnanců nelze předložit před datem převodu @@ -4105,7 +4164,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Asset Kategorie Account apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Hodnota {0} je již přiřazena k existující položce {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Řádek # {0} (platební tabulka): Částka musí být kladná -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Nelze produkují více položku {0} než prodejní objednávky množství {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Nelze produkují více položku {0} než prodejní objednávky množství {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,V hrubé hodnotě není zahrnuto nic apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Pro tento dokument již existuje e-Way Bill apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Vyberte hodnoty atributů @@ -4140,12 +4199,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Povolit různé důsledky pro předčasný odchod ,Lab Test Report,Zkušební protokol DocType: Employee Benefit Application,Employee Benefit Application,Aplikace pro zaměstnance 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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Dodávka Vezměte prosím na vědomí první DocType: Student Applicant,Application Date,aplikace Datum DocType: Salary Component,Amount based on formula,Částka podle vzorce DocType: Purchase Invoice,Currency and Price List,Měna a ceník @@ -4174,6 +4231,7 @@ DocType: Purchase Receipt,Time at which materials were received,"Čas, kdy bylo DocType: Products Settings,Products per Page,Produkty na stránku 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Přidělené množství nemůže být záporné DocType: Sales Order,Billing Status,Status Fakturace apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Nahlásit problém @@ -4183,6 +4241,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90 Nad 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,Řádek # {0}: Journal Entry {1} nemá účet {2} nebo již uzavřeno proti jinému poukazu DocType: Supplier Scorecard Criteria,Criteria Weight,Kritéria Váha +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Účet: {0} není povolen v rámci zadání platby DocType: Production Plan,Ignore Existing Projected Quantity,Ignorujte existující předpokládané množství apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Zanechat oznámení o schválení DocType: Buying Settings,Default Buying Price List,Výchozí Nákup Ceník @@ -4191,6 +4250,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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" DocType: Payment Entry,Payment Type,Typ platby apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Vyberte položku Dávka pro položku {0}. Nelze najít jednu dávku, která splňuje tento požadavek" @@ -4219,6 +4279,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Nákupní košík Nastave DocType: Journal Entry,Accounting Entries,Účetní záznamy 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ů'." +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: Journal Entry,Paid Loan,Placený úvěr 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 @@ -4235,12 +4296,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Podrobnosti apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Žádné pracovní výkazy DocType: GoCardless Mandate,GoCardless Customer,Zákazník GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Nechte typ {0} nelze provádět předávány +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Plán údržby není generován pro všechny položky. Prosím, klikněte na ""Generovat Schedule""" ,To Produce,K výrobě DocType: Leave Encashment,Payroll,Mzdy 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","Pro řádek {0} v {1}. Chcete-li v rychlosti položku jsou {2}, řádky {3} musí být také zahrnuty" DocType: Healthcare Service Unit,Parent Service Unit,Rodičovská služba DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikace balíčku pro dodávky (pro tisk) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Dohoda o úrovni služeb byla resetována. DocType: Bin,Reserved Quantity,Vyhrazeno Množství apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Zadejte platnou e-mailovou adresu DocType: Volunteer Skill,Volunteer Skill,Dobrovolnické dovednosti @@ -4261,7 +4324,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Cena nebo sleva produktu apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Pro řádek {0}: Zadejte plánované množství DocType: Account,Income Account,Účet příjmů -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území DocType: Payment Request,Amount in customer's currency,Částka v měně zákazníka apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Dodávka apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Přiřazení struktur ... @@ -4284,6 +4346,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Ztratíte záznamy o dříve vygenerovaných fakturách. Opravdu chcete tento odběr restartovat? @@ -4339,11 +4402,10 @@ DocType: Additional Salary,HR User,HR User DocType: Bank Guarantee,Reference Document Name,Název referenčního dokumentu DocType: Purchase Invoice,Taxes and Charges Deducted,Daně a odečtené DocType: Support Settings,Issues,Problémy -DocType: Shift Type,Early Exit Consequence after,Důsledek předčasného ukončení po DocType: Loyalty Program,Loyalty Program Name,Název věrnostního programu apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Stav musí být jedním z {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Připomenutí k aktualizaci zprávy GSTIN Sent -DocType: Sales Invoice,Debit To,Debetní K +DocType: Discounted Invoice,Debit To,Debetní K DocType: Restaurant Menu Item,Restaurant Menu Item,Položka nabídky restaurace DocType: Delivery Note,Required only for sample item.,Požadováno pouze pro položku vzorku. DocType: Stock Ledger Entry,Actual Qty After Transaction,Skutečné Množství Po transakci @@ -4426,6 +4488,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Název parametru apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,"Nechte pouze aplikace, které mají status "schváleno" i "Zamítnuto" může být předložena" apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Vytváření dimenzí ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Student Název skupiny je povinné v řadě {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Obejít kreditní limit limit_check DocType: Homepage,Products to be shown on website homepage,"Produkty, které mají být uvedeny na internetových stránkách domovské" DocType: HR Settings,Password Policy,Zásady hesla apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,"To je kořen skupiny zákazníků, a nelze upravovat." @@ -4484,10 +4547,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Poku apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Nastavte výchozího zákazníka v nastavení restaurace ,Salary Register,plat Register DocType: Company,Default warehouse for Sales Return,Výchozí sklad pro vrácení prodeje -DocType: Warehouse,Parent Warehouse,Nadřízený sklad +DocType: Pick List,Parent Warehouse,Nadřízený sklad DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definovat různé typy půjček DocType: Bin,FCFS Rate,FCFS Rate @@ -4524,6 +4587,7 @@ DocType: Travel Itinerary,Lodging Required,Požadováno ubytování DocType: Promotional Scheme,Price Discount Slabs,Cenové slevové desky DocType: Stock Reconciliation Item,Current Serial No,Aktuální sériové číslo DocType: Employee,Attendance and Leave Details,Docházka a podrobnosti o dovolené +,BOM Comparison Tool,Nástroj pro porovnání kusovníků ,Requested,Požadované apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Žádné poznámky DocType: Asset,In Maintenance,V údržbě @@ -4546,6 +4610,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Výchozí dohoda o úrovni služeb DocType: SG Creation Tool Course,Course Code,Kód předmětu apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Více než jeden výběr pro {0} není povolen +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Množství surovin bude rozhodnuto na základě množství hotového zboží DocType: Location,Parent Location,Umístění rodiče DocType: POS Settings,Use POS in Offline Mode,Používejte POS v režimu offline apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Priorita byla změněna na {0}. @@ -4564,7 +4629,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Úložiště uchovávání vz DocType: Company,Default Receivable Account,Výchozí pohledávek účtu apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Předpokládané množství DocType: Sales Invoice,Deemed Export,Považován za export -DocType: Stock Entry,Material Transfer for Manufacture,Materiál Přenos: Výroba +DocType: Pick List,Material Transfer for Manufacture,Materiál Přenos: Výroba 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.,Sleva v procentech lze použít buď proti Ceníku nebo pro všechny Ceníku. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Účetní položka na skladě DocType: Lab Test,LabTest Approver,Nástroj LabTest @@ -4607,7 +4672,6 @@ DocType: Training Event,Theory,Teorie apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Upozornění: Materiál Požadované množství je menší než minimální objednávka Množství apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Účet {0} je zmrazen DocType: Quiz Question,Quiz Question,Kvízová otázka -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodavatel> Typ dodavatele 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" @@ -4638,6 +4702,7 @@ 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 DocType: Account,Expense Account,Účtet nákladů apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Barevné @@ -4675,6 +4740,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Správa prodejníc 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 DocType: Fee Validity,Visited yet,Ještě navštěvováno +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Můžete zadat až 8 položek. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Sklady se stávajícími transakce nelze převést na skupinu. 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í. @@ -4682,7 +4748,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4707,7 +4772,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Převod UOM v hodi DocType: Contract,Signee Details,Signee Podrobnosti apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} v současné době disponuje {1} hodnotící tabulkou dodavatelů a RFQ tohoto dodavatele by měla být vydána s opatrností. DocType: Certified Consultant,Non Profit Manager,Neziskový manažer -DocType: BOM,Total Cost(Company Currency),Celkové náklady (Company měna) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Pořadové číslo {0} vytvořil DocType: Homepage,Company Description for website homepage,Společnost Popis pro webové stránky domovskou stránku DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Pro pohodlí zákazníků, tyto kódy mohou být použity v tiskových formátech, jako na fakturách a dodacích listech" @@ -4735,7 +4799,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Doklad o DocType: Amazon MWS Settings,Enable Scheduled Synch,Povolit naplánovanou synchronizaci apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Chcete-li datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Protokoly pro udržení stavu doručení sms -DocType: Shift Type,Early Exit Consequence,Důsledky předčasného ukončení DocType: Accounts Settings,Make Payment via Journal Entry,Provést platbu přes Journal Entry apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Nevytvářejte více než 500 položek najednou apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Vytištěno na @@ -4792,6 +4855,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit zkříže 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ý +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Datum založení apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akademický termín s tímto "akademický rok '{0} a" Jméno Termín' {1} již existuje. Upravte tyto položky a zkuste to znovu. @@ -4853,6 +4917,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Typ zákazníka DocType: Compensatory Leave Request,Leave Allocation,Přidelení dovolené DocType: Payment Request,Recipient Message And Payment Details,Příjemce zprávy a platebních informací +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Vyberte dodací list DocType: Support Search Source,Source DocType,Zdroj DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Otevřete novou lístek DocType: Training Event,Trainer Email,trenér Email @@ -4973,6 +5038,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""Datum DO"" musí být po ""Datum OD""" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Pro toto označení nebyly nalezeny plány personálního zabezpečení apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Dávka {0} položky {1} je zakázána. @@ -4994,7 +5060,7 @@ DocType: Clinical Procedure,Patient,Pacient apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Objednávka kreditu bypassu na objednávce DocType: Employee Onboarding Activity,Employee Onboarding Activity,Činnost zaměstnanců na palubě DocType: Location,Check if it is a hydroponic unit,"Zkontrolujte, zda jde o hydroponickou jednotku" -DocType: Stock Reconciliation Item,Serial No and Batch,Pořadové číslo a Batch +DocType: Pick List Item,Serial No and Batch,Pořadové číslo a Batch DocType: Warranty Claim,From Company,Od Společnosti DocType: GSTR 3B Report,January,leden apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Součet skóre hodnotících kritérií musí být {0}. @@ -5018,7 +5084,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Sleva (% 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nebylo nalezeno {0} pro interní transakce společnosti. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,Credit_note_amt 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/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 @@ -5051,11 +5116,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Nákladové 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Zbývající DocType: Appraisal,Appraisal,Ocenění DocType: Loan,Loan Account,Úvěrový účet apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Kumulativní jsou povinná a platná až pole +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",U položky {0} v řádku {1} se počet sériových čísel neshoduje s vybraným množstvím DocType: Purchase Invoice,GST Details,Podrobnosti GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,To je založeno na transakcích proti tomuto zdravotnickému lékaři. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-mailu zaslaného na dodavatele {0} @@ -5119,6 +5186,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Celková hmotnost balení. Obvykle se čistá hmotnost + obalového materiálu hmotnosti. (Pro tisk) DocType: Assessment Plan,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Uživatelé s touto rolí se mohou nastavit na zmrazené účty a vytvořit / upravit účetní zápisy proti zmrazených účtů +DocType: Plaid Settings,Plaid Environment,Plaid Environment ,Project Billing Summary,Přehled fakturace projektu DocType: Vital Signs,Cuts,Řezy DocType: Serial No,Is Cancelled,Je Zrušeno @@ -5180,7 +5248,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Poznámka: Systém nebude kontrolovat přes dobírku a over-rezervace pro item {0} jako množství nebo částka je 0 DocType: Issue,Opening Date,Datum otevření apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Nejprve uložit pacienta -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Navázat nový kontakt apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Účast byla úspěšně označena. DocType: Program Enrollment,Public Transport,Veřejná doprava DocType: Sales Invoice,GST Vehicle Type,Typ vozidla GST @@ -5206,6 +5273,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Směnky vzn 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Nejprve přidejte položky do tabulky Umístění položky DocType: Pricing Rule,Discount Amount,Částka slevy DocType: Pricing Rule,Period Settings,Nastavení období DocType: Purchase Invoice,Return Against Purchase Invoice,Návrat proti nákupní faktury @@ -5237,7 +5305,6 @@ DocType: Assessment Plan,Assessment Plan,Plan Assessment DocType: Travel Request,Fully Sponsored,Plně sponzorováno apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Zadání reverzního deníku apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Vytvořit pracovní kartu -DocType: Shift Type,Consequence after,Následek po DocType: Quality Procedure Process,Process Description,Popis procesu apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Zákazník {0} je vytvořen. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,V současné době žádné skladové zásoby nejsou k dispozici @@ -5272,6 +5339,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Výprodej Datum DocType: Delivery Settings,Dispatch Notification Template,Šablona oznámení o odeslání apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Zpráva o hodnocení apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Získejte zaměstnance +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 @@ -5365,7 +5433,6 @@ DocType: Stock Settings,Use Naming Series,Používejte sérii pojmenování apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Žádná akce apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Poplatky typu ocenění může není označen jako Inclusive DocType: POS Profile,Update Stock,Aktualizace skladem -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 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Různé UOM položky povede k nesprávné (celkem) Čistá hmotnost hodnoty. Ujistěte se, že čistá hmotnost každé položky je ve stejném nerozpuštěných." DocType: Certification Application,Payment Details,Platební údaje apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate @@ -5400,7 +5467,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,To je kořen prodejní člověk a nelze upravovat. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Pokud je vybrána, hodnota zadaná nebo vypočtená v této složce nepřispívá k výnosům nebo odpočtem. Nicméně, jeho hodnota může být odkazováno na jiné komponenty, které mohou být přidány nebo odečteny." -DocType: Asset Settings,Number of Days in Fiscal Year,Počet dnů ve fiskálním roce ,Stock Ledger,Reklamní Ledger DocType: Company,Exchange Gain / Loss Account,Exchange Zisk / ztráty DocType: Amazon MWS Settings,MWS Credentials,MWS pověření @@ -5435,6 +5501,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Sloupec v bankovním souboru apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Ponechat aplikaci {0} již proti studentovi {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Naladil se na aktualizaci nejnovější ceny ve všech kusovnících. Může to trvat několik minut. +DocType: Pick List,Get Item Locations,Získejte umístění položky apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Název nového účtu. Poznámka: Prosím, vytvářet účty pro zákazníky a dodavateli" DocType: POS Profile,Display Items In Stock,Zobrazit položky na skladě apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Země moudrý výchozí adresa Templates @@ -5458,6 +5525,7 @@ DocType: Crop,Materials Required,Potřebné materiály apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Žádní studenti Nalezené DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Měsíční výjimka HRA DocType: Clinical Procedure,Medical Department,Lékařské oddělení +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Celkový předčasný odchod DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kritéria hodnocení skóre dodavatele skóre apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Faktura Datum zveřejnění apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Prodat @@ -5469,11 +5537,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Chcete-li tento dokument zrušit, prosím odstraňte zaměstnance {0} \" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Out of AMC DocType: Opportunity,Opportunity Amount,Částka příležitostí +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Tvůj profil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Počet Odpisy rezervováno nemůže být větší než celkový počet Odpisy DocType: Purchase Order,Order Confirmation Date,Datum potvrzení objednávky DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5567,7 +5634,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Existují nesrovnalosti mezi sazbou, počtem akcií a vypočítanou částkou" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Nejste přítomni celý den (dní) mezi dny žádosti o náhradní dovolenou apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Prosím re-typ název společnosti na potvrzení -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Celkem Vynikající Amt DocType: Journal Entry,Printing Settings,Tisk Nastavení DocType: Payment Order,Payment Order Type,Typ platebního příkazu DocType: Employee Advance,Advance Account,Advance účet @@ -5656,7 +5722,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Jméno roku apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Existují další svátky než pracovních dnů tento měsíc. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Následující položky {0} nejsou označeny jako položka {1}. Můžete je povolit jako {1} položku z jeho položky Master -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Product Bundle Item DocType: Sales Partner,Sales Partner Name,Sales Partner Name apps/erpnext/erpnext/hooks.py,Request for Quotations,Žádost o citátů @@ -5665,19 +5730,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Listy +DocType: Leave Ledger Entry,Leaves,Listy DocType: Student Language,Student Language,Student Language DocType: Cash Flow Mapping,Is Working Capital,Je pracovní kapitál apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Odeslat důkaz apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Objednávka / kvóta% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Zaznamenejte vitál pacientů DocType: Fee Schedule,Institution,Instituce -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: Asset,Partially Depreciated,částečně odepisována DocType: Issue,Opening Time,Otevírací doba apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Data OD a DO jsou vyžadována apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Cenné papíry a komoditních burzách -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Souhrn volání do {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Vyhledávání dokumentů apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Výchozí měrná jednotka varianty '{0}' musí být stejný jako v Template '{1}' DocType: Shipping Rule,Calculate Based On,Vypočítat založené na @@ -5723,6 +5786,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maximální přípustná hodnota 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 DocType: Lab Test Template,Sensitivity,Citlivost DocType: Plaid Settings,Plaid Settings,Plaid Settings apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Synchronizace byla dočasně deaktivována, protože byly překročeny maximální počet opakování" @@ -5740,6 +5804,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Prosím, vyberte nejprve Datum zveřejnění" apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Datum zahájení by měla být před uzávěrky DocType: Travel Itinerary,Flight,Let +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Zpátky domů DocType: Leave Control Panel,Carry Forward,Převádět apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Nákladové středisko se stávajícími transakcemi nelze převést na hlavní účetní knihy DocType: Budget,Applicable on booking actual expenses,Platí pro rezervaci skutečných nákladů @@ -5795,6 +5860,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Vytvořit Citace apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Nejste oprávněni schvalovat listí na bloku Termíny apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Žádost o {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Všechny tyto položky již byly fakturovány +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Za {0} {1} nebyly nalezeny žádné nezaplacené faktury, které by odpovídaly zadaným filtrům." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Nastavte nový datum vydání DocType: Company,Monthly Sales Target,Měsíční prodejní cíl apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nebyly nalezeny žádné nezaplacené faktury @@ -5841,6 +5907,7 @@ DocType: Water Analysis,Type of Sample,Typ vzorku DocType: Batch,Source Document Name,Název zdrojového dokumentu DocType: Production Plan,Get Raw Materials For Production,Získejte suroviny pro výrobu DocType: Job Opening,Job Title,Název pozice +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Budoucí platba Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} znamená, že {1} neposkytne citát, ale byly citovány všechny položky \. Aktualizace stavu nabídky RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximální vzorky - {0} již byly zadány v dávce {1} a položce {2} v dávce {3}. @@ -5851,12 +5918,10 @@ 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: Company,Product Code,Kód produktu DocType: Quality Review Table,Objective,Objektivní DocType: Supplier Scorecard,Per Month,Za měsíc DocType: Education Settings,Make Academic Term Mandatory,Uveďte povinnost akademického termínu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,"Množství, které má výroba musí být větší než 0 ° C." -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Vypočtěte proměnlivý rozpis odpisů založený na fiskálním roce +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,"Množství, které má výroba musí být větší než 0 ° C." apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Navštivte zprávu pro volání údržby. DocType: Stock Entry,Update Rate and Availability,Obnovovací rychlost a dostupnost 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.,"Procento máte možnost přijímat nebo dodávat více proti objednaného množství. Například: Pokud jste si objednali 100 kusů. a váš příspěvek je 10%, pak máte možnost získat 110 jednotek." @@ -5867,7 +5932,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Datum vydání musí být v budoucnosti DocType: BOM,Website Description,Popis webu apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Čistá změna ve vlastním kapitálu -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Zrušte faktuře {0} první apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Nepovoleno. Zakažte typ servisní jednotky apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-mailová adresa musí být jedinečná, již existuje pro {0}" DocType: Serial No,AMC Expiry Date,AMC Datum vypršení platnosti @@ -5911,6 +5975,7 @@ DocType: Pricing Rule,Price Discount Scheme,Schéma slevy apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Stav údržby musí být zrušen nebo dokončen k odeslání DocType: Amazon MWS Settings,US,NÁS DocType: Holiday List,Add Weekly Holidays,Přidat týdenní prázdniny +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Položka sestavy DocType: Staffing Plan Detail,Vacancies,Volná místa DocType: Hotel Room,Hotel Room,Hotelový pokoj apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Účet {0} nepatří společnosti {1} @@ -5962,12 +6027,15 @@ DocType: Email Digest,Open Quotations,Otevřené nabídky 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Chcete-li tento dokument zrušit, prosím odstraňte zaměstnance {0} \" 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 @@ -5981,6 +6049,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Volný DocType: Patient,Alcohol Past Use,Alkohol v minulosti DocType: Fertilizer Content,Fertilizer Content,Obsah hnojiv +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Bez popisu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Fakturace State DocType: Quality Goal,Monitoring Frequency,Frekvence monitorování @@ -5998,6 +6067,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Datum ukončení nemůže být před datem dalšího kontaktu. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Dávkové položky DocType: Journal Entry,Pay To / Recd From,Platit K / Recd Z +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Zrušit publikování položky DocType: Naming Series,Setup Series,Nastavení číselných řad DocType: Payment Reconciliation,To Invoice Date,Chcete-li data vystavení faktury DocType: Bank Account,Contact HTML,Kontakt HTML @@ -6019,6 +6089,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Maloobchodní DocType: Student Attendance,Absent,Nepřítomný DocType: Staffing Plan,Staffing Plan Detail,Personální plán detailu DocType: Employee Promotion,Promotion Date,Datum propagace +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Přidělení dovolené% s je spojeno s aplikací dovolená% s 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} @@ -6053,9 +6124,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Faktura {0} již neexistuje DocType: Guardian Interest,Guardian Interest,Guardian Zájem DocType: Volunteer,Availability,Dostupnost +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Opustit aplikaci je spojena s alokacemi dovolené {0}. Žádost o dovolenou nelze nastavit jako dovolenou bez odměny apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Nastavení výchozích hodnot pro POS faktury DocType: Employee Training,Training,Výcvik DocType: Project,Time to send,Čas odeslání +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Tato stránka sleduje vaše položky, o které kupující projevili určitý zájem." DocType: Timesheet,Employee Detail,Detail zaměstnanec 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 @@ -6151,12 +6224,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,otevření Value DocType: Salary Component,Formula,Vzorec apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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: 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/setup/doctype/company/company.py,Sales Account,Prodejní účet DocType: Purchase Invoice Item,Total Weight,Celková váha +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}" @@ -6180,6 +6253,7 @@ DocType: Company,Default Employee Advance Account,Výchozí účet předplatnéh apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Položka vyhledávání (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Účet s transakcemi nemůže být smazán +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,"Proč si myslíte, že by tato položka měla být odstraněna?" DocType: Vehicle,Last Carbon Check,Poslední Carbon Check apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Výdaje na právní služby apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Vyberte množství v řadě @@ -6199,6 +6273,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Rozbor DocType: Travel Itinerary,Vegetarian,Vegetariánský DocType: Patient Encounter,Encounter Date,Datum setkání +DocType: Work Order,Update Consumed Material Cost In Project,Aktualizujte spotřebované materiálové náklady v projektu apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Účet: {0} s měnou: {1} nelze vybrat DocType: Bank Statement Transaction Settings Item,Bank Data,Bankovní údaje DocType: Purchase Receipt Item,Sample Quantity,Množství vzorku @@ -6253,7 +6328,7 @@ DocType: GSTR 3B Report,April,duben 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Poznámka: Položka {0} vstoupil vícekrát +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Poznámka: Položka {0} vstoupil vícekrát apps/erpnext/erpnext/config/buying.py,All Contacts.,Všechny kontakty. DocType: Accounting Period,Closed Documents,Uzavřené dokumenty 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 @@ -6335,9 +6410,7 @@ DocType: Member,Membership Type,Typ členství ,Reqd By Date,Př p Podle data apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Věřitelé DocType: Assessment Plan,Assessment Name,Název Assessment -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Zobrazit PDC v tisku apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Řádek # {0}: Výrobní číslo je povinné -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Za {0} {1} nebyly nalezeny žádné nezaplacené faktury. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Položka Wise Tax Detail DocType: Employee Onboarding,Job Offer,Nabídka práce apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,institut Zkratka @@ -6396,6 +6469,7 @@ DocType: Serial No,Out of Warranty,Out of záruky DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapovaný typ dat DocType: BOM Update Tool,Replace,Vyměnit apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Nenašli se žádné produkty. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Publikovat více položek apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Tato smlouva o úrovni služeb je specifická pro zákazníka {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} proti vystavené faktuře {1} DocType: Antibiotic,Laboratory User,Laboratorní uživatel @@ -6418,7 +6492,6 @@ DocType: Payment Order Reference,Bank Account Details,Detaily bankovního účtu DocType: Purchase Order Item,Blanket Order,Dekorační objednávka 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Produkční objednávka byla {0} DocType: BOM Item,BOM No,Číslo kusovníku 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 @@ -6491,6 +6564,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Dodávky podléhající zdanění (s nulovým hodnocením) DocType: BOM,Materials Required (Exploded),Potřebný materiál (Rozložený) 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/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 @@ -6548,7 +6622,6 @@ DocType: Pricing Rule,Same Item,Stejná položka DocType: Stock Ledger Entry,Stock Ledger Entry,Reklamní Ledger Entry DocType: Quality Action Resolution,Quality Action Resolution,Kvalitní akční rozlišení apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} v půldenní dovolené na {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Stejný bod byl zadán vícekrát DocType: Department,Leave Block List,Nechte Block List DocType: Purchase Invoice,Tax ID,DIČ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Položka {0} není nastavení pro Serial č. Sloupec musí být prázdný @@ -6586,7 +6659,7 @@ DocType: Cheque Print Template,Distance from top edge,Vzdálenost od horního ok 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 DocType: Purchase Invoice,Return,Zpáteční -DocType: Accounting Dimension,Disable,Zakázat +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 DocType: Task,Pending Review,Čeká Review apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Upravte celou stránku pro další možnosti, jako jsou majetek, sériový nos, šarže atd." @@ -6699,7 +6772,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Kombinovaná část faktury se musí rovnat 100% DocType: Item Default,Default Expense Account,Výchozí výdajový účet DocType: GST Account,CGST Account,CGST účet -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student ID e-mailu DocType: Employee,Notice (days),Oznámení (dny) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Pokladní doklady POS @@ -6710,6 +6782,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Vyberte položky, které chcete uložit fakturu" DocType: Employee,Encashment Date,Inkaso Datum DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Informace o prodávajícím DocType: Special Test Template,Special Test Template,Speciální zkušební šablona DocType: Account,Stock Adjustment,Reklamní Nastavení apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Existuje Náklady Výchozí aktivity pro Typ aktivity - {0} @@ -6721,7 +6794,6 @@ 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í -DocType: Company,Bank Remittance Settings,Nastavení bankovních převodů apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Průměrné hodnocení 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í @@ -6749,6 +6821,7 @@ DocType: Grading Scale Interval,Threshold,Práh apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtrovat zaměstnance podle (volitelné) DocType: BOM Update Tool,Current BOM,Aktuální BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Bilance (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Množství hotového zboží apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Přidat Sériové číslo 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 @@ -6827,7 +6900,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Zde můžete upravovat svou výšku, váhu, alergie, zdravotní problémy atd" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Vytváření účtů ... DocType: Leave Block List,Applies to Company,Platí pro firmy -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nelze zrušit, protože existuje skladový záznam {0}" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nelze zrušit, protože existuje skladový záznam {0}" DocType: Loan,Disbursement Date,výplata Datum DocType: Service Level Agreement,Agreement Details,Podrobnosti dohody apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Datum zahájení dohody nesmí být větší nebo rovno Datum ukončení. @@ -6836,6 +6909,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Zdravotní záznam DocType: Vehicle,Vehicle,Vozidlo DocType: Purchase Invoice,In Words,Slovy +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,K dnešnímu dni musí být před datem apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Před zasláním zadejte název banky nebo instituce poskytující úvěr. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} musí být odesláno DocType: POS Profile,Item Groups,Položka Skupiny @@ -6907,7 +6981,6 @@ DocType: Customer,Sales Team Details,Podrobnosti prodejní tým apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Smazat trvale? DocType: Expense Claim,Total Claimed Amount,Celkem žalované částky apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potenciální příležitosti pro prodej. -DocType: Plaid Settings,Link a new bank account,Propojte nový bankovní účet apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} je neplatný stav účasti. DocType: Shareholder,Folio no.,Číslo folia apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Neplatný {0} @@ -6923,7 +6996,6 @@ DocType: Production Plan,Material Requested,Požadovaný materiál DocType: Warehouse,PIN,KOLÍK DocType: Bin,Reserved Qty for sub contract,Vyhrazené množství pro subdodávky DocType: Patient Service Unit,Patinet Service Unit,Patinet Service Unit -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Generovat textový soubor DocType: Sales Invoice,Base Change Amount (Company Currency),Základna Změna Částka (Company měna) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Žádné účetní záznamy pro následující sklady apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Pouze {0} skladem pro položku {1} @@ -6937,6 +7009,7 @@ DocType: Item,No of Months,Počet měsíců DocType: Item,Max Discount (%),Max sleva (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Dny úvěrů nemohou být záporné číslo apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Nahrajte prohlášení +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Nahlásit tuto položku DocType: Purchase Invoice Item,Service Stop Date,Datum ukončení služby apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Částka poslední objednávky DocType: Cash Flow Mapper,e.g Adjustments for:,např. Úpravy pro: @@ -7030,16 +7103,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Kategorie osvobození od zaměstnanců apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Částka by neměla být menší než nula. DocType: Sales Invoice,C-Form Applicable,C-Form Použitelné -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Čas operace musí být větší než 0 pro operaci {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Čas operace musí být větší než 0 pro operaci {0} DocType: Support Search Source,Post Route String,Přidat řetězec trasy apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Sklad je povinné apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Nepodařilo se vytvořit webové stránky DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM konverze Detail apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Vstup a zápis -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Záznam již vytvořeného záznamu o skladování nebo neposkytnuté množství vzorku +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Záznam již vytvořeného záznamu o skladování nebo neposkytnuté množství vzorku DocType: Program,Program Abbreviation,Program Zkratka -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Výrobní zakázka nemůže být vznesena proti šablony položky apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Seskupit podle poukázky (konsolidované) DocType: HR Settings,Encrypt Salary Slips in Emails,Zašifrujte výplatní pásky do e-mailů DocType: Question,Multiple Correct Answer,Více správných odpovědí @@ -7086,7 +7158,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Není hodnocen nebo osvo DocType: Employee,Educational Qualification,Vzdělávací Kvalifikace DocType: Workstation,Operating Costs,Provozní náklady apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Měna pro {0} musí být {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Důsledek vstupní doby odkladu DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Označte účast na základě „Kontrola zaměstnanců“ u zaměstnanců přiřazených k této změně. DocType: Asset,Disposal Date,Likvidace Datum DocType: Service Level,Response and Resoution Time,Doba odezvy a resoution @@ -7134,6 +7205,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Dokončení Datum DocType: Purchase Invoice Item,Amount (Company Currency),Částka (Měna Společnosti) DocType: Program,Is Featured,Je doporučeno +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Okouzlující... DocType: Agriculture Analysis Criteria,Agriculture User,Zemědělský uživatel apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Platné do data nemůže být před datem transakce apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} jednotek {1} zapotřebí {2} o {3} {4} na {5} pro dokončení této transakce. @@ -7166,7 +7238,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Celkem uhrazeno Amt 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 @@ -7190,6 +7261,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonymní apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Přijaté Od 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: 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} @@ -7304,7 +7376,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synchronizace daní a popla 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Výchozí BOM pro {0} nebyl nalezen +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í apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Klepnutím na položky je můžete přidat zde @@ -7338,7 +7410,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Datum údržby DocType: Purchase Invoice Item,Rejected Serial No,Odmítnuté sériové číslo apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Rok datum zahájení nebo ukončení se překrývá s {0}. Aby se zabránilo nastavte firmu -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Uvedete prosím vedoucí jméno ve vedoucím {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Datum zahájení by měla být menší než konečné datum pro bod {0} DocType: Shift Type,Auto Attendance Settings,Nastavení automatické účasti @@ -7349,9 +7420,11 @@ DocType: Upload Attendance,Upload Attendance,Nahrát Návštěvnost apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM a výroba množství jsou povinné apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Stárnutí rozsah 2 DocType: SG Creation Tool Course,Max Strength,Max Síla +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Účet {0} již existuje v podřízené společnosti {1}. Následující pole mají různé hodnoty, měla by být stejná:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instalace předvoleb DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Pro zákazníka nebyl vybrán žádný zákazník {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Řádky přidané v {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Zaměstnanec {0} nemá maximální částku prospěchu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Vyberte položky podle data doručení DocType: Grant Application,Has any past Grant Record,Má nějaký minulý grantový záznam @@ -7395,6 +7468,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Podrobnosti studenta DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Toto je výchozí UOM používané pro položky a prodejní objednávky. Záložní UOM je „Nos“. DocType: Purchase Invoice Item,Stock Qty,Množství zásob +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 DocType: Loan,Repayment Period in Months,Splácení doba v měsících @@ -7423,6 +7497,7 @@ DocType: Authorization Rule,Customerwise Discount,Sleva podle zákazníka apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Časového rozvrhu pro úkoly. DocType: Purchase Invoice,Against Expense Account,Proti výdajového účtu apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Poznámka k instalaci {0} již byla odeslána +DocType: BOM,Raw Material Cost (Company Currency),Náklady na suroviny (měna společnosti) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Nájemné za zaplacené dny se překrývá s {0} DocType: GSTR 3B Report,October,říjen DocType: Bank Reconciliation,Get Payment Entries,Získat Platební položky @@ -7469,15 +7544,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,K dispozici je datum k dispozici pro použití DocType: Request for Quotation,Supplier Detail,dodavatel Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Chyba ve vzorci nebo stavu: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Fakturovaná částka +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Fakturovaná částka apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kritéria váhy musí obsahovat až 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Účast apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,sklade DocType: Sales Invoice,Update Billed Amount in Sales Order,Aktualizovat fakturovanou částku v objednávce prodeje +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Kontaktovat prodejce 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Ve slovech budou viditelné, jakmile uložíte objednávce." @@ -7491,6 +7568,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Ceník master. DocType: Task,Review Date,Review Datum DocType: BOM,Allow Alternative Item,Povolit alternativní položku +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Potvrzení o nákupu neobsahuje žádnou položku, pro kterou je povolen Retain Sample." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura celkem celkem DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Série pro odepisování aktiv (Entry Entry) DocType: Membership,Member Since,Členem od @@ -7500,6 +7578,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,On Net Celkem 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},Hodnota atributu {0} musí být v rozmezí od {1} až {2} v krocích po {3} pro item {4} DocType: Pricing Rule,Product Discount Scheme,Schéma slevy produktu +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Volající nenastolil žádný problém. DocType: Restaurant Reservation,Waitlisted,Vyčkejte DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategorie výjimek apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Měna nemůže být změněn po provedení položky pomocí jiné měně @@ -7513,7 +7592,6 @@ DocType: Customer Group,Parent Customer Group,Parent Customer Group apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Účet E-Way JSON lze generovat pouze z prodejní faktury apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Bylo dosaženo maximálních pokusů o tento kvíz! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Předplatné -DocType: Purchase Invoice,Contact Email,Kontaktní e-mail apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Vytváření poplatků čeká DocType: Project Template Task,Duration (Days),Trvání (dny) DocType: Appraisal Goal,Score Earned,Skóre Zasloužené @@ -7538,7 +7616,6 @@ DocType: Landed Cost Item,Landed Cost Item,Přistálo nákladovou položkou 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Částka na jednu transakci přesahuje maximální povolenou částku, vytvořte samostatný platební příkaz rozdělením transakcí" 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 @@ -7706,6 +7783,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,K dis DocType: Quality Inspection Reading,Reading 3,Čtení 3 DocType: Stock Entry,Source Warehouse Address,Adresa zdrojového skladu DocType: GL Entry,Voucher Type,Voucher Type +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Budoucí platby 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 @@ -7732,6 +7810,7 @@ DocType: Travel Request,Identification Document Number,identifikační číslo d 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." DocType: Sales Invoice,Customer GSTIN,Zákazník GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Seznam onemocnění zjištěných v terénu. Když je vybráno, automaticky přidá seznam úkolů, které se mají vypořádat s tímto onemocněním" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,Kus 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Jedná se o základní službu zdravotnické služby a nelze ji editovat. DocType: Asset Repair,Repair Status,Stav opravy 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." @@ -7746,6 +7825,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Účet pro změnu Částka DocType: QuickBooks Migrator,Connecting to QuickBooks,Připojení ke službě QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Celkový zisk / ztráta +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Vytvořit výběrový seznam apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Řádek {0}: Party / Account neshoduje s {1} / {2} do {3} {4} DocType: Employee Promotion,Employee Promotion,Propagace zaměstnanců DocType: Maintenance Team Member,Maintenance Team Member,Člen týmu údržby @@ -7828,6 +7908,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net plat nemůže být záporný @@ -7859,7 +7940,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Kvalitní cíl DocType: BOM,Item to be manufactured or repacked,Položka k výrobě nebo zabalení apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Chyba syntaxe ve stavu: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Zákazník nevznesl žádný problém. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Hlavní / Volitelné předměty apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Nastavte skupinu dodavatelů v nastavení nákupu. @@ -7952,8 +8032,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Úvěrové dny apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Vyberte pacienta pro získání laboratorních testů DocType: Exotel Settings,Exotel Settings,Nastavení Exotelu -DocType: Leave Type,Is Carry Forward,Je převádět +DocType: Leave Ledger Entry,Is Carry Forward,Je převádět DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Pracovní doba, pod kterou je označen Absent. (Nulování zakázat)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Poslat zprávu apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Položka získaná z BOM 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ů diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv index e2eac5d7e3..8536ae50fd 100644 --- a/erpnext/translations/da.csv +++ b/erpnext/translations/da.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Underret Leverandør apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Vælg Selskabstype først DocType: Item,Customer Items,Kundevarer +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,passiver DocType: Project,Costing and Billing,Omkostningsberegning og fakturering apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Advance-valuta skal være den samme som virksomhedens valuta {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Standard Måleenhed DocType: SMS Center,All Sales Partner Contact,Alle forhandlerkontakter DocType: Department,Leave Approvers,Fraværsgodkendere DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Søg efter varer ... DocType: Patient Encounter,Investigations,Undersøgelser DocType: Restaurant Order Entry,Click Enter To Add,Klik på Enter for at tilføje apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Manglende værdi for Password, API Key eller Shopify URL" DocType: Employee,Rented,Lejet apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Alle konti apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Kan ikke overføre medarbejder med status til venstre -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Stoppet produktionsordre kan ikke annulleres, Unstop det første til at annullere" DocType: Vehicle Service,Mileage,Kilometerpenge apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Vil du virkelig kassere dette anlægsaktiv? DocType: Drug Prescription,Update Schedule,Opdateringsplan @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Kunde DocType: Purchase Receipt Item,Required By,Kræves By DocType: Delivery Note,Return Against Delivery Note,Retur mod følgeseddel DocType: Asset Category,Finance Book Detail,Finans Bog Detail +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Alle afskrivninger er booket DocType: Purchase Order,% Billed,% Faktureret apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Lønnsnummer apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Vekselkurs skal være det samme som {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Partivare-udløbsstatus apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bank Draft DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Sidste antal poster i alt DocType: Mode of Payment Account,Mode of Payment Account,Betalingsmådekonto apps/erpnext/erpnext/config/healthcare.py,Consultation,Konsultation DocType: Accounts Settings,Show Payment Schedule in Print,Vis betalingsplan i udskrivning @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,P apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primær kontaktoplysninger apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Åbne spørgsmål DocType: Production Plan Item,Production Plan Item,Produktion Plan Vare +DocType: Leave Ledger Entry,Leave Ledger Entry,Forlad hovedbogen apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Bruger {0} er allerede tildelt Medarbejder {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} felt er begrænset til størrelse {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Mak DocType: Purchase Invoice Item,Item Weight Details,Vægt Vægt Detaljer DocType: Asset Maintenance Log,Periodicity,Hyppighed apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Regnskabsår {0} er påkrævet +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Netto fortjeneste / tab DocType: Employee Group Table,ERPNext User ID,ERPNæste bruger-id DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Den minimale afstand mellem rækker af planter for optimal vækst apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Vælg patient for at få ordineret procedure @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Salgsprisliste DocType: Patient,Tobacco Current Use,Tobaks nuværende anvendelse apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Salgspris -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,"Gem dit dokument, før du tilføjer en ny konto" 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Pens DocType: Exchange Rate Revaluation Account,Gain/Loss,Gevinst / Tab DocType: Crop,Perennial,Perennial DocType: Program,Is Published,Udgives +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Vis leveringsnotater apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",For at tillade overfakturering skal du opdatere "Over faktureringsgodtgørelse" i Kontoindstillinger eller elementet. DocType: Patient Appointment,Procedure,Procedure DocType: Accounts Settings,Use Custom Cash Flow Format,Brug Custom Cash Flow Format @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Forlad politikoplysninger DocType: BOM,Item Image (if not slideshow),Varebillede (hvis ikke lysbilledshow) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Række nr. {0}: Betjening {1} er ikke afsluttet for {2} antal færdige varer i arbejdsordre {3}. Opdater driftsstatus via Jobkort {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} er obligatorisk for generering af overførselsbetalinger, indstil feltet og prøv igen" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Timesats / 60) * TidsforbrugIMinutter apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Reference Document Type skal være en af Expense Claim eller Journal Entry apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Vælg stykliste @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Tilbagebetale over antallet af perioder apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,"Mængden, der skal produceres, kan ikke være mindre end Nul" DocType: Stock Entry,Additional Costs,Yderligere omkostninger +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Konto med eksisterende transaktion kan ikke konverteres til gruppen. DocType: Lead,Product Enquiry,Produkt Forespørgsel DocType: Education Settings,Validate Batch for Students in Student Group,Valider batch for studerende i studentegruppe @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Under Graduate apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Angiv standardskabelon for meddelelsen om statusstatus i HR-indstillinger. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Target On DocType: BOM,Total Cost,Omkostninger i alt +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Tildeling udløbet! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maksimale transporterede fremsendte blade DocType: Salary Slip,Employee Loan,Medarbejderlån DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Send betalingsanmodning e-mail @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Real E apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Kontoudtog apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Lægemidler DocType: Purchase Invoice Item,Is Fixed Asset,Er anlægsaktiv +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Vis fremtidige betalinger DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Denne bankkonto er allerede synkroniseret DocType: Homepage,Homepage Section,Hjemmeside afsnit @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Gødning apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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. -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 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Mindst én form for betaling er nødvendig for POS faktura. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Batch nr er påkrævet for batch vare {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bankoversigt Transaktionsfaktura @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Vælg betingelser apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Out Value DocType: Bank Statement Settings Item,Bank Statement Settings Item,Betalingsindstillinger for bankkonti DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Indstillinger +DocType: Leave Ledger Entry,Transaction Name,Transaktionsnavn DocType: Production Plan,Sales Orders,Salgsordrer apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Flere loyalitetsprogram fundet for kunden. Vælg venligst manuelt. DocType: Purchase Taxes and Charges,Valuation,Værdiansættelse @@ -460,6 +468,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Vis kun kunde for disse kundegrupper DocType: Sales Invoice,Is Opening Entry,Åbningspost @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,"Nævne, hvis ikke-standard tilgodehavende konto gældende" 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 DocType: Supplier Scorecard,Criteria Setup,Kriterier opsætning -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Til lager skal angives før godkendelse +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 DocType: Codification Table,Medical Code,Medicinsk kode apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Forbind Amazon med ERPNext @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankkonti tilføjet -DocType: Delivery Stop,Contact Name,Kontaktnavn +DocType: Call Log,Contact Name,Kontaktnavn DocType: Plaid Settings,Synchronize all accounts every hour,Synkroniser alle konti hver time DocType: Course Assessment Criteria,Course Assessment Criteria,Kriterier for kursusvurdering DocType: Pricing Rule Detail,Rule Applied,Anvendt regel @@ -529,7 +539,6 @@ 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. -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Ukendt nummer DocType: Website Filter Field,Website Filter Field,Felt for webstedets filter apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Forsyningstype DocType: Material Request Item,Min Order Qty,Min. ordremængde @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Samlede hovedbeløb DocType: Student Guardian,Relation,Relation DocType: Quiz Result,Correct,Korrekt DocType: Student Guardian,Mother,Mor -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Tilføj først gyldige Plaid-api-nøgler i site_config.json DocType: Restaurant Reservation,Reservation End Time,Reservation Slut Tid DocType: Crop,Biennial,Biennalen ,BOM Variance Report,BOM Variance Report @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Betaling mod {0} {1} kan ikke være større end udestående beløb {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Offline POS-indstillinger DocType: Stock Entry Detail,Reference Purchase Receipt,Referencekøbskvittering DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variant af -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Afsluttet Antal kan ikke være større end 'antal til Fremstilling' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Afsluttet Antal kan ikke være større end 'antal til Fremstilling' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Periode baseret på DocType: Period Closing Voucher,Closing Account Head,Lukning konto Hoved DocType: Employee,External Work History,Ekstern Work History apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Cirkulær reference Fejl apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Studenterapport apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Fra Pin Code +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Vis salgsperson DocType: Appointment Type,Is Inpatient,Er sygeplejerske apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Navn DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"I ord (udlæsning) vil være synlig, når du gemmer følgesedlen." @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Dimension Navn apps/erpnext/erpnext/healthcare/setup.py,Resistant,Resistente apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Indstil hotelpris på {} +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: Journal Entry,Multi Currency,Multi Valuta DocType: Bank Statement Transaction Invoice Item,Invoice Type,Fakturatype apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Gyldig fra dato skal være mindre end gyldig indtil dato @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Optaget DocType: Workstation,Rent Cost,Leje Omkostninger 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Kommende kalenderbegivenheder apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variant attributter @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Anmodning om tilbud 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Vis salgsperson på tryk 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 @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Opret ny kunde apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Udløbsdato apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Hvis flere Priser Regler fortsat gældende, er brugerne bedt om at indstille prioritet manuelt for at løse konflikter." -DocType: Purchase Invoice,Scan Barcode,Scan stregkode apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Opret indkøbsordrer ,Purchase Register,Indkøb Register apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Patient ikke fundet @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Channel Partner DocType: Account,Old Parent,Gammel Parent apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Obligatorisk felt - skoleår apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} er ikke forbundet med {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Lønart til tidsregistering DocType: Driver,Applicable for external driver,Gælder for ekstern driver DocType: Sales Order Item,Used for Production Plan,Bruges til Produktionsplan +DocType: BOM,Total Cost (Company Currency),Samlede omkostninger (virksomhedsvaluta) DocType: Loan,Total Payment,Samlet betaling apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Kan ikke annullere transaktionen for Afsluttet Arbejdsordre. DocType: Manufacturing Settings,Time Between Operations (in mins),Time Between Operations (i minutter) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Underret Andet DocType: Vital Signs,Blood Pressure (systolic),Blodtryk (systolisk) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} er {2} DocType: Item Price,Valid Upto,Gyldig til +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. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Ændringer i {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Vælg firma DocType: Employee Skill,Employee Skill,Medarbejderfærdighed apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Differencekonto @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Risikofaktorer DocType: Patient,Occupational Hazards and Environmental Factors,Arbejdsfarer og miljøfaktorer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,"Aktieindtægter, der allerede er oprettet til Arbejdsordre" apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Se tidligere ordrer +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} samtaler DocType: Vital Signs,Respiratory rate,Respirationsfrekvens apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Håndtering af underleverancer DocType: Vital Signs,Body Temperature,Kropstemperatur @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Registreret sammensætning apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Hej apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Flyt vare DocType: Employee Incentive,Incentive Amount,Incitamentsbeløb +,Employee Leave Balance Summary,Oversigt over saldo for medarbejderorlov DocType: Serial No,Warranty Period (Days),Garantiperiode (dage) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Samlet kredit- / debiteringsbeløb skal være det samme som tilknyttet tidsskriftindgang DocType: Installation Note Item,Installation Note Item,Installation Bemærk Vare @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,Oppustet DocType: Salary Slip,Salary Slip Timesheet,Lønseddel Timeseddel apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverandør Warehouse obligatorisk for underentreprise købskvittering DocType: Item Price,Valid From,Gyldig fra +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Din bedømmelse: DocType: Sales Invoice,Total Commission,Samlet provision DocType: Tax Withholding Account,Tax Withholding Account,Skat tilbageholdende konto DocType: Pricing Rule,Sales Partner,Forhandler @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle leverandør 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 +DocType: Item,Website Image,Webstedets billede apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Mållager i række {0} skal være det samme som Arbejdsordre apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Værdiansættelsesværdi er obligatorisk, hvis Åbning Stock indtastet" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Ingen poster i faktureringstabellen @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},L 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,"Udfyld din Plaid API-konfiguration, før du synkroniserer din konto" 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 DocType: Job Applicant,Resume Attachment,Vedhæft CV @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,Produktionsplan DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Åbning af fakturaoprettelsesværktøj DocType: Salary Component,Round to the Nearest Integer,Rund til det nærmeste heltal apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Salg Return -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Bemærk: I alt tildelt blade {0} bør ikke være mindre end allerede godkendte blade {1} for perioden DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Indstil antal i transaktioner baseret på serienummerindgang ,Total Stock Summary,Samlet lageroversigt apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Et apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,hovedstol DocType: Loan Application,Total Payable Interest,Samlet Betales Renter apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Samlet Udestående: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Åben kontakt DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Salgsfaktura tidsregistrering 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} @@ -1080,6 +1099,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Standard faktura navngivni 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 DocType: Restaurant Reservation,Restaurant Reservation,Restaurant Reservation +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Dine varer apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Forslag Skrivning DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling indtastning Fradrag DocType: Service Level Priority,Service Level Priority,Prioritet på serviceniveau @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Batch Nummer Serie apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,En anden salgsmedarbejder {0} eksisterer med samme Medarbejder-id DocType: Employee Advance,Claimed Amount,Påstået beløb +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Udløb tildeling 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 @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,Partinavn DocType: Fee Validity,Max number of visit,Maks antal besøg DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Obligatorisk til resultatopgørelse ,Hotel Room Occupancy,Hotelværelse Occupancy -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timeseddel oprettet: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Indstil standard Kontant eller bank konto i mode for betaling {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Indskrive DocType: GST Settings,GST Settings,GST-indstillinger @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),Provisionssats (%) 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: Request for Quotation,Link to material requests,Link til materialeanmodninger +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Offentliggøre apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Luftfart ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Credit Card indtastning @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Omsætningsaktiver apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} er ikke en lagervare apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Del venligst din feedback til træningen ved at klikke på 'Træningsfejl' og derefter 'Ny' +DocType: Call Log,Caller Information,Oplysninger om opkald DocType: Mode of Payment Account,Default Account,Standard-konto apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Vælg venligst Sample Retention Warehouse i lagerindstillinger først apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Vælg venligst flere tierprogramtype for mere end én samlingsregler. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Automatisk materialeanmodning dannet DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Arbejdstid, under hvilken Half Day er markeret. (Nul til at deaktivere)" DocType: Job Card,Total Completed Qty,I alt afsluttet antal +DocType: HR Settings,Auto Leave Encashment,Automatisk forladt kabinet apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Tabt apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,"Du kan ikke indtaste det aktuelle bilag i ""Imod Kassekladde 'kolonne" DocType: Employee Benefit Application Detail,Max Benefit Amount,Max Benefit Amount @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,abonnent DocType: Item Attribute Value,Item Attribute Value,Item Attribut Værdi apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valutaveksling skal være gældende for køb eller salg. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Kun udløbet tildeling kan annulleres DocType: Item,Maximum sample quantity that can be retained,"Maksimal prøvemængde, der kan opbevares" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Række {0} # Item {1} kan ikke overføres mere end {2} imod indkøbsordre {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Salgskampagner. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Ukendt opkald DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1400,6 +1425,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Healthcare apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Navn DocType: Expense Claim Detail,Expense Claim Type,Udlægstype DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standardindstillinger for Indkøbskurv +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Gem vare apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Ny udgift apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignorer eksisterende bestilt antal apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Tilføj timespor @@ -1412,6 +1438,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Gennemgå invitation sendt DocType: Shift Assignment,Shift Assignment,Skift opgave DocType: Employee Transfer Property,Employee Transfer Property,Medarbejderoverdragelsesejendom +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Feltet Aktie / Ansvarskonto kan ikke være tomt apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Fra tiden skal være mindre end til tiden apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Bioteknologi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1493,11 +1520,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kursusskema DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B-rapport DocType: Request for Quotation Supplier,Quote Status,Citat Status DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Afslutning status +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Det samlede betalingsbeløb kan ikke være større end {} DocType: Daily Work Summary Group,Select Users,Vælg brugere DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotel Værelsestype DocType: Loyalty Program Collection,Tier Name,Tiernavn @@ -1535,6 +1564,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST Bel DocType: Lab Test Template,Result Format,Resultatformat DocType: Expense Claim,Expenses,Udgifter DocType: Service Level,Support Hours,Support timer +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Leveringsanvisninger DocType: Item Variant Attribute,Item Variant Attribute,Item Variant Attribut ,Purchase Receipt Trends,Købskvittering Tendenser DocType: Payroll Entry,Bimonthly,Hver anden måned @@ -1557,7 +1587,6 @@ DocType: Sales Team,Incentives,Incitamenter DocType: SMS Log,Requested Numbers,Anmodet Numbers DocType: Volunteer,Evening,Aften DocType: Quiz,Quiz Configuration,Quiz-konfiguration -DocType: Customer,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 @@ -1604,7 +1633,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Valutak ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Kan ikke finde Time Slot i de næste {0} dage til Operation {1} DocType: Work Order,Plan material for sub-assemblies,Plan materiale til sub-enheder 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 @@ -1619,9 +1647,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Du skal aktivere automatisk ombestilling i lagerindstillinger for at opretholde omordningsniveauer. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,"Annuller Materiale Besøg {0}, før den annullerer denne vedligeholdelse Besøg" DocType: Pricing Rule,Rate or Discount,Pris eller rabat +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bank detaljer DocType: Vital Signs,One Sided,Ensidigt apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serienummer {0} hører ikke til vare {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Nødvendigt antal +DocType: Purchase Order Item Supplied,Required Qty,Nødvendigt antal DocType: Marketplace Settings,Custom Data,Brugerdefinerede data apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Lager med eksisterende transaktioner kan ikke konverteres til Finans. DocType: Service Day,Service Day,Servicedag @@ -1649,7 +1678,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Konto Valuta DocType: Lab Test,Sample ID,Prøve ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Henvis Round Off-konto i selskabet -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Periode DocType: Supplier,Default Payable Accounts,Standard betales Konti apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Medarbejder {0} er ikke aktiv eller findes ikke @@ -1690,8 +1718,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Anmodning om information DocType: Course Activity,Activity Date,Aktivitetsdato apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} af {} -,LeaderBoard,LEADERBOARD DocType: Sales Invoice Item,Rate With Margin (Company Currency),Rate med margen (Company Currency) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategorier apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Synkroniser Offline fakturaer DocType: Payment Request,Paid,Betalt DocType: Service Level,Default Priority,Standardprioritet @@ -1726,11 +1754,11 @@ DocType: Agriculture Task,Agriculture Task,Landbrugsopgave apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Indirekte Indkomst DocType: Student Attendance Tool,Student Attendance Tool,Student Deltagelse Tool DocType: Restaurant Menu,Price List (Auto created),Prisliste (Auto oprettet) +DocType: Pick List Item,Picked Qty,Valgt antal DocType: Cheque Print Template,Date Settings,Datoindstillinger 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 -,Company Name,Firmaets navn 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. @@ -1749,7 +1777,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Seneste forsøg 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} -DocType: BOM,Raw Material Cost(Company Currency),Råmaterialeomkostninger (firmavaluta) 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 @@ -1816,6 +1843,7 @@ DocType: Travel Itinerary,Train,Tog ,Delayed Item Report,Forsinket artikelrapport apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Kvalificeret ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Inpatient Occupancy +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Publicer dine første varer DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Tid efter skiftets afslutning, hvor check-out overvejes til deltagelse." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Angiv en {0} @@ -1931,6 +1959,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Alle styklister apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Oprettelse af Inter Company-journal DocType: Company,Parent Company,Moderselskab apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotelværelser af typen {0} er ikke tilgængelige på {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Sammenlign BOM'er for ændringer i råvarer og operationer apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokument {0} er uklaret DocType: Healthcare Practitioner,Default Currency,Standardvaluta apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Afstem denne konto @@ -1965,6 +1994,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktura Detail DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalingsafstemningsfaktura DocType: Clinical Procedure,Procedure Template,Procedureskabelon +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publicer genstande apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Bidrag% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","I henhold til købsindstillingerne, hvis købsordren er påkrævet == 'JA' og derefter for at oprette Købsfaktura skal brugeren først oprette indkøbsordre for vare {0}" ,HSN-wise-summary of outward supplies,HSN-wise-sammendrag af ydre forsyninger @@ -1977,7 +2007,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Venligst sæt 'Anvend Ekstra Rabat på' DocType: Party Tax Withholding Config,Applicable Percent,Gældende procent ,Ordered Items To Be Billed,Bestilte varer at blive faktureret -DocType: Employee Checkin,Exit Grace Period Consequence,Konsekvens af afslutningsperiode apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Fra Range skal være mindre end at ligge DocType: Global Defaults,Global Defaults,Globale indstillinger apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Invitation til sagssamarbejde @@ -1985,13 +2014,11 @@ DocType: Salary Slip,Deductions,Fradrag DocType: Setup Progress Action,Action Name,Handlingsnavn apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Startår apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Opret lån -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Startdato for nuværende fakturaperiode DocType: Shift Type,Process Attendance After,Procesdeltagelse efter ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Fravær uden løn DocType: Payment Request,Outward,Udgående -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Kapacitetsplanlægningsfejl apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Stat / UT-skat ,Trial Balance for Party,Prøvebalance for Selskab ,Gross and Net Profit Report,Brutto- og resultatopgørelse @@ -2010,7 +2037,6 @@ DocType: Payroll Entry,Employee Details,Medarbejderdetaljer 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} -DocType: Setup Progress Action,Domains,Domæner 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} @@ -2053,7 +2079,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Samlet for 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.","Betalingsmåde er ikke konfigureret. Kontroller, om konto er blevet indstillet på betalingsmåden eller på Kassesystemprofilen." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Samme vare kan ikke indtastes flere gange. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Kan gøres yderligere konti under grupper, men oplysningerne kan gøres mod ikke-grupper" -DocType: Email Campaign,Lead,Emne +DocType: Call Log,Lead,Emne DocType: Email Digest,Payables,Gæld DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,E-mail-kampagne til @@ -2065,6 +2091,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Indkøbsordre varer til fakturering 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 DocType: Purchase Invoice Item,Net Rate,Nettosats apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Vælg venligst en kunde DocType: Leave Policy,Leave Allocations,Forlade tildelinger @@ -2078,6 +2105,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Luk Issue efter dage ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Du skal være bruger med System Manager og Item Manager roller for at tilføje brugere til Marketplace. +DocType: Attendance,Early Exit,Tidlig udgang DocType: Job Opening,Staffing Plan,Bemandingsplan apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON kan kun genereres fra et indsendt dokument apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Medarbejder skat og fordele @@ -2098,6 +2126,7 @@ DocType: Maintenance Team Member,Maintenance Role,Vedligeholdelsesrolle apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Duplikér række {0} med samme {1} DocType: Marketplace Settings,Disable Marketplace,Deaktiver Marketplace DocType: Quality Meeting,Minutes,minutter +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Dine udvalgte varer ,Trial Balance,Trial Balance apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Vis afsluttet apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Regnskabsår {0} blev ikke fundet @@ -2107,8 +2136,8 @@ 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 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- -DocType: Shift Type,Consequence,Følge DocType: Subscription Settings,Subscription Settings,Abonnementsindstillinger DocType: Purchase Invoice,Update Auto Repeat Reference,Opdater Auto Repeat Reference apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},"Valgfri ferieliste, der ikke er indstillet for orlovsperioden {0}" @@ -2119,7 +2148,6 @@ DocType: Maintenance Visit Purpose,Work Done,Arbejdet udført apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Angiv mindst én attribut i Attributter tabellen DocType: Announcement,All Students,Alle studerende apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Vare {0} skal være en ikke-lagervare -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Se kladde DocType: Grading Scale,Intervals,Intervaller DocType: Bank Statement Transaction Entry,Reconciled Transactions,Afstemte transaktioner @@ -2155,6 +2183,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Salgsmulighed Vare DocType: Quality Action,Quality Review,Kvalitetsanmeldelse @@ -2181,7 +2210,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Hent åbne fakturaer -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Salgsordre {0} er ikke gyldig +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Indkøbsordrer hjælpe dig med at planlægge og følge op på dine køb apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab Test Prescriptions @@ -2206,6 +2235,7 @@ DocType: Employee Onboarding,Notify users by email,Underret brugerne via e-mail DocType: Travel Request,International,International DocType: Training Event,Training Event,Træning begivenhed DocType: Item,Auto re-order,Auto genbestil +DocType: Attendance,Late Entry,Sidste indrejse apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Total Opnået DocType: Employee,Place of Issue,Udstedelsessted DocType: Promotional Scheme,Promotional Scheme Price Discount,Salgspris rabat @@ -2252,6 +2282,7 @@ DocType: Serial No,Serial No Details,Serienummeroplysninger DocType: Purchase Invoice Item,Item Tax Rate,Varemoms-% apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Fra Selskabsnavn apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Nettolønbeløb +DocType: Pick List,Delivery against Sales Order,Levering mod salgsordre DocType: Student Group Student,Group Roll Number,Gruppe Roll nummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",For {0} kan kun kredit konti knyttes mod en anden debet post apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Følgeseddel {0} er ikke godkendt @@ -2323,7 +2354,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Denne værdi anvendes til pro rata temporis beregning apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Du skal aktivere Indkøbskurven DocType: Payment Entry,Writeoff,Skrive af DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2337,6 +2367,7 @@ DocType: Delivery Trip,Total Estimated Distance,Samlet estimeret afstand DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Kontoer Tilgodehavende Ubetalt konto DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Styklistesøgning +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Ikke tilladt at oprette regnskabsmæssig dimension for {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Opdater venligst din status for denne træningsbegivenhed DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Tilføje eller fratrække @@ -2346,7 +2377,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Inaktive salgsartikler DocType: Quality Review,Additional Information,Yderligere Information apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Samlet ordreværdi -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Nulstilling af serviceniveauaftale. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Mad apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Ageing Range 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Closing Voucher Detaljer @@ -2393,6 +2423,7 @@ 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 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" DocType: Healthcare Practitioner,Contacts and Address,Kontakter og adresse DocType: Shift Type,Determine Check-in and Check-out,Bestem indtjekning og udtjekning @@ -2412,7 +2443,6 @@ DocType: Student Admission,Eligibility and Details,Støtteberettigelse og detalj apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Inkluderet i bruttoresultat apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Nettoændring i anlægsaktiver apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Antal -DocType: Company,Client Code,Klientkode apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Afgift af typen 'Actual "i rækken {0} kan ikke indgå i Item Rate apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Fra datotid @@ -2480,6 +2510,7 @@ DocType: Journal Entry Account,Account Balance,Konto saldo apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Kunden er påkrævet mod Tilgodehavende konto {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Moms i alt (firmavaluta) DocType: Weather,Weather Parameter,Vejr Parameter @@ -2542,6 +2573,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Arbejdstidsgrænse for fr apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Der kan være flere lagdelt indsamlingsfaktor baseret på det samlede forbrug. Men konverteringsfaktoren til indløsning vil altid være den samme for alle niveauer. apps/erpnext/erpnext/config/help.py,Item Variants,Item Varianter apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Tjenester +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,E-mail lønseddel til medarbejder DocType: Cost Center,Parent Cost Center,Overordnet omkostningssted @@ -2552,7 +2584,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","V DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Import leveringsnotater fra Shopify på forsendelse apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Vis lukket DocType: Issue Priority,Issue Priority,Udgaveprioritet -DocType: Leave Type,Is Leave Without Pay,Er fravær uden løn +DocType: Leave Ledger Entry,Is Leave Without Pay,Er fravær uden løn apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Aktivkategori er obligatorisk for en anlægsaktivvare DocType: Fee Validity,Fee Validity,Gebyrets gyldighed @@ -2601,6 +2633,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Tilgængeligt batch apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Opdater Print Format DocType: Bank Account,Is Company Account,Er virksomhedskonto apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Forladetype {0} er ikke inkashable +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Kreditgrænsen er allerede defineret for virksomheden {0} DocType: Landed Cost Voucher,Landed Cost Help,Landed Cost Hjælp DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-vlog-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Vælg leveringsadresse @@ -2625,6 +2658,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,To-vejs DocType: Item,Manufacturers,producenter @@ -2661,7 +2695,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Bank Saldoopgørelsen DocType: Patient Encounter,Medical Coding,Medicinsk kodning DocType: Healthcare Settings,Reminder Message,Påmindelsesmeddelelse -,Lead Name,Emnenavn +DocType: Call Log,Lead Name,Emnenavn ,POS,Kassesystem DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Forundersøgelse @@ -2693,12 +2727,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Leverandør Warehouse DocType: Opportunity,Contact Mobile No,Kontakt mobiltelefonnr. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Vælg firma ,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: 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- 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.,Bruger {0} har ingen standard POS-profil. Tjek standard i række {1} for denne bruger. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Mødemøde for kvalitet +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Medarbejder Henvisning DocType: Student Group,Set 0 for no limit,Sæt 0 for ingen grænse apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Den dag (e), som du ansøger om orlov er helligdage. Du har brug for ikke søge om orlov." @@ -2732,12 +2768,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Nettoændring i kontanter DocType: Assessment Plan,Grading Scale,karakterbekendtgørelsen apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Måleenhed {0} er indtastet mere end én gang i Conversion Factor Table -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Allerede afsluttet apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock i hånden apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Tilføj venligst de resterende fordele {0} til applikationen som \ pro-rata-komponent apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Angiv finanspolitisk kode for den offentlige administration '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Betalingsanmodning findes allerede {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Omkostninger ved Udstedte Varer DocType: Healthcare Practitioner,Hospital,Sygehus apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Antal må ikke være mere end {0} @@ -2782,6 +2816,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Medarbejdere apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Upper Indkomst DocType: Item Manufacturer,Item Manufacturer,element Manufacturer +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Opret ny kundeemne DocType: BOM Operation,Batch Size,Batch størrelse apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Afvise DocType: Journal Entry Account,Debit in Company Currency,Debet (firmavaluta) @@ -2802,9 +2837,11 @@ DocType: Bank Transaction,Reconciled,Afstemt DocType: Expense Claim,Total Amount Reimbursed,Samlede godtgjorte beløb apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Dette er baseret på kørebogen for køretøjet. Se tidslinje nedenfor for detaljer apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Lønningsdato kan ikke være mindre end medarbejderens tilmeldingsdato +DocType: Pick List,Item Locations,Vareplaceringer apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} oprettet apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Jobåbninger til betegnelse {0} allerede åben \ eller ansættelse afsluttet som pr. Personaleplan {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Du kan offentliggøre op til 200 varer. DocType: Vital Signs,Constipated,forstoppet apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Imod Leverandør Faktura {0} dateret {1} DocType: Customer,Default Price List,Standardprisliste @@ -2896,6 +2933,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Skift faktisk start DocType: Tally Migration,Is Day Book Data Imported,Er dagbogsdata importeret apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Markedsføringsomkostninger +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} enheder på {1} er ikke tilgængelig. ,Item Shortage Report,Item Mangel Rapport 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 @@ -2918,6 +2956,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 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 DocType: Material Request,Transferred,overført DocType: Vehicle,Doors,Døre @@ -2997,7 +3036,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Kundens varenr. DocType: Stock Reconciliation,Stock Reconciliation,Lagerafstemning DocType: Territory,Territory Name,Områdenavn DocType: Email Digest,Purchase Orders to Receive,Indkøbsordrer til modtagelse -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,"Work-in-Progress Warehouse er nødvendig, før Indsend" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,"Work-in-Progress Warehouse er nødvendig, før Indsend" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Du kan kun have planer med samme faktureringsperiode i en abonnement DocType: Bank Statement Transaction Settings Item,Mapped Data,Mappede data DocType: Purchase Order Item,Warehouse and Reference,Lager og reference @@ -3071,6 +3110,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Leveringsindstillinger apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Hent data apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maksimal tilladelse tilladt i orlovstypen {0} er {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publicer 1 vare DocType: SMS Center,Create Receiver List,Opret Modtager liste DocType: Student Applicant,LMS Only,Kun LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Tilgængelig til brug Dato bør være efter købsdato @@ -3104,6 +3144,7 @@ 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 DocType: Vital Signs,Furry,Furry apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Sæt venligst ""Gevinst/tabskonto vedr. salg af anlægsaktiv"" i firma {0}" +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} @@ -3115,6 +3156,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Se alle udgaver fra {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Mødebord af kvalitet +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 apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Besøg fora DocType: Student,Student Mobile Number,Studerende mobiltelefonnr. DocType: Item,Has Variants,Har Varianter @@ -3125,9 +3167,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Navnet på den månedlige Distribution DocType: Quality Procedure Process,Quality Procedure Process,Kvalitetsprocedure apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Parti-id er obligatorisk +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Vælg først kunde DocType: Sales Person,Parent Sales Person,Parent Sales Person apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,"Ingen emner, der skal modtages, er for sent" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Sælgeren og køberen kan ikke være det samme +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Ingen visninger endnu DocType: Project,Collect Progress,Indsamle fremskridt DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Vælg programmet først @@ -3149,11 +3193,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Opnået DocType: Student Admission,Application Form Route,Ansøgningsskema Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Slutdato for aftalen kan ikke være mindre end i dag. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter for at indsende DocType: Healthcare Settings,Patient Encounters in valid days,Patientmøder i gyldige dage apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Fraværstype {0} kan ikke fordeles, da den er af typen uden løn" 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},Række {0}: Allokeret mængde {1} skal være mindre end eller lig med at fakturere udestående beløb {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"""I ord"" vil være synlig, når du gemmer salgsfakturaen." DocType: Lead,Follow Up,Opfølgning +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Omkostningscenter: {0} findes ikke DocType: Item,Is Sales Item,Er salgsvare apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Varegruppetræ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Vare {0} er ikke sat op til serienumre. Tjek vare-masteren @@ -3197,9 +3243,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Medfølgende Antal DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Materialeanmodningsvare -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Annuller købs kvittering {0} først apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Varegruppetræer DocType: Production Plan,Total Produced Qty,I alt produceret antal +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Ingen bedømmelser endnu apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Kan ikke henvise rækken tal større end eller lig med aktuelle række nummer til denne Charge typen DocType: Asset,Sold,solgt ,Item-wise Purchase History,Vare-wise Købshistorik @@ -3218,7 +3264,7 @@ DocType: Designation,Required Skills,Nødvendige færdigheder DocType: Inpatient Record,O Positive,O Positive apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investeringer DocType: Issue,Resolution Details,Løsningsdetaljer -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Transaktionstype +DocType: Leave Ledger Entry,Transaction Type,Transaktionstype DocType: Item Quality Inspection Parameter,Acceptance Criteria,Accept kriterier apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Indtast materialeanmodninger i ovenstående tabel apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Ingen tilbagebetalinger til rådighed for Journal Entry @@ -3259,6 +3305,7 @@ DocType: Bank Account,Bank Account No,Bankkonto nr DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Beskæftigelse af medarbejderskattefritagelse DocType: Patient,Surgical History,Kirurgisk historie DocType: Bank Statement Settings Item,Mapped Header,Mapped Header +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: 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. 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} @@ -3326,7 +3373,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Tilføj brevpapir DocType: Program Enrollment,Self-Driving Vehicle,Selvkørende køretøj 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Samlede fordelte blade {0} kan ikke være mindre end allerede godkendte blade {1} for perioden DocType: Contract Fulfilment Checklist,Requirement,Krav DocType: Journal Entry,Accounts Receivable,Tilgodehavender DocType: Quality Goal,Objectives,mål @@ -3349,7 +3395,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Single Transaction Th DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Denne værdi opdateres i standard salgsprislisten. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Din vogn er tom DocType: Email Digest,New Expenses,Nye udgifter -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC beløb apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Kan ikke optimere ruten, da driveradressen mangler." DocType: Shareholder,Shareholder,Aktionær DocType: Purchase Invoice,Additional Discount Amount,Ekstra rabatbeløb @@ -3386,6 +3431,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Vedligeholdelsesopgave apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Indstil venligst B2C-begrænsning i GST-indstillinger. DocType: Marketplace Settings,Marketplace Settings,Marketplace-indstillinger DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Lager, hvor du vedligeholder lager af afviste varer" +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Publicer {0} varer 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,Kan ikke finde valutakurs for {0} til {1} for nøgle dato {2}. Opret venligst en valutaudvekslingsoptegnelse manuelt DocType: POS Profile,Price List,Prisliste 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. @@ -3422,6 +3468,7 @@ DocType: Salary Component,Deduction,Fradrag DocType: Item,Retain Sample,Behold prøve apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Række {0}: Fra tid og til tid er obligatorisk. DocType: Stock Reconciliation Item,Amount Difference,Differencebeløb +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"Denne side holder styr på de ting, du vil købe fra sælgere." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Varepris tilføjet for {0} i prisliste {1} DocType: Delivery Stop,Order Information,Ordreinformation apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Indtast venligst Medarbejder Id dette salg person @@ -3450,6 +3497,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Evalueringsplan Navn apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Måldetaljer apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Gælder hvis virksomheden er SpA, SApA eller SRL" @@ -3502,7 +3550,6 @@ DocType: Company,Transactions Annual History,Transaktioner Årlig Historie 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-over 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 @@ -3554,6 +3601,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Årets resultat 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 @@ -3607,12 +3655,10 @@ DocType: Supplier Scorecard,Scoring Setup,Scoring Setup apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronik 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Der blev ikke fundet noget GST-nummer for virksomheden. 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 DocType: Question,Single Correct Answer,Enkelt korrekt svar -DocType: Employee,Contact Details,Kontaktoplysninger DocType: C-Form,Received Date,Modtaget d. DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Hvis du har oprettet en standardskabelon under Salg Moms- og afgiftsskabelon, skal du vælge en, og klik på knappen nedenfor." DocType: BOM Scrap Item,Basic Amount (Company Currency),Grundbeløb (Company Currency) @@ -3642,12 +3688,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation DocType: Bank Statement Transaction Payment Item,outstanding_amount,Utrolig mængde DocType: Supplier Scorecard,Supplier Score,Leverandør score apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Planlægning Adgang +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Det samlede beløb for anmodning om betaling kan ikke være større end {0} beløbet DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kumulativ transaktionstærskel DocType: Promotional Scheme Price Discount,Discount Type,Type rabat -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Samlet faktureret beløb DocType: Purchase Invoice Item,Is Free Item,Er gratis vare +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Procentdel, du har lov til at overføre mere mod den bestilte mængde. For eksempel: Hvis du har bestilt 100 enheder. og din kvote er 10%, har du lov til at overføre 110 enheder." DocType: Supplier,Warn RFQs,Advar RFQ'er -apps/erpnext/erpnext/templates/pages/home.html,Explore,Udforske +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Udforske DocType: BOM,Conversion Rate,Omregningskurs apps/erpnext/erpnext/www/all-products/index.html,Product Search,Søg efter vare ,Bank Remittance,Bankoverførsel @@ -3659,6 +3706,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Samlede beløb betalt DocType: Asset,Insurance End Date,Forsikrings Slutdato apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Vælg venligst Student Admission, som er obligatorisk for den betalte studentansøger" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Budgetliste DocType: Campaign,Campaign Schedules,Kampagneplaner DocType: Job Card Time Log,Completed Qty,Afsluttet Antal @@ -3681,6 +3729,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Ny adress DocType: Quality Inspection,Sample Size,Sample Size apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Indtast Kvittering Dokument apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Alle varer er allerede blevet faktureret +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Blade taget apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Angiv en gyldig "Fra sag nr ' 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,Yderligere omkostninger centre kan foretages under Grupper men indtastninger kan foretages mod ikke-grupper 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,Samlede tildelte blade er flere dage end maksimal tildeling af {0} ferie type for medarbejder {1} i perioden @@ -3780,6 +3829,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Inkluder al 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 DocType: Leave Block List,Allow Users,Tillad brugere 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: 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. @@ -3833,6 +3884,7 @@ DocType: Support Search Source,Result Title Field,Resultat Titel Field apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Opkaldsoversigt DocType: Sample Collection,Collected Time,Samlet tid DocType: Employee Skill Map,Employee Skills,Medarbejderfærdigheder +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Brændstofudgift DocType: Company,Sales Monthly History,Salg Månedlig historie apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Angiv mindst en række i skatter og afgifter tabellen DocType: Asset Maintenance Task,Next Due Date,Næste Forfaldsdato @@ -3842,6 +3894,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Vitale te DocType: Payment Entry,Payment Deductions or Loss,Betalings Fradrag eller Tab DocType: Soil Analysis,Soil Analysis Criterias,Jordanalysekriterier apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardkontraktvilkår for Salg eller Indkøb. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Rækker blev fjernet i {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Start check-in før skiftets starttid (i minutter) DocType: BOM Item,Item operation,Vareoperation apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Sortér efter Bilagstype @@ -3867,11 +3920,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Lønseddel for medarbejder {0} er allerede oprettet for denne periode apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmaceutiske apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Du kan kun indsende Leave Encashment for en gyldig indsatsbeløb +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Varer efter apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Omkostninger ved Købte varer DocType: Employee Separation,Employee Separation Template,Medarbejderseparationsskabelon DocType: Selling Settings,Sales Order Required,Salgsordre påkrævet apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Bliv sælger -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Antallet af forekomster, hvorefter konsekvensen udføres." ,Procurement Tracker,Indkøb Tracker DocType: Purchase Invoice,Credit To,Credit Til apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC vendt @@ -3884,6 +3937,7 @@ DocType: Quality Meeting,Agenda,Dagsorden DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Vedligeholdelsesplandetaljer DocType: Supplier Scorecard,Warn for new Purchase Orders,Advarer om nye indkøbsordrer DocType: Quality Inspection Reading,Reading 9,Reading 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Forbind din Exotel-konto til ERPNext og spor opkaldslogger DocType: Supplier,Is Frozen,Er Frozen DocType: Tally Migration,Processed Files,Behandlede filer apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Gruppe node lager er ikke tilladt at vælge for transaktioner @@ -3893,6 +3947,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Styklistenr. for en DocType: Upload Attendance,Attendance To Date,Fremmøde til dato 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 @@ -3917,7 +3972,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Anmoders apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Ugyldig henvisning {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regler for anvendelse af forskellige salgsfremmende ordninger. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan ikke være større end planlagt antal ({2}) på produktionsordre {3} DocType: Shipping Rule,Shipping Rule Label,Forsendelseregeltekst DocType: Journal Entry Account,Payroll Entry,Lønning Entry apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Se Gebyrer Records @@ -3929,6 +3983,7 @@ DocType: Contract,Fulfilment Status,Opfyldelsesstatus DocType: Lab Test Sample,Lab Test Sample,Lab Test prøve DocType: Item Variant Settings,Allow Rename Attribute Value,Tillad omdøbe attributværdi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Hurtig kassekladde +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Fremtidig betalingsbeløb apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Du kan ikke ændre kurs, hvis BOM nævnt agianst ethvert element" DocType: Restaurant,Invoice Series Prefix,Faktura Serie Prefix DocType: Employee,Previous Work Experience,Tidligere erhvervserfaring @@ -3958,6 +4013,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Sagsstatus DocType: UOM,Check this to disallow fractions. (for Nos),Markér dette for at forbyde fraktioner. (For NOS) DocType: Student Admission Program,Naming Series (for Student Applicant),Navngivningsnummerserie (for elevansøger) +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/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 @@ -3973,6 +4029,7 @@ DocType: Fiscal Year,Year End Date,Sidste dag i året DocType: Task Depends On,Task Depends On,Opgave afhænger af apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Salgsmulighed DocType: Options,Option,Mulighed +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Du kan ikke oprette regnskabsposter i den lukkede regnskabsperiode {0} DocType: Operation,Default Workstation,Standard Workstation DocType: Payment Entry,Deductions or Loss,Fradrag eller Tab apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} er lukket @@ -3981,6 +4038,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Hent aktuel lagerbeholdning DocType: Purchase Invoice,ineligible,støtteberettigede apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Styklistetræ +DocType: BOM,Exploded Items,Eksploderede genstande DocType: Student,Joining Date,Ansættelsesdato ,Employees working on a holiday,"Medarbejdere, der arbejder på en helligdag" ,TDS Computation Summary,TDS-beregningsoversigt @@ -4013,6 +4071,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Grundlæggende sats (s DocType: SMS Log,No of Requested SMS,Antal af forespurgte SMS'er apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Fravær uden løn stemmer ikke med de godkendte fraværsansøgninger apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Næste skridt +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Gemte varer DocType: Travel Request,Domestic,Indenlandsk apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Angiv venligst de angivne poster på de bedste mulige priser apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Medarbejderoverførsel kan ikke indsendes før Overførselsdato @@ -4065,7 +4124,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Aktiver kategori konto apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Værdien {0} er allerede tildelt en eksisterende artikel {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Betalingstabel): Beløbet skal være positivt -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Kan ikke producere mere Item {0} end Sales Order mængde {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Kan ikke producere mere Item {0} end Sales Order mængde {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Intet er inkluderet i brutto apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill findes allerede til dette dokument apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Vælg Attributværdier @@ -4100,12 +4159,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Aktivér forskellige konsekvenser ved tidlig udgang ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Ansættelsesfordel Ansøgning apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Der findes yderligere lønkomponenter. DocType: Purchase Invoice,Unregistered,Uregistreret -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Vælg følgeseddel først DocType: Student Applicant,Application Date,Ansøgningsdato DocType: Salary Component,Amount based on formula,Antal baseret på formlen DocType: Purchase Invoice,Currency and Price List,Valuta- og prisliste @@ -4134,6 +4191,7 @@ DocType: Purchase Receipt,Time at which materials were received,"Tidspunkt, hvor DocType: Products Settings,Products per Page,Produkter pr. Side 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Tildelt beløb kan ikke være negativt DocType: Sales Order,Billing Status,Faktureringsstatus apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Rapporter et problem @@ -4143,6 +4201,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-over 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,Row # {0}: Kassekladde {1} har ikke konto {2} eller allerede matchet mod en anden kupon DocType: Supplier Scorecard Criteria,Criteria Weight,Kriterier Vægt +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Konto: {0} er ikke tilladt under betalingsindtastning DocType: Production Plan,Ignore Existing Projected Quantity,Ignorer det eksisterende forventede antal apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Forlad godkendelsesmeddelelse DocType: Buying Settings,Default Buying Price List,Standard indkøbsprisliste @@ -4151,6 +4210,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,Betalingstype apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Vælg venligst et parti for vare {0}. Kunne ikke finde et eneste parti, der opfylder dette krav" @@ -4179,6 +4239,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Indkøbskurv Indstillinge DocType: Journal Entry,Accounting Entries,Bogføringsposter 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'." +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 DocType: Journal Entry,Paid Loan,Betalt lån 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 @@ -4195,12 +4256,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Detaljer apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Ingen tidsregistreringer DocType: GoCardless Mandate,GoCardless Customer,GoCardless kunde apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Fraværstype {0} kan ikke bæres videre +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Mærke apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Vedligeholdelsesplan er ikke dannet for alle varer. Klik på ""Generér plan'" ,To Produce,At producere DocType: Leave Encashment,Payroll,Løn 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","For rækken {0} i {1}. For at inkludere {2} i Item sats, rækker {3} skal også medtages" DocType: Healthcare Service Unit,Parent Service Unit,Moderselskab DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikation af emballagen for levering (til print) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Serviceniveauaftale blev nulstillet. DocType: Bin,Reserved Quantity,Reserveret mængde apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Indtast venligst en gyldig e-mailadresse DocType: Volunteer Skill,Volunteer Skill,Frivillig Færdighed @@ -4221,7 +4284,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Pris eller produktrabat apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,For række {0}: Indtast planlagt antal DocType: Account,Income Account,Indtægtskonto -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Payment Request,Amount in customer's currency,Beløb i kundens valuta apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Levering apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Tildele strukturer ... @@ -4244,6 +4306,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,"Du vil miste optegnelser over tidligere genererede fakturaer. Er du sikker på, at du vil genstarte dette abonnement?" @@ -4299,11 +4362,10 @@ DocType: Additional Salary,HR User,HR-bruger DocType: Bank Guarantee,Reference Document Name,Reference dokumentnavn DocType: Purchase Invoice,Taxes and Charges Deducted,Skatter og Afgifter Fratrukket DocType: Support Settings,Issues,Spørgsmål -DocType: Shift Type,Early Exit Consequence after,Konsekvens af tidlig udgang efter DocType: Loyalty Program,Loyalty Program Name,Loyalitetsprogramnavn apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Status skal være en af {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Påmindelse om at opdatere GSTIN Sendt -DocType: Sales Invoice,Debit To,Debit Til +DocType: Discounted Invoice,Debit To,Debit Til DocType: Restaurant Menu Item,Restaurant Menu Item,Restaurant menupunkt DocType: Delivery Note,Required only for sample item.,Kræves kun for prøve element. DocType: Stock Ledger Entry,Actual Qty After Transaction,Aktuel Antal Efter Transaktion @@ -4386,6 +4448,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Parameternavn apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Kun Lad Applikationer med status "Godkendt" og "Afvist" kan indsendes apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Opretter dimensioner ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Elevgruppenavn er obligatorisk i rækken {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Omgå kreditgrænse-check DocType: Homepage,Products to be shown on website homepage,Produkter til at blive vist på hjemmesidens startside DocType: HR Settings,Password Policy,Kodeordspolitik apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Dette er en rod-kundegruppe og kan ikke redigeres. @@ -4432,10 +4495,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Hvis apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Indstil standardkunde i Restaurantindstillinger ,Salary Register,Løn Register DocType: Company,Default warehouse for Sales Return,Standardlager til salgsafkast -DocType: Warehouse,Parent Warehouse,Forældre Warehouse +DocType: Pick List,Parent Warehouse,Forældre Warehouse DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definer forskellige låneformer DocType: Bin,FCFS Rate,FCFS Rate @@ -4472,6 +4535,7 @@ DocType: Travel Itinerary,Lodging Required,Indlogering påkrævet DocType: Promotional Scheme,Price Discount Slabs,Pris Rabatplader DocType: Stock Reconciliation Item,Current Serial No,Aktuelt serienr DocType: Employee,Attendance and Leave Details,Oplysninger om deltagelse og orlov +,BOM Comparison Tool,BOM-sammenligningsværktøj ,Requested,Anmodet apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Ingen bemærkninger DocType: Asset,In Maintenance,Ved vedligeholdelse @@ -4494,6 +4558,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Standard serviceniveauaftale DocType: SG Creation Tool Course,Course Code,Kursuskode apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Mere end et valg for {0} er ikke tilladt +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Mængde råvarer afgøres på baggrund af antallet af færdige varer DocType: Location,Parent Location,Forældre Placering DocType: POS Settings,Use POS in Offline Mode,Brug POS i offline-tilstand apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prioritet er ændret til {0}. @@ -4512,7 +4577,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Prøveopbevaringslager DocType: Company,Default Receivable Account,Standard Tilgodehavende konto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Projekteret mængdeformel DocType: Sales Invoice,Deemed Export,Forsøgt eksport -DocType: Stock Entry,Material Transfer for Manufacture,Materiale Transfer til Fremstilling +DocType: Pick List,Material Transfer for Manufacture,Materiale Transfer til Fremstilling 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.,Rabat Procent kan anvendes enten mod en prisliste eller for alle prisliste. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Regnskab Punktet for lager DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4555,7 +4620,6 @@ DocType: Training Event,Theory,Teori apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Advarsel: Anmodet materialemængde er mindre end minimum ordremængden apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Konto {0} er spærret DocType: Quiz Question,Quiz Question,Quiz Spørgsmål -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype 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" @@ -4586,6 +4650,7 @@ 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 DocType: Account,Expense Account,Udgiftskonto apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Farve @@ -4623,6 +4688,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Administrér forha 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 DocType: Fee Validity,Visited yet,Besøgt endnu +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Du kan indeholde op til 8 varer. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Lager med eksisterende transaktion kan ikke konverteres til gruppen. 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. @@ -4630,7 +4696,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4655,7 +4720,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Konvertering i DocType: Contract,Signee Details,Signee Detaljer apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} har for øjeblikket et {1} leverandør scorecard stående, og RFQs til denne leverandør skal udleveres med forsigtighed." DocType: Certified Consultant,Non Profit Manager,Non Profit Manager -DocType: BOM,Total Cost(Company Currency),Totale omkostninger (firmavaluta) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serienummer {0} oprettet DocType: Homepage,Company Description for website homepage,Firmabeskrivelse til hjemmesiden DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Af hensyn til kunderne, kan disse koder bruges i udskriftsformater ligesom fakturaer og følgesedler" @@ -4683,7 +4747,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Købskvit DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktivér planlagt synkronisering apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Til datotid apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Logs for opretholdelse sms leveringsstatus -DocType: Shift Type,Early Exit Consequence,Konsekvens af tidlig udgang DocType: Accounts Settings,Make Payment via Journal Entry,Foretag betaling via kassekladden apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Opret venligst ikke mere end 500 varer ad gangen apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Trykt On @@ -4740,6 +4803,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Grænse overskr 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Dato for etablering apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"En akademisk betegnelse for denne ""skoleår '{0} og"" betingelsesnavn' {1} findes allerede. Korrigér venligst og prøv igen." @@ -4801,6 +4865,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Kunde type DocType: Compensatory Leave Request,Leave Allocation,Fraværstildeling DocType: Payment Request,Recipient Message And Payment Details,Modtager Besked Og Betalingsoplysninger +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Vælg en leveringsnotat DocType: Support Search Source,Source DocType,Kilde DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Åbn en ny billet DocType: Training Event,Trainer Email,Trainer Email @@ -4921,6 +4986,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Fra dato' skal være efter 'Til dato' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Ingen bemandingsplaner fundet for denne betegnelse apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} i vare {1} er deaktiveret. @@ -4942,7 +5008,7 @@ DocType: Clinical Procedure,Patient,Patient apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Bypass kreditcheck på salgsordre DocType: Employee Onboarding Activity,Employee Onboarding Activity,Medarbejder Onboarding Aktivitet DocType: Location,Check if it is a hydroponic unit,Kontroller om det er en hydroponisk enhed -DocType: Stock Reconciliation Item,Serial No and Batch,Serienummer og parti +DocType: Pick List Item,Serial No and Batch,Serienummer og parti DocType: Warranty Claim,From Company,Fra firma DocType: GSTR 3B Report,January,januar apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summen af Snesevis af Assessment Criteria skal være {0}. @@ -4966,7 +5032,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabat (% 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nej {0} fundet for Inter Company Transactions. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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 @@ -4999,11 +5064,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Omkostningsc 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Resterende DocType: Appraisal,Appraisal,Vurdering DocType: Loan,Loan Account,Lånekonto apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Gyldige fra og gyldige op til felter er obligatoriske for det akkumulerede +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",For punkt {0} i række {1} stemmer antallet af serienumre ikke med det valgte antal DocType: Purchase Invoice,GST Details,GST Detaljer apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Dette er baseret på transaktioner mod denne Healthcare Practitioner. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-mail sendt til leverandør {0} @@ -5067,6 +5134,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruttovægt af pakken. Normalt nettovægt + emballagematerialevægt. (til udskrivning) DocType: Assessment Plan,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Brugere med denne rolle får lov til at sætte indefrosne konti og oprette / ændre regnskabsposter mod indefrosne konti +DocType: Plaid Settings,Plaid Environment,Plaid miljø ,Project Billing Summary,Projekt faktureringsoversigt DocType: Vital Signs,Cuts,Cuts DocType: Serial No,Is Cancelled,Er Annulleret @@ -5128,7 +5196,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Bemærk: Systemet vil ikke kontrollere over-levering og over-booking for Item {0} som mængde eller beløb er 0 DocType: Issue,Opening Date,Åbning Dato apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Gem venligst patienten først -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Lav ny kontakt apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Deltagelse er mærket korrekt. DocType: Program Enrollment,Public Transport,Offentlig transport DocType: Sales Invoice,GST Vehicle Type,GST-køretøjstype @@ -5154,6 +5221,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Regninger o 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Tilføj først elementer i tabellen Produktplaceringer DocType: Pricing Rule,Discount Amount,Rabatbeløb DocType: Pricing Rule,Period Settings,Periodeindstillinger DocType: Purchase Invoice,Return Against Purchase Invoice,Retur Against købsfaktura @@ -5186,7 +5254,6 @@ DocType: Assessment Plan,Assessment Plan,Vurdering Plan DocType: Travel Request,Fully Sponsored,Fuldt sponsoreret apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Reverse Journal Entry apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Opret jobkort -DocType: Shift Type,Consequence after,Konsekvens efter DocType: Quality Procedure Process,Process Description,Procesbeskrivelse apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Kunden {0} er oprettet. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Der er i øjeblikket ingen lager på lageret @@ -5221,6 +5288,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Clearance Dato DocType: Delivery Settings,Dispatch Notification Template,Dispatch Notification Template apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Vurderingsrapport apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Få medarbejdere +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 @@ -5314,7 +5382,6 @@ DocType: Stock Settings,Use Naming Series,Brug navngivningsserie apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Ingen handling apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Værdiansættelse typen omkostninger ikke er markeret som Inclusive DocType: POS Profile,Update Stock,Opdatering Stock -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 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Forskellige UOM for elementer vil føre til forkert (Total) Vægt værdi. Sørg for, at Nettovægt for hvert punkt er i den samme UOM." DocType: Certification Application,Payment Details,Betalingsoplysninger apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate @@ -5349,7 +5416,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Dette er en rod salg person og kan ikke redigeres. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Hvis valgt, vil den værdi, der er angivet eller beregnet i denne komponent, ikke bidrage til indtjeningen eller fradrag. Men det er værdien kan henvises af andre komponenter, som kan tilføjes eller fratrækkes." -DocType: Asset Settings,Number of Days in Fiscal Year,Antal Dage i Skatteår ,Stock Ledger,Lagerkladde DocType: Company,Exchange Gain / Loss Account,Exchange Gevinst / Tab konto DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials @@ -5384,6 +5450,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Kolonne i bankfil apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Forlad ansøgning {0} eksisterer allerede mod den studerende {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Kø for opdatering af seneste pris i alle Materialebevis. Det kan tage et par minutter. +DocType: Pick List,Get Item Locations,Hent vareplaceringer apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Navn på ny konto. Bemærk: Du må ikke oprette konti for kunder og leverandører DocType: POS Profile,Display Items In Stock,Vis varer på lager apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Standard-adresseskabeloner sorteret efter lande @@ -5407,6 +5474,7 @@ DocType: Crop,Materials Required,Materialer krævet apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Ingen studerende Fundet DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Månedlig HRA-fritagelse DocType: Clinical Procedure,Medical Department,Medicinsk afdeling +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Samlet tidlige udgange DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Leverandør Scorecard Scoring Criteria apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Faktura Bogføringsdato apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Salg @@ -5418,11 +5486,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Slet medarbejderen {0} \ for at annullere dette dokument" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Ud af AMC DocType: Opportunity,Opportunity Amount,Mulighedsbeløb +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Din profil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Antal Afskrivninger Reserverede kan ikke være større end alt Antal Afskrivninger DocType: Purchase Order,Order Confirmation Date,Ordrebekræftelsesdato DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5517,7 +5584,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Der er uoverensstemmelser mellem kursen, antal aktier og det beregnede beløb" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Du er ikke til stede hele dagen / dage mellem anmodninger om kompensationsorlov apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Prøv venligst igen typen firmanavn for at bekræfte -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Total Enestående Amt DocType: Journal Entry,Printing Settings,Udskrivningsindstillinger DocType: Payment Order,Payment Order Type,Betalingsordres type DocType: Employee Advance,Advance Account,Advance konto @@ -5606,7 +5672,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,År navn apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Der er flere helligdage end arbejdsdage i denne måned. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Følgende elementer {0} er ikke markeret som {1} element. Du kan aktivere dem som {1} element fra dets Item master -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Produktpakkevare DocType: Sales Partner,Sales Partner Name,Forhandlernavn apps/erpnext/erpnext/hooks.py,Request for Quotations,Anmodning om tilbud @@ -5615,19 +5680,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Blade +DocType: Leave Ledger Entry,Leaves,Blade DocType: Student Language,Student Language,Student Sprog DocType: Cash Flow Mapping,Is Working Capital,Er arbejdskapital apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Indsend bevis apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Ordre / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Optag Patient Vitals DocType: Fee Schedule,Institution,Institution -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: Asset,Partially Depreciated,Delvist afskrevet DocType: Issue,Opening Time,Åbning tid apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Fra og Til dato kræves apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Værdipapirer og Commodity Exchanges -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Opkaldsoversigt af {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Doksøgning apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard måleenhed for Variant '{0}' skal være samme som i skabelon '{1}' DocType: Shipping Rule,Calculate Based On,Beregn baseret på @@ -5673,6 +5736,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimum tilladt værdi DocType: Journal Entry Account,Employee Advance,Ansatte Advance DocType: Payroll Entry,Payroll Frequency,Lønafregningsfrekvens +DocType: Plaid Settings,Plaid Client ID,Plaid Client ID DocType: Lab Test Template,Sensitivity,Følsomhed DocType: Plaid Settings,Plaid Settings,Plaid-indstillinger apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Synkronisering er midlertidigt deaktiveret, fordi maksimale forsøg er overskredet" @@ -5690,6 +5754,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vælg bogføringsdato først apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,"Åbning Dato bør være, før Closing Dato" DocType: Travel Itinerary,Flight,Flyvningen +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Tilbage til hjemmet DocType: Leave Control Panel,Carry Forward,Benyt fortsat fravær fra sidste regnskabsår apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Cost Center med eksisterende transaktioner kan ikke konverteres til finans DocType: Budget,Applicable on booking actual expenses,Gældende ved bogføring af faktiske udgifter @@ -5745,6 +5810,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Opret Citat apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Du er ikke autoriseret til at godkende fravær på blokerede dage apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Anmodning om {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Alle disse varer er allerede blevet faktureret +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Der blev ikke fundet nogen udestående fakturaer for {0} {1}, der opfylder de angivne filtre." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Indstil ny udgivelsesdato DocType: Company,Monthly Sales Target,Månedligt salgsmål apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Der blev ikke fundet nogen udestående fakturaer @@ -5791,6 +5857,7 @@ DocType: Water Analysis,Type of Sample,Type prøve DocType: Batch,Source Document Name,Kildedokumentnavn DocType: Production Plan,Get Raw Materials For Production,Få råmaterialer til produktion DocType: Job Opening,Job Title,Titel +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Fremtidig betaling Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} indikerer at {1} ikke giver et citat, men alle elementer \ er blevet citeret. Opdatering af RFQ citat status." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimale prøver - {0} er allerede bevaret for Batch {1} og Item {2} i Batch {3}. @@ -5801,12 +5868,10 @@ 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: Company,Product Code,Produktkode DocType: Quality Review Table,Objective,Objektiv DocType: Supplier Scorecard,Per Month,Om måneden DocType: Education Settings,Make Academic Term Mandatory,Gør faglig semester obligatorisk -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Mængde til Fremstilling skal være større end 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Beregn Prorated Depreciation Schedule Baseret på Skatteår +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Mængde til Fremstilling skal være større end 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Besøg rapport til vedligeholdelse opkald. DocType: Stock Entry,Update Rate and Availability,Opdatér priser og tilgængelighed 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.,"Procentdel, du får lov til at modtage eller levere mere mod den bestilte mængde. For eksempel: Hvis du har bestilt 100 enheder. og din Allowance er 10%, så du får lov til at modtage 110 enheder." @@ -5817,7 +5882,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Udgivelsesdato skal være i fremtiden DocType: BOM,Website Description,Hjemmesidebeskrivelse apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Nettoændring i Equity -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Annullér købsfaktura {0} først apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Ikke tilladt. Deaktiver venligst serviceenhedstypen apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-mailadresse skal være unik, findes allerede for {0}" DocType: Serial No,AMC Expiry Date,AMC Udløbsdato @@ -5861,6 +5925,7 @@ DocType: Pricing Rule,Price Discount Scheme,Pris rabat ordning apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Vedligeholdelsesstatus skal annulleres eller afsluttes for at indsende DocType: Amazon MWS Settings,US,OS DocType: Holiday List,Add Weekly Holidays,Tilføj ugentlige helligdage +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Rapporter element DocType: Staffing Plan Detail,Vacancies,Ledige stillinger DocType: Hotel Room,Hotel Room,Hotelværelse apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Konto {0} ikke hører til virksomheden {1} @@ -5912,12 +5977,15 @@ DocType: Email Digest,Open Quotations,Åben citat 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Slet medarbejderen {0} \ for at annullere dette dokument" 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 @@ -5931,6 +5999,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Ledig DocType: Patient,Alcohol Past Use,Alkohol tidligere brug DocType: Fertilizer Content,Fertilizer Content,Gødning Indhold +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Ingen beskrivelse apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Anvendes ikke DocType: Quality Goal,Monitoring Frequency,Overvågningsfrekvens @@ -5948,6 +6017,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Slutter På dato kan ikke være før næste kontaktdato. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Batchindgange DocType: Journal Entry,Pay To / Recd From,Betal Til / RECD Fra +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Fjern offentliggørelse af vare DocType: Naming Series,Setup Series,Opsætning af nummerserier DocType: Payment Reconciliation,To Invoice Date,Til fakturadato DocType: Bank Account,Contact HTML,Kontakt HTML @@ -5969,6 +6039,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Retail DocType: Student Attendance,Absent,Ikke-tilstede DocType: Staffing Plan,Staffing Plan Detail,Bemandingsplandetaljer DocType: Employee Promotion,Promotion Date,Kampagnedato +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Permitildeling% s er knyttet til orlovsansøgning% s 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} @@ -6003,9 +6074,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Faktura {0} eksisterer ikke længere DocType: Guardian Interest,Guardian Interest,Guardian Renter DocType: Volunteer,Availability,tilgængelighed +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Ansøgning om orlov er knyttet til orlovsfordelinger {0}. Ansøgning om orlov kan ikke indstilles som orlov uden løn apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Indstil standardværdier for POS-fakturaer DocType: Employee Training,Training,Uddannelse DocType: Project,Time to send,Tid til at sende +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Denne side holder styr på dine varer, hvor købere har vist en vis interesse." DocType: Timesheet,Employee Detail,Medarbejderoplysninger 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 @@ -6101,12 +6174,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,åbning Value DocType: Salary Component,Formula,Formel apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serienummer -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: 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/setup/doctype/company/company.py,Sales Account,Salgskonto DocType: Purchase Invoice Item,Total Weight,Totalvægt +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}" @@ -6130,6 +6203,7 @@ DocType: Company,Default Employee Advance Account,Standardansatskonto apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Søgeelement (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Konto med eksisterende transaktion kan ikke slettes +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Hvorfor synes denne vare skal fjernes? DocType: Vehicle,Last Carbon Check,Sidste synsdato apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Advokatudgifter apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Vælg venligst antal på række @@ -6149,6 +6223,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Sammenbrud DocType: Travel Itinerary,Vegetarian,Vegetarisk DocType: Patient Encounter,Encounter Date,Encounter Date +DocType: Work Order,Update Consumed Material Cost In Project,Opdater forbrugsstofomkostninger i projektet apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan ikke vælges {1} DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdata DocType: Purchase Receipt Item,Sample Quantity,Prøvekvantitet @@ -6203,7 +6278,7 @@ DocType: GSTR 3B Report,April,April DocType: Plant Analysis,Collection Datetime,Samling Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Samlede driftsomkostninger -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Bemærk: Varer {0} indtastet flere gange +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Bemærk: Varer {0} indtastet flere gange apps/erpnext/erpnext/config/buying.py,All Contacts.,Alle kontakter. DocType: Accounting Period,Closed Documents,Lukkede dokumenter DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Administrer Aftalingsfaktura indsende og annullere automatisk for Patient Encounter @@ -6285,9 +6360,7 @@ DocType: Member,Membership Type,Medlemskabstype ,Reqd By Date,Reqd Efter dato apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Kreditorer DocType: Assessment Plan,Assessment Name,Vurdering Navn -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Vis PDC i Print apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Række # {0}: serienummer er obligatorisk -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Der blev ikke fundet nogen udestående fakturaer for {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item Wise Tax Detail DocType: Employee Onboarding,Job Offer,Jobtilbud apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut Forkortelse @@ -6345,6 +6418,7 @@ DocType: Serial No,Out of Warranty,Garanti udløbet DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapped Data Type DocType: BOM Update Tool,Replace,Udskift apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Ingen produkter fundet. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Publicer flere varer apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Denne serviceniveauaftale er specifik for kunden {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} mod salgsfaktura {1} DocType: Antibiotic,Laboratory User,Laboratoriebruger @@ -6367,7 +6441,6 @@ DocType: Payment Order Reference,Bank Account Details,Bankkontooplysninger DocType: Purchase Order Item,Blanket Order,Tæppeordre 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Produktionsordre har været {0} DocType: BOM Item,BOM No,Styklistenr. 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 @@ -6440,6 +6513,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Udgående afgiftspligtige forsyninger (nul nominel) DocType: BOM,Materials Required (Exploded),Nødvendige materialer (Sprængskitse) 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/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 @@ -6497,7 +6571,6 @@ DocType: Pricing Rule,Same Item,Samme vare DocType: Stock Ledger Entry,Stock Ledger Entry,Lagerpost DocType: Quality Action Resolution,Quality Action Resolution,Kvalitetshandlingsopløsning apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} på halv dag forladt på {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Samme vare er blevet indtastet flere gange DocType: Department,Leave Block List,Blokér fraværsansøgninger DocType: Purchase Invoice,Tax ID,CVR-nr. apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Vare {0} er ikke opsat til serienumre. Kolonnen skal være tom @@ -6535,7 +6608,7 @@ 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 DocType: Purchase Invoice,Return,Retur -DocType: Accounting Dimension,Disable,Deaktiver +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 DocType: Task,Pending Review,Afventende anmeldelse apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Rediger på fuld side for flere muligheder som aktiver, serienummer, partier osv." @@ -6648,7 +6721,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Kombineret faktura del skal svare til 100% DocType: Item Default,Default Expense Account,Standard udgiftskonto DocType: GST Account,CGST Account,CGST-konto -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Mærke apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student Email ID DocType: Employee,Notice (days),Varsel (dage) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS Closing Voucher Fakturaer @@ -6659,6 +6731,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Vælg elementer for at gemme fakturaen DocType: Employee,Encashment Date,Indløsningsdato DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Sælgerinformation DocType: Special Test Template,Special Test Template,Special Test Skabelon DocType: Account,Stock Adjustment,Stock Justering apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Standard Aktivitets Omkostninger findes for Aktivitets Type - {0} @@ -6670,7 +6743,6 @@ 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 -DocType: Company,Bank Remittance Settings,Indstillinger for bankoverførsel apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gennemsnitlig sats 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" @@ -6698,6 +6770,7 @@ DocType: Grading Scale Interval,Threshold,Grænseværdi apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtrer medarbejdere efter (valgfrit) DocType: BOM Update Tool,Current BOM,Aktuel stykliste apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Balance (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Antal færdige varer apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Tilføj serienummer DocType: Work Order Item,Available Qty at Source Warehouse,Tilgængelig mængde på hoved lager apps/erpnext/erpnext/config/support.py,Warranty,Garanti @@ -6776,7 +6849,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Her kan du vedligeholde højde, vægt, allergier, medicinske problemer osv" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Opretter konti ... DocType: Leave Block List,Applies to Company,Gælder for hele firmaet -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Kan ikke annullere, for en godkendt lagerindtastning {0} eksisterer" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Kan ikke annullere, for en godkendt lagerindtastning {0} eksisterer" DocType: Loan,Disbursement Date,Udbetaling Dato DocType: Service Level Agreement,Agreement Details,Aftaledetaljer apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Startdato for aftalen kan ikke være større end eller lig med slutdato. @@ -6785,6 +6858,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medicinsk post DocType: Vehicle,Vehicle,Køretøj DocType: Purchase Invoice,In Words,I Words +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Til dato skal være før fra dato apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Indtast navnet på banken eller låneinstitutionen før indsendelse. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} skal indsendes DocType: POS Profile,Item Groups,Varegrupper @@ -6856,7 +6930,6 @@ DocType: Customer,Sales Team Details,Salgs Team Detaljer apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Slet permanent? DocType: Expense Claim,Total Claimed Amount,Total krævede beløb apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potentielle muligheder for at sælge. -DocType: Plaid Settings,Link a new bank account,Link en ny bankkonto apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} er en ugyldig deltagelsesstatus. DocType: Shareholder,Folio no.,Folio nr. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ugyldig {0} @@ -6872,7 +6945,6 @@ DocType: Production Plan,Material Requested,Materiale krævet DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Reserveret antal til underentreprise DocType: Patient Service Unit,Patinet Service Unit,Patinet Service Unit -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Generer tekstfil DocType: Sales Invoice,Base Change Amount (Company Currency),Base ændring beløb (Company Currency) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Ingen bogføring for følgende lagre apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Kun {0} på lager til vare {1} @@ -6886,6 +6958,7 @@ DocType: Item,No of Months,Antal måneder DocType: Item,Max Discount (%),Maksimal rabat (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Kreditdage kan ikke være et negativt tal apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Upload en erklæring +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Rapporter denne vare DocType: Purchase Invoice Item,Service Stop Date,Service Stop Date apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Sidste ordrebeløb DocType: Cash Flow Mapper,e.g Adjustments for:,fx justeringer for: @@ -6979,16 +7052,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Skattefritagelseskategori for ansatte apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Beløbet bør ikke være mindre end nul. DocType: Sales Invoice,C-Form Applicable,C-anvendelig -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Driftstid skal være større end 0 til drift {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Driftstid skal være større end 0 til drift {0} DocType: Support Search Source,Post Route String,Post Rute String apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Lager er obligatorisk apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Kunne ikke oprette websted DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Konvertering Detail apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Optagelse og tilmelding -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry allerede oprettet eller Sample Mængde ikke angivet +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry allerede oprettet eller Sample Mængde ikke angivet DocType: Program,Program Abbreviation,Program Forkortelse -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Produktionsordre kan ikke rejses mod en Vare skabelon apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Gruppe af voucher (konsolideret) DocType: HR Settings,Encrypt Salary Slips in Emails,Krypter lønsedler i e-mails DocType: Question,Multiple Correct Answer,Flere korrekte svar @@ -7035,7 +7107,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Er ikke bedømt eller un DocType: Employee,Educational Qualification,Uddannelseskvalifikation DocType: Workstation,Operating Costs,Driftsomkostninger apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Valuta for {0} skal være {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Konsekvens af indgangsperioden DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Marker deltagelse baseret på 'Medarbejdercheck' for medarbejdere, der er tildelt dette skift." DocType: Asset,Disposal Date,Salgsdato DocType: Service Level,Response and Resoution Time,Response and Resoution Time @@ -7083,6 +7154,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Afslutning Dato DocType: Purchase Invoice Item,Amount (Company Currency),Beløb (firmavaluta) DocType: Program,Is Featured,Er vist +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Henter ... DocType: Agriculture Analysis Criteria,Agriculture User,Landbrug Bruger apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Gyldig til dato kan ikke være før transaktionsdato apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} enheder af {1} skal bruges i {2} på {3} {4} til {5} for at gennemføre denne transaktion. @@ -7115,7 +7187,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Total Betalt Amt 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 @@ -7139,6 +7210,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonym apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Modtaget fra DocType: Lead,Converted,Konverteret DocType: Item,Has Serial No,Har serienummer +DocType: Stock Entry Detail,PO Supplied Item,PO leveret vare 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} @@ -7253,7 +7325,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synch Skatter og afgifter 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Standard stykliste for {0} blev ikke fundet +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Tryk på elementer for at tilføje dem her @@ -7287,7 +7359,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Vedligeholdelsesdato DocType: Purchase Invoice Item,Rejected Serial No,Afvist serienummer apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,År startdato eller slutdato overlapper med {0}. For at undgå du indstille selskab -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 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Angiv Lead Name in Lead {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Start dato bør være mindre end slutdato for Item {0} DocType: Shift Type,Auto Attendance Settings,Indstillinger for automatisk deltagelse @@ -7297,9 +7368,11 @@ DocType: Upload Attendance,Upload Attendance,Indlæs fremmøde apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Stykliste and produceret mængde skal angives apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Ageing Range 2 DocType: SG Creation Tool Course,Max Strength,Max Strength +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Konto {0} findes allerede i børneselskabet {1}. Følgende felter har forskellige værdier, de skal være ens:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Installation af forudindstillinger DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Ingen leveringskort valgt til kunden {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Rækker tilføjet i {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Medarbejder {0} har ingen maksimal ydelsesbeløb apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Vælg varer baseret på Leveringsdato DocType: Grant Application,Has any past Grant Record,Har nogen tidligere Grant Record @@ -7343,6 +7416,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Studentoplysninger DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Dette er standard UOM brugt til varer og salgsordrer. Fallback UOM er "Nej". DocType: Purchase Invoice Item,Stock Qty,Antal på lager +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 DocType: Loan,Repayment Period in Months,Tilbagebetaling Periode i måneder @@ -7371,6 +7445,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Discount apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timeseddel til opgaver. DocType: Purchase Invoice,Against Expense Account,Mod udgiftskonto apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installation Bemærk {0} er allerede blevet indsendt +DocType: BOM,Raw Material Cost (Company Currency),Råvarepriser (virksomhedsvaluta) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},"Husleje betalte dage, der overlapper med {0}" DocType: GSTR 3B Report,October,oktober DocType: Bank Reconciliation,Get Payment Entries,Hent betalingsposter @@ -7417,15 +7492,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Tilgængelig til brug dato er påkrævet DocType: Request for Quotation,Supplier Detail,Leverandør Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Fejl i formel eller betingelse: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Faktureret beløb +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Faktureret beløb apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kriterier vægt skal tilføje op til 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Fremmøde apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Lagervarer DocType: Sales Invoice,Update Billed Amount in Sales Order,Opdater billedbeløb i salgsordre +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Kontakt sælger 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"""I Ord"" vil være synlig, når du gemmer indkøbsordren." @@ -7439,6 +7516,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Master-Prisliste. DocType: Task,Review Date,Anmeldelse Dato DocType: BOM,Allow Alternative Item,Tillad alternativ vare +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Købskvittering har ingen varer, som Beholdningsprøve er aktiveret til." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serie for Asset Depreciation Entry (Journal Entry) DocType: Membership,Member Since,Medlem siden @@ -7448,6 +7526,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,On Net Total 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},Værdi for Egenskab {0} skal være inden for området af {1} og {2} i intervaller af {3} til konto {4} DocType: Pricing Rule,Product Discount Scheme,Produktrabatningsordning +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,"Intet spørgsmål er blevet rejst af den, der ringer." DocType: Restaurant Reservation,Waitlisted,venteliste DocType: Employee Tax Exemption Declaration Category,Exemption Category,Fritagelseskategori apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valuta kan ikke ændres efter at poster ved hjælp af nogle anden valuta @@ -7461,7 +7540,6 @@ DocType: Customer Group,Parent Customer Group,Overordnet kundegruppe apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON kan kun genereres fra salgsfaktura apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Maksimale forsøg på denne quiz nået! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonnement -DocType: Purchase Invoice,Contact Email,Kontakt e-mail apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Gebyr oprettelse afventer DocType: Project Template Task,Duration (Days),Varighed (dage) DocType: Appraisal Goal,Score Earned,Score tjent @@ -7486,7 +7564,6 @@ DocType: Landed Cost Item,Landed Cost Item,Landed Cost Vare 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Beløb for en enkelt transaktion overstiger det maksimalt tilladte beløb, oprettes en separat betalingsordre ved at opdele transaktionerne" 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 @@ -7654,6 +7731,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Tilg DocType: Quality Inspection Reading,Reading 3,Reading 3 DocType: Stock Entry,Source Warehouse Address,Source Warehouse Address DocType: GL Entry,Voucher Type,Bilagstype +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Fremtidige betalinger 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 @@ -7680,6 +7758,7 @@ DocType: Travel Request,Identification Document Number,Identifikationsdokumentnu 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." DocType: Sales Invoice,Customer GSTIN,Kunde GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Liste over sygdomme opdaget på marken. Når den er valgt, tilføjer den automatisk en liste over opgaver for at håndtere sygdommen" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Dette er en root sundheds service enhed og kan ikke redigeres. DocType: Asset Repair,Repair Status,Reparation Status 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." @@ -7694,6 +7773,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Konto for returbeløb DocType: QuickBooks Migrator,Connecting to QuickBooks,Tilslutning til QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Total gevinst / tab +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Opret plukliste apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Række {0}: Selskab / Konto matcher ikke med {1} / {2} i {3} {4} DocType: Employee Promotion,Employee Promotion,Medarbejderfremmende DocType: Maintenance Team Member,Maintenance Team Member,Vedligeholdelse Teammedlem @@ -7776,6 +7856,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettoløn kan ikke være negativ @@ -7807,7 +7888,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Kvalitetsmål DocType: BOM,Item to be manufactured or repacked,"Element, der skal fremstilles eller forarbejdes" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Syntaksfejl i tilstand: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Ingen problemer rejst af kunden. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Større / Valgfag apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Angiv leverandørgruppe i købsindstillinger. @@ -7900,8 +7980,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Kreditdage apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Vælg patienten for at få labtest DocType: Exotel Settings,Exotel Settings,Exotel-indstillinger -DocType: Leave Type,Is Carry Forward,Er fortsat fravær fra sidste regnskabsår +DocType: Leave Ledger Entry,Is Carry Forward,Er fortsat fravær fra sidste regnskabsår DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Arbejdstid, hvorfravær er markeret. (Nul til at deaktivere)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Send en besked apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Hent varer fra stykliste 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 diff --git a/erpnext/translations/da_dk.csv b/erpnext/translations/da_dk.csv index 24bbb5a994..83d6e8dc2a 100644 --- a/erpnext/translations/da_dk.csv +++ b/erpnext/translations/da_dk.csv @@ -1,5 +1,5 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,'Opening','Åbning' -DocType: Email Campaign,Lead,Bly +DocType: Call Log,Lead,Bly apps/erpnext/erpnext/config/selling.py,Default settings for selling transactions.,Standardindstillinger for at sælge transaktioner. DocType: Timesheet,% Amount Billed,% Beløb Billed DocType: Purchase Order,% Billed,% Billed @@ -23,5 +23,5 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,'Update Stock' can apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Selling,Standard Selling ,Lead Details,Bly Detaljer DocType: Selling Settings,Settings for Selling Module,Indstillinger for Selling modul -,Lead Name,Bly navn +DocType: Call Log,Lead Name,Bly navn DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Vedhæfte .csv fil med to kolonner, en for det gamle navn og et til det nye navn" diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index 133fb9dba4..3a60d734eb 100644 --- a/erpnext/translations/de.csv +++ b/erpnext/translations/de.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Lieferanten benachrichtigen apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Bitte zuerst Gruppentyp auswählen DocType: Item,Customer Items,Kunden-Artikel +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Verbindlichkeiten DocType: Project,Costing and Billing,Kalkulation und Abrechnung apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Die Währung des Vorschusskontos sollte mit der Unternehmenswährung {0} übereinstimmen. DocType: QuickBooks Migrator,Token Endpoint,Token-Endpunkt @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Standardmaßeinheit DocType: SMS Center,All Sales Partner Contact,Alle Vertriebspartnerkontakte DocType: Department,Leave Approvers,Urlaubsgenehmiger DocType: Employee,Bio / Cover Letter,Bio / Anschreiben +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Objekte suchen ... DocType: Patient Encounter,Investigations,Untersuchungen DocType: Restaurant Order Entry,Click Enter To Add,Klicken Sie zum Hinzufügen auf Hinzufügen. apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Fehlender Wert für Passwort, API Key oder Shopify URL" DocType: Employee,Rented,Gemietet apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Alle Konten apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Mitarbeiter mit Status Links kann nicht übertragen werden -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",Angehaltener Fertigungsauftrag kann nicht storniert werden. Bitte zuerst den Fertigungsauftrag fortsetzen um ihn dann zu stornieren DocType: Vehicle Service,Mileage,Kilometerstand apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Möchten Sie diesen Vermögenswert wirklich entsorgen? DocType: Drug Prescription,Update Schedule,Terminplan aktualisieren @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Kunde DocType: Purchase Receipt Item,Required By,Benötigt von DocType: Delivery Note,Return Against Delivery Note,Zurück zum Lieferschein DocType: Asset Category,Finance Book Detail,Finanzbuch-Detail +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Alle Abschreibungen wurden gebucht DocType: Purchase Order,% Billed,% verrechnet apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Abrechnungsnummer apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Wechselkurs muss derselbe wie {0} {1} ({2}) sein @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Stapelobjekt Ablauf-Status apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bankwechsel DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.JJJJ.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Gesamtzahl verspäteter Einträge DocType: Mode of Payment Account,Mode of Payment Account,Art des Zahlungskontos apps/erpnext/erpnext/config/healthcare.py,Consultation,Beratung DocType: Accounts Settings,Show Payment Schedule in Print,Zeige Zahlungstermin in Drucken @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Au apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primäre Kontaktdaten apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Offene Probleme DocType: Production Plan Item,Production Plan Item,Artikel auf dem Produktionsplan +DocType: Leave Ledger Entry,Leave Ledger Entry,Ledger-Eintrag verlassen apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Benutzer {0} ist bereits Mitarbeiter {1} zugewiesen -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},Das Feld {0} ist auf die Größe {1} beschränkt. 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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Max DocType: Purchase Invoice Item,Item Weight Details,Artikel Gewicht Details DocType: Asset Maintenance Log,Periodicity,Häufigkeit apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Fiscal Year {0} ist erforderlich +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Nettogewinn (-verlust DocType: Employee Group Table,ERPNext User ID,ERPNext User ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Der Mindestabstand zwischen den Pflanzenreihen für optimales Wachstum apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,"Bitte wählen Sie Patient, um den verordneten Eingriff zu erhalten" @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Verkaufspreisliste DocType: Patient,Tobacco Current Use,Tabakstrom Verwendung apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Verkaufspreis -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,"Bitte speichern Sie Ihr Dokument, bevor Sie ein neues Konto hinzufügen" 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Pens DocType: Exchange Rate Revaluation Account,Gain/Loss,Gewinn/Verlust DocType: Crop,Perennial,Staude DocType: Program,Is Published,Ist veröffentlicht +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Lieferscheine anzeigen apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Aktualisieren Sie "Over Billing Allowance" in den Kontoeinstellungen oder im Artikel, um eine Überberechnung zuzulassen." DocType: Patient Appointment,Procedure,Verfahren DocType: Accounts Settings,Use Custom Cash Flow Format,Benutzerdefiniertes Cashflow-Format verwenden @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Urlaubsrichtliniendetails DocType: BOM,Item Image (if not slideshow),Artikelbild (wenn keine Diashow) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Zeile # {0}: Vorgang {1} ist für {2} Fertigwarenmenge im Fertigungsauftrag {3} nicht abgeschlossen. Bitte aktualisieren Sie den Betriebsstatus über die Jobkarte {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} ist obligatorisch, um Überweisungszahlungen zu generieren. Setzen Sie das Feld und versuchen Sie es erneut" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Stundensatz / 60) * tatsächliche Betriebszeit apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Referenzdokumenttyp muss einer der Kostenansprüche oder des Journaleintrags sein apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Stückliste auswählen @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Repay über Anzahl der Perioden apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Die zu produzierende Menge darf nicht unter Null liegen DocType: Stock Entry,Additional Costs,Zusätzliche Kosten +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundengruppe> Gebiet apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Ein Konto mit bestehenden Transaktionen kann nicht in eine Gruppe umgewandelt werden DocType: Lead,Product Enquiry,Produktanfrage DocType: Education Settings,Validate Batch for Students in Student Group,Validiere Charge für Studierende in der Studentengruppe @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Bachelorstudent apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Bitte legen Sie die Email-Vorlage für Statusänderung eines Urlaubsantrags in den HR-Einstellungen fest. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Ziel auf 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,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 @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Immobi apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Kontoauszug apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Pharmaprodukte DocType: Purchase Invoice Item,Is Fixed Asset,Ist Anlagevermögen +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Zukünftige Zahlungen anzeigen DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Dieses Bankkonto ist bereits synchronisiert DocType: Homepage,Homepage Section,Homepage-Bereich @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Dünger apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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." -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Mindestens eine Art der Bezahlung ist für POS-Rechnung erforderlich. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Für den Sammelartikel {0} ist die Chargennummer erforderlich. DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Kontoauszug Transaktion Rechnungsposition @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Bitte Geschäftsbedingungen ausw apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Out Wert DocType: Bank Statement Settings Item,Bank Statement Settings Item,Kontoauszug Einstellungen Artikel DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Einstellungen +DocType: Leave Ledger Entry,Transaction Name,Transaktionsname DocType: Production Plan,Sales Orders,Kundenaufträge apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Mehrere Treueprogramme für den Kunden gefunden. Bitte wählen Sie manuell. DocType: Purchase Taxes and Charges,Valuation,Bewertung @@ -460,6 +468,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Nur Kunden dieser Kundengruppen anzeigen DocType: Sales Invoice,Is Opening Entry,Ist Eröffnungsbuchung @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,"Vermerken, wenn kein Standard-Forderungskonto verwendbar ist" 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 DocType: Supplier Scorecard,Criteria Setup,Kriterieneinstellung -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,"""Für Lager"" wird vor dem Übertragen benötigt" +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 DocType: Codification Table,Medical Code,Medizinischer Code apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Verbinden Sie Amazon mit ERPNext @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankkonten hinzugefügt -DocType: Delivery Stop,Contact Name,Ansprechpartner +DocType: Call Log,Contact Name,Ansprechpartner DocType: Plaid Settings,Synchronize all accounts every hour,Synchronisieren Sie alle Konten stündlich DocType: Course Assessment Criteria,Course Assessment Criteria,Kursbeurteilungskriterien DocType: Pricing Rule Detail,Rule Applied,Regel angewendet @@ -529,7 +539,6 @@ 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. -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Unbekannte Nummer DocType: Website Filter Field,Website Filter Field,Website-Filterfeld apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Lieferart DocType: Material Request Item,Min Order Qty,Mindestbestellmenge @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Gesamtbetrag DocType: Student Guardian,Relation,Beziehung DocType: Quiz Result,Correct,Richtig DocType: Student Guardian,Mother,Mutter -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Bitte fügen Sie zuerst gültige Plaid-API-Schlüssel in site_config.json hinzu DocType: Restaurant Reservation,Reservation End Time,Reservierungsendzeit DocType: Crop,Biennial,Biennale ,BOM Variance Report,Stücklistenabweichungsbericht @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Zahlung zu {0} {1} kann nicht größer als ausstehender Betrag {2} sein @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Offline-POS-Einstellungen DocType: Stock Entry Detail,Reference Purchase Receipt,Referenz Kaufbeleg DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variante von -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Gefertigte Menge kann nicht größer sein als ""Menge für Herstellung""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Gefertigte Menge kann nicht größer sein als ""Menge für Herstellung""" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Zeitraum basierend auf DocType: Period Closing Voucher,Closing Account Head,Bezeichnung des Abschlusskontos DocType: Employee,External Work History,Externe Arbeits-Historie apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Zirkelschluss-Fehler apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Schülerbericht-Karte apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Von Pin-Code +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Verkäufer anzeigen DocType: Appointment Type,Is Inpatient,Ist stationär apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Namen DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"""In Worten (Export)"" wird sichtbar, sobald Sie den Lieferschein speichern." @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Dimensionsname apps/erpnext/erpnext/healthcare/setup.py,Resistant,Beständig apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Bitte setzen Sie den Zimmerpreis auf {} +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: Journal Entry,Multi Currency,Unterschiedliche Währungen DocType: Bank Statement Transaction Invoice Item,Invoice Type,Rechnungstyp apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Gültig ab Datum muss kleiner als aktuell sein @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Zugelassen DocType: Workstation,Rent Cost,Mietkosten 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Bevorstehende Kalenderereignisse apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variantenattribute @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Angebotsanfrage 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Verkäufer im Druck anzeigen 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 @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Erstellen Sie einen neuen Kunden apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Verfällt am apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Wenn mehrere Preisregeln weiterhin gleichrangig gelten, werden die Benutzer aufgefordert, Vorrangregelungen manuell zu erstellen, um den Konflikt zu lösen." -DocType: Purchase Invoice,Scan Barcode,Barcode scannen apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Bestellungen erstellen ,Purchase Register,Übersicht über Einkäufe apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Patient nicht gefunden @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Vertriebspartner DocType: Account,Old Parent,Alte übergeordnetes Element apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Pflichtfeld - Akademisches Jahr apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} ist nicht mit {2} {3} verknüpft +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. @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Gehaltskomponente für Zeiterfassung basierte Abrechnung. DocType: Driver,Applicable for external driver,Anwendbar für externen Treiber DocType: Sales Order Item,Used for Production Plan,Wird für den Produktionsplan verwendet +DocType: BOM,Total Cost (Company Currency),Gesamtkosten (Firmenwährung) DocType: Loan,Total Payment,Gesamtzahlung apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Die Transaktion für den abgeschlossenen Arbeitsauftrag kann nicht storniert werden. DocType: Manufacturing Settings,Time Between Operations (in mins),Zeit zwischen den Arbeitsgängen (in Minuten) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Andere benachrichtigen 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 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. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Änderungen in {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Bitte Unternehmen auswählen DocType: Employee Skill,Employee Skill,Mitarbeiterfähigkeit apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Differenzkonto @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Risikofaktoren DocType: Patient,Occupational Hazards and Environmental Factors,Berufsrisiken und Umweltfaktoren apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,"Lagereinträge, die bereits für den Arbeitsauftrag erstellt wurden" apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Frühere Bestellungen anzeigen +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} Konversationen DocType: Vital Signs,Respiratory rate,Atemfrequenz apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Unteraufträge vergeben DocType: Vital Signs,Body Temperature,Körpertemperatur @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Registrierte Komposition apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Hallo apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Element verschieben DocType: Employee Incentive,Incentive Amount,Anreizbetrag +,Employee Leave Balance Summary,Mitarbeiter Urlaubsguthaben Zusammenfassung DocType: Serial No,Warranty Period (Days),Garantiefrist (Tage) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Der Gesamtkreditbetrag sollte identisch mit dem verknüpften Journaleintrag sein DocType: Installation Note Item,Installation Note Item,Bestandteil des Installationshinweises @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,Aufgebläht DocType: Salary Slip,Salary Slip Timesheet,Gehaltszettel Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Lieferantenlager notwendig für Kaufbeleg aus Unteraufträgen DocType: Item Price,Valid From,Gültig ab +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Ihre Bewertung: DocType: Sales Invoice,Total Commission,Gesamtprovision DocType: Tax Withholding Account,Tax Withholding Account,Steuerrückbehaltkonto DocType: Pricing Rule,Sales Partner,Vertriebspartner @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle Lieferanten- 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 +DocType: Item,Website Image,Website-Image apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Das Ziellager in der Zeile {0} muss mit dem Arbeitsauftrag übereinstimmen apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Bewertungskurs ist obligatorisch, wenn Öffnung Stock eingegeben" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Keine Datensätze in der Rechnungstabelle gefunden @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},G 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,"Bitte vervollständigen Sie Ihre Plaid-API-Konfiguration, bevor Sie Ihr Konto synchronisieren" 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 DocType: Job Applicant,Resume Attachment,Resume-Anlage @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,Produktionsplan DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Öffnen des Rechnungserstellungswerkzeugs DocType: Salary Component,Round to the Nearest Integer,Runde auf die nächste Ganzzahl apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Rücklieferung -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Hinweis: Die aufteilbaren Gesamt Blätter {0} sollte nicht kleiner sein als bereits genehmigt Blätter {1} für den Zeitraum DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Legen Sie Menge in Transaktionen basierend auf Serial No Input fest ,Total Stock Summary,Gesamt Stock Zusammenfassung apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Ein apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Nennbetrag DocType: Loan Application,Total Payable Interest,Insgesamt fällige Zinsen apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Gesamtsumme: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Öffnen Sie Kontakt DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Ausgangsrechnung-Zeiterfassung 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 @@ -1080,6 +1099,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Standard-Rechnungsnummernk 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 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Verfassen von Angeboten DocType: Payment Entry Deduction,Payment Entry Deduction,Zahlungsabzug DocType: Service Level Priority,Service Level Priority,Service Level Priorität @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Chargennummer Serie apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Ein weiterer Vertriebsmitarbeiter {0} existiert bereits mit der gleichen Mitarbeiter ID DocType: Employee Advance,Claimed Amount,Anspruchsbetrag +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Verfall Zuteilung 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 @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,Chargenname DocType: Fee Validity,Max number of visit,Maximaler Besuch DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Obligatorisch für Gewinn- und Verlustrechnung ,Hotel Room Occupancy,Hotelzimmerbelegung -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet erstellt: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},"Bitte Standardeinstellungen für Kassen- oder Bankkonto in ""Zahlungsart"" {0} setzen" apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Einschreiben DocType: GST Settings,GST Settings,GST-Einstellungen @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),Provisionssatz (%) 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: Request for Quotation,Link to material requests,mit Materialanforderungen verknüpfen +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Veröffentlichen apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Luft- und Raumfahrt ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Kreditkarten-Buchung @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Umlaufvermögen apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} ist kein Lagerartikel apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Bitte teilen Sie Ihr Feedback mit dem Training ab, indem Sie auf 'Training Feedback' und dann 'New' klicken." +DocType: Call Log,Caller Information,Anruferinformationen DocType: Mode of Payment Account,Default Account,Standardkonto apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Bitte wählen Sie in den Lagereinstellungen zuerst das Muster-Aufbewahrungslager aus apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Wählen Sie den Programmtyp Mehrstufig für mehrere Sammlungsregeln aus. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Automatische Materialanfragen generiert DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Arbeitszeit, unter der der halbe Tag markiert ist. (Null zu deaktivieren)" DocType: Job Card,Total Completed Qty,Total Completed Qty +DocType: HR Settings,Auto Leave Encashment,Automatisches Verlassen der Einlösung apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Verloren apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,"Momentan können keine Belege in die Spalte ""Zu Buchungssatz"" eingegeben werden" DocType: Employee Benefit Application Detail,Max Benefit Amount,Max. Leistungsbetrag @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Teilnehmer DocType: Item Attribute Value,Item Attribute Value,Attributwert des Artikels apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Der Währungsumtausch muss beim Kauf oder beim Verkauf anwendbar sein. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Nur abgelaufene Zuordnungen können storniert werden DocType: Item,Maximum sample quantity that can be retained,"Maximale Probenmenge, die beibehalten werden kann" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Zeile {0} # Artikel {1} kann nicht mehr als {2} gegen Bestellung {3} übertragen werden. apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Vertriebskampagnen +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Unbekannter Anrufer DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1419,6 +1444,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Zeitplan de apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Dokumentenname DocType: Expense Claim Detail,Expense Claim Type,Art der Aufwandsabrechnung DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standardeinstellungen für den Warenkorb +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Artikel speichern apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Neue Ausgaben apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Existierende bestelle Menge ignorieren apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Zeitfenster hinzufügen @@ -1431,6 +1457,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Einladung überprüfen gesendet DocType: Shift Assignment,Shift Assignment,Zuordnung verschieben DocType: Employee Transfer Property,Employee Transfer Property,Personaltransfer-Eigenschaft +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Das Feld Eigenkapitalkonto darf nicht leer sein apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Von der Zeit sollte weniger als zur Zeit sein apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotechnologie apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1512,11 +1539,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Aus dem S apps/erpnext/erpnext/utilities/user_progress.py,Setup Institution,Einrichtung Einrichtung 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 DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B-Bericht DocType: Request for Quotation Supplier,Quote Status,Zitat Status DocType: GoCardless Settings,Webhooks Secret,Webhooks Geheimnis DocType: Maintenance Visit,Completion Status,Fertigstellungsstatus +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Der Gesamtzahlungsbetrag darf nicht größer als {} sein. DocType: Daily Work Summary Group,Select Users,Wählen Sie Benutzer aus DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotelzimmer-Preisartikel DocType: Loyalty Program Collection,Tier Name,Tiername @@ -1554,6 +1583,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST-Bet DocType: Lab Test Template,Result Format,Ergebnisformat DocType: Expense Claim,Expenses,Ausgaben DocType: Service Level,Support Hours,Unterstützungsstunden +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Lieferscheine DocType: Item Variant Attribute,Item Variant Attribute,Artikelvariantenattribut ,Purchase Receipt Trends,Trendanalyse Kaufbelege DocType: Payroll Entry,Bimonthly,Zweimonatlich @@ -1576,7 +1606,6 @@ DocType: Sales Team,Incentives,Anreize DocType: SMS Log,Requested Numbers,Angeforderte Nummern DocType: Volunteer,Evening,Abend DocType: Quiz,Quiz Configuration,Quiz-Konfiguration -DocType: Customer,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 @@ -1623,7 +1652,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Stammda ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},In den nächsten {0} Tagen kann für den Arbeitsgang {1} kein Zeitfenster gefunden werden DocType: Work Order,Plan material for sub-assemblies,Materialplanung für Unterbaugruppen 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 @@ -1638,9 +1666,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,"Sie müssen die automatische Nachbestellung in den Lagereinstellungen aktivieren, um den Nachbestellungsstand beizubehalten." apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Materialkontrolle {0} stornieren vor Abbruch dieses Wartungsbesuchs DocType: Pricing Rule,Rate or Discount,Rate oder Rabatt +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bankdaten DocType: Vital Signs,One Sided,Einseitig apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Seriennummer {0} gehört nicht zu Artikel {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Erforderliche Anzahl +DocType: Purchase Order Item Supplied,Required Qty,Erforderliche Anzahl DocType: Marketplace Settings,Custom Data,Benutzerdefinierte Daten apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Lagerhäuser mit bestehenden Transaktion kann nicht in Ledger umgewandelt werden. DocType: Service Day,Service Day,Service-Tag @@ -1668,7 +1697,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Kontenwährung DocType: Lab Test,Sample ID,Muster-ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Bitte Abschlusskonto in Unternehmen vermerken -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Bandbreite DocType: Supplier,Default Payable Accounts,Standard-Verbindlichkeitenkonten apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Mitarbeiter {0} ist nicht aktiv oder existiert nicht @@ -1709,8 +1737,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Informationsanfrage DocType: Course Activity,Activity Date,Aktivitätsdatum apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} von {} -,LeaderBoard,Bestenliste DocType: Sales Invoice Item,Rate With Margin (Company Currency),Rate mit Margin (Unternehmenswährung) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategorien apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline-Rechnungen DocType: Payment Request,Paid,Bezahlt DocType: Service Level,Default Priority,Standardpriorität @@ -1745,11 +1773,11 @@ DocType: Agriculture Task,Agriculture Task,Landwirtschaftsaufgabe apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Indirekte Erträge DocType: Student Attendance Tool,Student Attendance Tool,Schüler-Anwesenheiten-Werkzeug DocType: Restaurant Menu,Price List (Auto created),Preisliste (automatisch erstellt) +DocType: Pick List Item,Picked Qty,Ausgewählte Menge DocType: Cheque Print Template,Date Settings,Datums-Einstellungen 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 -,Company Name,Firma 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. @@ -1768,7 +1796,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica 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 Blätter ist für Abwesenheitsart {0} erforderlich. -DocType: BOM,Raw Material Cost(Company Currency),Rohstoffkosten (Gesellschaft Währung) 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 @@ -1835,6 +1862,7 @@ DocType: Travel Itinerary,Train,Zug ,Delayed Item Report,Bericht über verzögerte Artikel apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Berechtigtes ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Stationäre Belegung +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Veröffentlichen Sie Ihre ersten Artikel DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Zeit nach Schichtende, in der der Check-out für die Anwesenheit in Betracht gezogen wird." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Bitte geben Sie eine {0} @@ -1950,6 +1978,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Alle Stücklisten apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Erstellen Sie einen Inter Company Journal Eintrag DocType: Company,Parent Company,Muttergesellschaft apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotelzimmer vom Typ {0} sind auf {1} nicht verfügbar +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Vergleichen Sie Stücklisten auf Änderungen in Rohstoffen und Vorgängen apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokument {0} wurde nicht erfolgreich gelöscht DocType: Healthcare Practitioner,Default Currency,Standardwährung apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Stimmen Sie dieses Konto ab @@ -1984,6 +2013,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,Kontakt-Formular Rechnungsdetail DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Rechnung zum Zahlungsabgleich DocType: Clinical Procedure,Procedure Template,Prozedurvorlage +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Elemente veröffentlichen apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Beitrag in % apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Gemäß den Einkaufseinstellungen, wenn ""Bestellung erforderlich"" auf ""ja"" gesetzt ist, muss der Benutzer für die Erstellung einer Eingangsrechnung zunächst eine Bestellung für die Position {0} anlegen." ,HSN-wise-summary of outward supplies,HSN-weise Zusammenfassung von Lieferungen nach außen @@ -1996,7 +2026,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',"Bitte ""Zusätzlichen Rabatt anwenden auf"" aktivieren" DocType: Party Tax Withholding Config,Applicable Percent,Anwendbare Prozent ,Ordered Items To Be Billed,"Bestellte Artikel, die abgerechnet werden müssen" -DocType: Employee Checkin,Exit Grace Period Consequence,Grace Period Consequence beenden apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Von-Bereich muss kleiner sein als Bis-Bereich DocType: Global Defaults,Global Defaults,Allgemeine Voreinstellungen apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Projekt-Zusammenarbeit Einladung @@ -2004,13 +2033,11 @@ DocType: Salary Slip,Deductions,Abzüge DocType: Setup Progress Action,Action Name,Aktionsname apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Startjahr apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Darlehen erstellen -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Startdatum der laufenden Rechnungsperiode DocType: Shift Type,Process Attendance After,Anwesenheit verarbeiten nach ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Unbezahlter Urlaub DocType: Payment Request,Outward,Nach außen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Fehler in der Kapazitätsplanung apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Staatliche / UT-Steuer ,Trial Balance for Party,Summen- und Saldenliste für Gruppe ,Gross and Net Profit Report,Brutto- und Nettogewinnbericht @@ -2029,7 +2056,6 @@ DocType: Payroll Entry,Employee Details,Mitarbeiterdetails 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 -DocType: Setup Progress Action,Domains,Domainen 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 @@ -2072,7 +2098,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Total Elte 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.","Zahlungsmittel ist nicht konfiguriert. Bitte überprüfen Sie, ob ein Konto in den Zahlungsmodi oder in einem Verkaufsstellen-Profil eingestellt wurde." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Das gleiche Einzelteil kann nicht mehrfach eingegeben werden. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Weitere Konten können unter Gruppen angelegt werden, aber Buchungen können zu nicht-Gruppen erstellt werden" -DocType: Email Campaign,Lead,Lead +DocType: Call Log,Lead,Lead DocType: Email Digest,Payables,Verbindlichkeiten DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,E-Mail-Kampagne für @@ -2084,6 +2110,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,"Bei Lieferanten bestellte Artikel, die noch abgerechnet werden müssen" 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 DocType: Purchase Invoice Item,Net Rate,Nettopreis apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Bitte wählen Sie einen Kunden aus DocType: Leave Policy,Leave Allocations,Zuteilungen verlassen @@ -2097,6 +2124,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Vorfall schließen nach ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,"Sie müssen ein Benutzer mit System Manager- und Element-Manager-Rollen sein, um Benutzer zu Marketplace hinzuzufügen." +DocType: Attendance,Early Exit,Frühe Ausfahrt DocType: Job Opening,Staffing Plan,Personalplanung apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON kann nur aus einem eingereichten Dokument generiert werden apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Mitarbeitersteuern und -leistungen @@ -2117,6 +2145,7 @@ DocType: Maintenance Team Member,Maintenance Role,Wartungsrolle apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dupliziere Zeile {0} mit demselben {1} DocType: Marketplace Settings,Disable Marketplace,Deaktivieren Sie den Marktplatz DocType: Quality Meeting,Minutes,Protokoll +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Ihre vorgestellten Artikel ,Trial Balance,Probebilanz apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Show abgeschlossen apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Das Geschäftsjahr {0} nicht gefunden @@ -2126,8 +2155,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotelreservierung Benutze 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 DocType: Contract,Fulfilment Deadline,Erfüllungsfrist +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Nahe bei dir DocType: Student,O-,O- -DocType: Shift Type,Consequence,Folge DocType: Subscription Settings,Subscription Settings,Abonnementeinstellungen DocType: Purchase Invoice,Update Auto Repeat Reference,Auto-Repeat-Referenz aktualisieren apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Optionale Feiertagsliste ist für Abwesenheitszeitraum {0} nicht festgelegt @@ -2138,7 +2167,6 @@ DocType: Maintenance Visit Purpose,Work Done,Arbeit erledigt apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Bitte geben Sie mindestens ein Attribut in der Attributtabelle ein DocType: Announcement,All Students,Alle Schüler apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Artikel {0} darf kein Lagerartikel sein -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Hauptbuch anzeigen DocType: Grading Scale,Intervals,Intervalle DocType: Bank Statement Transaction Entry,Reconciled Transactions,Abgestimmte Transaktionen @@ -2174,6 +2202,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Chance-Artikel DocType: Quality Action,Quality Review,Qualitätsüberprüfung @@ -2200,7 +2229,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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 DocType: Journal Entry,Get Outstanding Invoices,Ausstehende Rechnungen aufrufen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Kundenauftrag {0} ist nicht gültig +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Bestellungen helfen Ihnen bei der Planung und Follow-up auf Ihre Einkäufe apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Labortestverordnungen @@ -2225,6 +2254,7 @@ DocType: Employee Onboarding,Notify users by email,Benutzer per E-Mail benachric DocType: Travel Request,International,International DocType: Training Event,Training Event,Schulungsveranstaltung DocType: Item,Auto re-order,Automatische Nachbestellung +DocType: Attendance,Late Entry,Späte Einreise apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Gesamtsumme erreicht DocType: Employee,Place of Issue,Ausgabeort DocType: Promotional Scheme,Promotional Scheme Price Discount,Aktionsprogramm Preisnachlass @@ -2271,6 +2301,7 @@ DocType: Serial No,Serial No Details,Details zur Seriennummer DocType: Purchase Invoice Item,Item Tax Rate,Artikelsteuersatz apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Von Party Name apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Nettogehaltsbetrag +DocType: Pick List,Delivery against Sales Order,Lieferung gegen Kundenauftrag DocType: Student Group Student,Group Roll Number,Gruppenrolle Nummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",Für {0} können nur Habenkonten mit einer weiteren Sollbuchung verknüpft werden apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Lieferschein {0} ist nicht gebucht @@ -2342,7 +2373,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Dieser Wert wird für die pro-rata-temporis-Berechnung verwendet apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Sie müssen Ihren Einkaufswagen aktivieren. DocType: Payment Entry,Writeoff,Abschreiben DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2356,6 +2386,7 @@ DocType: Delivery Trip,Total Estimated Distance,Geschätzte Gesamtstrecke DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Debitorenbuchhaltung Unbezahltes Konto DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Stücklisten-Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Kontodimension für {0} darf nicht erstellt werden apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Bitte aktualisieren Sie Ihren Status für diese Trainingsveranstaltung DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Addieren/Subtrahieren @@ -2365,7 +2396,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Inaktive Verkaufspositionen DocType: Quality Review,Additional Information,zusätzliche Information apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Gesamtbestellwert -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Service Level Agreement zurücksetzen. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Lebensmittel apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Alter Bereich 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-Gutschein-Details @@ -2412,6 +2442,7 @@ 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 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" DocType: Healthcare Practitioner,Contacts and Address,Kontakte und Adresse DocType: Shift Type,Determine Check-in and Check-out,Check-in und Check-out festlegen @@ -2431,7 +2462,6 @@ DocType: Student Admission,Eligibility and Details,Teilnahmeberechtigung und Det apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Im Bruttogewinn enthalten apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Nettoveränderung des Anlagevermögens apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Erforderliche Menge -DocType: Company,Client Code,Client Code apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Kosten für den Typ ""real"" in Zeile {0} können nicht in den Artikelpreis mit eingeschlossen werden" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Von Datum und Uhrzeit @@ -2499,6 +2529,7 @@ DocType: Journal Entry Account,Account Balance,Kontostand apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Für das Eingangskonto {2} ist ein Kunde erforderlich DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Gesamte Steuern und Gebühren (Unternehmenswährung) DocType: Weather,Weather Parameter,Wetterparameter @@ -2561,6 +2592,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Arbeitszeitschwelle für apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Abhängig von der Gesamtausgabenanzahl kann es einen mehrstufigen Sammelfaktor geben. Der Umrechnungsfaktor für die Einlösung wird jedoch für alle Stufen immer gleich sein. apps/erpnext/erpnext/config/help.py,Item Variants,Artikelvarianten apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Dienstleistungen +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,Stückliste 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Gehaltsabrechnung per E-Mail an Mitarbeiter senden DocType: Cost Center,Parent Cost Center,Übergeordnete Kostenstelle @@ -2571,7 +2603,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","W DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Lieferscheine von Shopify bei Versand importieren apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Zeige geschlossen DocType: Issue Priority,Issue Priority,Ausgabepriorität -DocType: Leave Type,Is Leave Without Pay,Ist unbezahlter Urlaub +DocType: Leave Ledger Entry,Is Leave Without Pay,Ist unbezahlter Urlaub apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Anlagekategorie ist obligatorisch für Posten des Anlagevermögens DocType: Fee Validity,Fee Validity,Gebührengültigkeit @@ -2620,6 +2652,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Verfügbare Losgrö apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Druckformat aktualisieren DocType: Bank Account,Is Company Account,Ist Unternehmenskonto apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Abwesenheitsart {0} ist nicht umsetzbar +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Kreditlimit für das Unternehmen ist bereits definiert {0} DocType: Landed Cost Voucher,Landed Cost Help,Hilfe zum Einstandpreis DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Lieferadresse auswählen @@ -2644,6 +2677,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Zwei-Wege DocType: Item,Manufacturers,Hersteller @@ -2680,7 +2714,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Kontoauszug zum Kontenabgleich DocType: Patient Encounter,Medical Coding,Medizinische Kodierung DocType: Healthcare Settings,Reminder Message,Erinnerungsmeldung -,Lead Name,Name des Leads +DocType: Call Log,Lead Name,Name des Leads ,POS,Verkaufsstelle DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Prospektion @@ -2712,12 +2746,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Lieferantenlager DocType: Opportunity,Contact Mobile No,Kontakt-Mobiltelefonnummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Unternehmen auswählen ,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: 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- 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.,Der Benutzer {0} hat kein Standard-POS-Profil. Überprüfen Sie die Standardeinstellung in Reihe {1} für diesen Benutzer. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Qualitätssitzungsprotokoll +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Lieferant> Lieferantentyp apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Mitarbeiterempfehlung DocType: Student Group,Set 0 for no limit,Stellen Sie 0 für keine Grenze apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Der Tag/die Tage, für den/die Sie Urlaub beantragen, sind Ferien. Deshalb müssen Sie keinen Urlaub beantragen." @@ -2751,12 +2787,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Nettoveränderung der Barmittel DocType: Assessment Plan,Grading Scale,Bewertungsskala apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Die Mengeneinheit {0} wurde mehr als einmal in die Umrechnungsfaktortabelle eingetragen. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Schon erledigt apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock In Hand apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Fügen Sie der Anwendung die verbleibenden Vorteile {0} als \ anteilige Komponente hinzu apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Bitte setzen Sie die Steuer-Code für die öffentliche Verwaltung '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Zahlungsaufforderung bereits vorhanden ist {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Aufwendungen für in Umlauf gebrachte Artikel DocType: Healthcare Practitioner,Hospital,Krankenhaus apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Menge darf nicht mehr als {0} sein @@ -2801,6 +2835,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Personalwesen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Gehobenes Einkommen DocType: Item Manufacturer,Item Manufacturer,Artikel Hersteller +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Neuen Lead erstellen DocType: BOM Operation,Batch Size,Batch-Größe apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Ablehnen DocType: Journal Entry Account,Debit in Company Currency,Soll in Unternehmenswährung @@ -2821,9 +2856,11 @@ DocType: Bank Transaction,Reconciled,Versöhnt DocType: Expense Claim,Total Amount Reimbursed,Gesamterstattungsbetrag apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Dies basiert auf Protokollen gegen dieses Fahrzeug. Siehe Zeitleiste unten für Details apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Das Abrechnungsdatum darf nicht kleiner sein als das Beitrittsdatum des Mitarbeiters +DocType: Pick List,Item Locations,Artikelstandorte apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} erstellt apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Stellenangebote für die Bezeichnung {0} sind bereits geöffnet \ oder die Einstellung wurde gemäß Personalplan abgeschlossen {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Sie können bis zu 200 Artikel veröffentlichen. DocType: Vital Signs,Constipated,Verstopft apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Zu Eingangsrechnung {0} vom {1} DocType: Customer,Default Price List,Standardpreisliste @@ -2915,6 +2952,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Tatsächlichen Start verschieben DocType: Tally Migration,Is Day Book Data Imported,Werden Tagebuchdaten importiert? apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Marketingkosten +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} Einheiten von {1} sind nicht verfügbar. ,Item Shortage Report,Artikelengpass-Bericht 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 @@ -2937,6 +2975,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Insgesamt zugewiesene Urlaubsta 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 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 DocType: Material Request,Transferred,Übergeben DocType: Vehicle,Doors,Türen @@ -3016,7 +3055,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Kunden-Artikel-Nr. DocType: Stock Reconciliation,Stock Reconciliation,Bestandsabgleich DocType: Territory,Territory Name,Name der Region (Gebiet) DocType: Email Digest,Purchase Orders to Receive,Bestellungen zu empfangen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Fertigungslager wird vor dem Übertragen benötigt +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Fertigungslager wird vor dem Übertragen benötigt apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Sie können nur Pläne mit demselben Abrechnungszyklus in einem Abonnement haben DocType: Bank Statement Transaction Settings Item,Mapped Data,Zugeordnete Daten DocType: Purchase Order Item,Warehouse and Reference,Lager und Referenz @@ -3090,6 +3129,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Liefereinstellungen apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Daten abrufen apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Der maximal zulässige Urlaub im Urlaubstyp {0} ist {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 Artikel veröffentlichen DocType: SMS Center,Create Receiver List,Empfängerliste erstellen DocType: Student Applicant,LMS Only,Nur LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Das für die Verwendung verfügbare Datum sollte nach dem Kaufdatum liegen @@ -3123,6 +3163,7 @@ 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" DocType: Vital Signs,Furry,Pelzig apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Bitte setzen Sie ""Gewinn-/Verlustrechnung auf die Veräußerung von Vermögenswerten"" für Unternehmen {0}" +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. @@ -3134,6 +3175,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Alle Ausgaben von {0} anzeigen DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Qualität Besprechungstisch +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/templates/pages/help.html,Visit the forums,Besuche die Foren DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Hat Varianten @@ -3144,9 +3186,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Bezeichnung der monatsweisen Verteilung DocType: Quality Procedure Process,Quality Procedure Process,Qualitätsprozess apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch-ID ist obligatorisch +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Bitte wählen Sie zuerst den Kunden aus DocType: Sales Person,Parent Sales Person,Übergeordneter Vertriebsmitarbeiter apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Keine zu übergebenden Artikel sind überfällig apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Der Verkäufer und der Käufer können nicht identisch sein +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Noch keine Ansichten DocType: Project,Collect Progress,Sammle Fortschritte DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Wählen Sie zuerst das Programm aus @@ -3168,11 +3212,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Erreicht DocType: Student Admission,Application Form Route,Antragsformular Strecke apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Das Enddatum der Vereinbarung kann nicht unter dem heutigen Datum liegen. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Strg + Eingabetaste zum Senden DocType: Healthcare Settings,Patient Encounters in valid days,Patiententreffen an gültigen Tagen apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Urlaubstyp {0} kann nicht zugeordnet werden, da unbezahlter Urlaub." 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},Zeile {0}: Zugeteilte Menge {1} muss kleiner als oder gleich dem ausstehenden Betrag in Rechnung {2} sein DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"""In Worten"" wird sichtbar, sobald Sie die Ausgangsrechnung speichern." DocType: Lead,Follow Up,Wiedervorlage +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Kostenstelle: {0} existiert nicht DocType: Item,Is Sales Item,Ist Verkaufsartikel apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Artikelgruppenbaumstruktur apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Artikel {0} ist nicht für Seriennummern eingerichtet. Artikelstamm prüfen @@ -3216,9 +3262,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Gelieferte Anzahl DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Materialanfrageartikel -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Bitte stornieren Sie zuerst den Kaufbeleg {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Artikelgruppenstruktur DocType: Production Plan,Total Produced Qty,Gesamtproduktionsmenge +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Noch keine Bewertungen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,"Für diese Berechnungsart kann keine Zeilennummern zugeschrieben werden, die größer oder gleich der aktuellen Zeilennummer ist" DocType: Asset,Sold,Verkauft ,Item-wise Purchase History,Artikelbezogene Einkaufshistorie @@ -3237,7 +3283,7 @@ DocType: Designation,Required Skills,Benötigte Fähigkeiten DocType: Inpatient Record,O Positive,0 + apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investitionen DocType: Issue,Resolution Details,Details zur Entscheidung -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Art der Transaktion +DocType: Leave Ledger Entry,Transaction Type,Art der Transaktion DocType: Item Quality Inspection Parameter,Acceptance Criteria,Akzeptanzkriterien apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Bitte geben Sie Materialwünsche in der obigen Tabelle apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Keine Rückzahlungen für die Journalbuchung verfügbar @@ -3278,6 +3324,7 @@ DocType: Bank Account,Bank Account No,Bankkonto Nr DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission DocType: Patient,Surgical History,Chirurgische Geschichte DocType: Bank Statement Settings Item,Mapped Header,Zugeordnete Kopfzeile +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: 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. 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} @@ -3345,7 +3392,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Briefkopf hinzufügen DocType: Program Enrollment,Self-Driving Vehicle,Selbstfahrendes Fahrzeug 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Die Gesamtmenge des beantragten Urlaubs {0} kann nicht kleiner sein als die bereits genehmigten Urlaube {1} für den Zeitraum DocType: Contract Fulfilment Checklist,Requirement,Anforderung DocType: Journal Entry,Accounts Receivable,Forderungen DocType: Quality Goal,Objectives,Ziele @@ -3368,7 +3414,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Einzeltransaktionssch DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Dieser Wert wird in der Default Sales Price List aktualisiert. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Ihr Warenkorb ist leer DocType: Email Digest,New Expenses,Neue Ausgaben -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC-Menge apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Route kann nicht optimiert werden, da die Fahreradresse fehlt." DocType: Shareholder,Shareholder,Aktionär DocType: Purchase Invoice,Additional Discount Amount,Zusätzlicher Rabatt @@ -3405,6 +3450,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Wartungsaufgabe apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Bitte setzen Sie B2C Limit in den GST Einstellungen. DocType: Marketplace Settings,Marketplace Settings,Marktplatzeinstellungen DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Lager, in dem zurückerhaltene Artikel aufbewahrt werden (Sperrlager)" +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,{0} Elemente veröffentlichen 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,Der Wechselkurs {0} zu {1} für den Stichtag {2} kann nicht gefunden werden. Bitte erstellen Sie den Datensatz für die Währungsumrechung manuell. DocType: POS Profile,Price List,Preisliste 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." @@ -3441,6 +3487,7 @@ DocType: Salary Component,Deduction,Abzug DocType: Item,Retain Sample,Probe aufbewahren apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Row {0}: Von Zeit und zu Zeit ist obligatorisch. DocType: Stock Reconciliation Item,Amount Difference,Mengendifferenz +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"Auf dieser Seite werden Artikel nachverfolgt, die Sie von Verkäufern kaufen möchten." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Artikel Preis hinzugefügt für {0} in Preisliste {1} DocType: Delivery Stop,Order Information,Bestellinformationen apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Bitte die Mitarbeiter-ID dieses Vertriebsmitarbeiters angeben @@ -3469,6 +3516,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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." 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Name des Bewertungsplans apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Zieldetails apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Anwendbar, wenn das Unternehmen SpA, SApA oder SRL ist" @@ -3521,7 +3569,6 @@ DocType: Company,Transactions Annual History,Transaktionen Jährliche Geschichte 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Über 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 @@ -3573,6 +3620,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Jahresüberschuss 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 @@ -3626,12 +3674,10 @@ DocType: Supplier Scorecard,Scoring Setup,Scoring Setup apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronik 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Für das Unternehmen wurde keine GST-Nr. Gefunden. 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 DocType: Question,Single Correct Answer,Einzelne richtige Antwort -DocType: Employee,Contact Details,Kontakt-Details DocType: C-Form,Received Date,Empfangsdatum DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Wenn eine Standardvorlage unter den Vorlagen ""Steuern und Abgaben beim Verkauf"" erstellt wurde, bitte eine Vorlage auswählen und auf die Schaltfläche unten klicken." DocType: BOM Scrap Item,Basic Amount (Company Currency),Grundbetrag (Unternehmenswährung) @@ -3661,12 +3707,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Webseite Vorgang DocType: Bank Statement Transaction Payment Item,outstanding_amount,Restbetrag DocType: Supplier Scorecard,Supplier Score,Lieferantenbewertung apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Zeitplan Aufnahme +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Der Gesamtbetrag der Zahlungsanforderung darf nicht größer als {0} sein DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kumulativer Transaktionsschwellenwert DocType: Promotional Scheme Price Discount,Discount Type,Rabattart -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Gesamtrechnungsbetrag DocType: Purchase Invoice Item,Is Free Item,Ist freies Einzelteil +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Prozentsatz, den Sie mehr gegen die bestellte Menge übertragen dürfen. Zum Beispiel: Wenn Sie 100 Stück bestellt haben. und Ihr Freibetrag beträgt 10%, dann dürfen Sie 110 Einheiten übertragen." DocType: Supplier,Warn RFQs,Warnung Ausschreibungen -apps/erpnext/erpnext/templates/pages/home.html,Explore,Erkunden +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Erkunden DocType: BOM,Conversion Rate,Wechselkurs apps/erpnext/erpnext/www/all-products/index.html,Product Search,Produkt Suche ,Bank Remittance,Banküberweisung @@ -3678,6 +3725,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Gezahlte Gesamtsumme DocType: Asset,Insurance End Date,Versicherungsenddatum apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Bitte wählen Sie den Studenteneintritt aus, der für den bezahlten Studenten obligatorisch ist" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Budgetliste DocType: Campaign,Campaign Schedules,Kampagnenpläne DocType: Job Card Time Log,Completed Qty,Gefertigte Menge @@ -3700,6 +3748,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Neue Adre 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,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 Blätter sind mehr Tage als die maximale Zuweisung von {0} Abwesenheitsart für den Mitarbeiter {1} in der Periode @@ -3799,6 +3848,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Alle Bewert 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 DocType: Leave Block List,Allow Users,Benutzer zulassen 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: 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. @@ -3852,6 +3903,7 @@ DocType: Support Search Source,Result Title Field,Ergebnis Titelfeld apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Zusammenfassung aufrufen DocType: Sample Collection,Collected Time,Gesammelte Zeit DocType: Employee Skill Map,Employee Skills,Mitarbeiterfähigkeiten +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Treibstoffkosten DocType: Company,Sales Monthly History,Verkäufe Monatliche Geschichte apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Bitte setzen Sie mindestens eine Zeile in die Tabelle Steuern und Abgaben DocType: Asset Maintenance Task,Next Due Date,Nächstes Fälligkeitsdatum @@ -3861,6 +3913,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Vitalfunk DocType: Payment Entry,Payment Deductions or Loss,Zahlung Abzüge oder Verlust DocType: Soil Analysis,Soil Analysis Criterias,Kriterien für die Bodenanalyse apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Allgemeine Vertragsbedingungen für den Ein- und Verkauf +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Zeilen in {0} entfernt DocType: Shift Type,Begin check-in before shift start time (in minutes),Beginnen Sie den Check-in vor Schichtbeginn (in Minuten) DocType: BOM Item,Item operation,Artikeloperation apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Gruppieren nach Beleg @@ -3886,11 +3939,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No 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 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Arzneimittel apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Sie können die Einzahlung nur für einen gültigen Einlösungsbetrag einreichen +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Artikel von apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Aufwendungen für bezogene Artikel DocType: Employee Separation,Employee Separation Template,Mitarbeiter Trennvorlage DocType: Selling Settings,Sales Order Required,Kundenauftrag erforderlich apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Werden Sie ein Verkäufer -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Die Anzahl der Vorkommen, nach denen die Konsequenz ausgeführt wird." ,Procurement Tracker,Beschaffungs-Tracker DocType: Purchase Invoice,Credit To,Gutschreiben auf apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC rückgängig gemacht @@ -3903,6 +3956,7 @@ DocType: Quality Meeting,Agenda,Agenda DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Wartungsplandetail DocType: Supplier Scorecard,Warn for new Purchase Orders,Warnung für neue Bestellungen DocType: Quality Inspection Reading,Reading 9,Ablesewert 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Verbinden Sie Ihr Exotel-Konto mit ERPNext und verfolgen Sie Anruflisten DocType: Supplier,Is Frozen,Ist gesperrt DocType: Tally Migration,Processed Files,Verarbeitete Dateien apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Gruppenknoten Lager ist nicht für Transaktionen zu wählen erlaubt @@ -3911,6 +3965,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Stücklisten-Nr. f DocType: Upload Attendance,Attendance To Date,Anwesenheit bis Datum 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 @@ -3935,7 +3990,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Anforderer apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Ungültige Referenz {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regeln für die Anwendung verschiedener Werbemaßnahmen. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kann nicht größer sein als die geplante Menge ({2}) im Fertigungsauftrag {3} DocType: Shipping Rule,Shipping Rule Label,Bezeichnung der Versandregel DocType: Journal Entry Account,Payroll Entry,Personalabrechnung apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Gebührensätze anzeigen @@ -3947,6 +4001,7 @@ DocType: Contract,Fulfilment Status,Erfüllungsstatus DocType: Lab Test Sample,Lab Test Sample,Labortestprobe DocType: Item Variant Settings,Allow Rename Attribute Value,Umbenennen von Attributwert zulassen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Schnellbuchung +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Zukünftiger Zahlungsbetrag apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Sie können den Preis nicht ändern, wenn eine Stückliste für einen Artikel aufgeführt ist" DocType: Restaurant,Invoice Series Prefix,Rechnungsserie Präfix DocType: Employee,Previous Work Experience,Vorherige Berufserfahrung @@ -3976,6 +4031,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Projektstatus DocType: UOM,Check this to disallow fractions. (for Nos),"Hier aktivieren, um keine Bruchteile zuzulassen (für Nr.)" DocType: Student Admission Program,Naming Series (for Student Applicant),Nummernkreis Studienbewerber +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/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 @@ -3991,6 +4047,7 @@ DocType: Fiscal Year,Year End Date,Enddatum des Geschäftsjahres DocType: Task Depends On,Task Depends On,Vorgang hängt ab von apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Chance DocType: Options,Option,Möglichkeit +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Sie können in der abgeschlossenen Abrechnungsperiode {0} keine Buchhaltungseinträge erstellen. DocType: Operation,Default Workstation,Standard-Arbeitsplatz DocType: Payment Entry,Deductions or Loss,Abzüge oder Verlust apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} ist geschlossen @@ -3999,6 +4056,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Aktuellen Lagerbestand aufrufen DocType: Purchase Invoice,ineligible,nicht förderfähig apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Stücklistenstruktur +DocType: BOM,Exploded Items,Explodierte Gegenstände DocType: Student,Joining Date,Beitrittsdatum ,Employees working on a holiday,Die Mitarbeiter an einem Feiertag arbeiten ,TDS Computation Summary,TDS-Berechnungsübersicht @@ -4031,6 +4089,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Grundbetrag (nach Lage DocType: SMS Log,No of Requested SMS,Anzahl angeforderter SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Unbezahlter Urlaub passt nicht zu den bestätigten Urlaubsanträgen. apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Nächste Schritte +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Gespeicherte Objekte DocType: Travel Request,Domestic,Inländisch apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Bitte geben Sie die angegebenen Elemente zu den bestmöglichen Preisen apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Employee Transfer kann nicht vor dem Übertragungstermin eingereicht werden @@ -4103,7 +4162,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Anlagekategorie Konto apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Der Wert {0} ist bereits einem vorhandenen Artikel {2} zugewiesen. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Zeile # {0} (Zahlungstabelle): Betrag muss positiv sein -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},"Es können nicht mehr Artikel {0} produziert werden, als die über Kundenaufträge bestellte Stückzahl {1}" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},"Es können nicht mehr Artikel {0} produziert werden, als die über Kundenaufträge bestellte Stückzahl {1}" apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Im Brutto ist nichts enthalten apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Für dieses Dokument existiert bereits ein e-Way Bill apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Wählen Sie Attributwerte @@ -4138,12 +4197,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Unterschiedliche Konsequenzen für vorzeitiges Beenden aktivieren ,Lab Test Report,Labor Testbericht DocType: Employee Benefit Application,Employee Benefit Application,Employee Benefit Anwendung 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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Bitte zuerst den Lieferschein DocType: Student Applicant,Application Date,Antragsdatum DocType: Salary Component,Amount based on formula,"Menge, bezogen auf Formel" DocType: Purchase Invoice,Currency and Price List,Währung und Preisliste @@ -4172,6 +4229,7 @@ DocType: Purchase Receipt,Time at which materials were received,"Zeitpunkt, zu d DocType: Products Settings,Products per Page,Produkte pro Seite 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Der zugewiesene Betrag kann nicht negativ sein DocType: Sales Order,Billing Status,Abrechnungsstatus apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Einen Fall melden @@ -4181,6 +4239,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,Über 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,Row # {0}: Journal Entry {1} nicht Konto {2} oder bereits abgestimmt gegen einen anderen Gutschein DocType: Supplier Scorecard Criteria,Criteria Weight,Kriterien Gewicht +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Konto: {0} ist unter Zahlungseingang nicht zulässig DocType: Production Plan,Ignore Existing Projected Quantity,Vorhandene projizierte Menge ignorieren apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Benachrichtigung über neuen Urlaubsantrag DocType: Buying Settings,Default Buying Price List,Standard-Einkaufspreisliste @@ -4189,6 +4248,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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" DocType: Payment Entry,Payment Type,Zahlungsart apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Bitte wählen Sie einen Batch für Item {0}. Es ist nicht möglich, eine einzelne Charge zu finden, die diese Anforderung erfüllt" @@ -4217,6 +4277,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Warenkorb-Einstellungen DocType: Journal Entry,Accounting Entries,Buchungen 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." +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: Journal Entry,Paid Loan,Bezahlter Kredit 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 @@ -4233,12 +4294,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Details apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Keine Zeitblätter DocType: GoCardless Mandate,GoCardless Customer,GoCardloser Kunde apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Urlaubstyp {0} kann nicht in die Zukunft übertragen werden +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgruppe> Marke apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Wartungsplan wird nicht für alle Elemente erzeugt. Bitte klicken Sie auf ""Zeitplan generieren""" ,To Produce,Zu produzieren DocType: Leave Encashment,Payroll,Lohn-und Gehaltsabrechnung 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","Für Zeile {0} in {1}. Um {2} in die Artikel-Bewertung mit einzubeziehen, muss auch Zeile {3} mit enthalten sein" DocType: Healthcare Service Unit,Parent Service Unit,Übergeordnete Serviceeinheit DocType: Packing Slip,Identification of the package for the delivery (for print),Kennzeichnung des Paketes für die Lieferung (für den Druck) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Service Level Agreement wurde zurückgesetzt. DocType: Bin,Reserved Quantity,Reservierte Menge apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Bitte geben Sie eine gültige Email Adresse an DocType: Volunteer Skill,Volunteer Skill,Freiwillige Fähigkeit @@ -4259,7 +4322,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax 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 DocType: Account,Income Account,Ertragskonto -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundengruppe> Gebiet DocType: Payment Request,Amount in customer's currency,Betrag in Kundenwährung apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Auslieferung apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Zuordnung von Strukturen..... @@ -4282,6 +4344,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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. 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?,Sie werden Datensätze von zuvor generierten Rechnungen verlieren. Möchten Sie dieses Abonnement wirklich neu starten? @@ -4337,11 +4400,10 @@ DocType: Additional Salary,HR User,Nutzer Personalabteilung DocType: Bank Guarantee,Reference Document Name,Name des Referenzdokuments DocType: Purchase Invoice,Taxes and Charges Deducted,Steuern und Gebühren abgezogen DocType: Support Settings,Issues,Probleme -DocType: Shift Type,Early Exit Consequence after,Early Exit Consequence nach DocType: Loyalty Program,Loyalty Program Name,Name des Treueprogramms apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Status muss einer aus {0} sein apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Erinnerung an GSTIN Sent zu aktualisieren -DocType: Sales Invoice,Debit To,Belasten auf +DocType: Discounted Invoice,Debit To,Belasten auf DocType: Restaurant Menu Item,Restaurant Menu Item,Restaurant-Menüpunkt DocType: Delivery Note,Required only for sample item.,Nur erforderlich für Probeartikel. DocType: Stock Ledger Entry,Actual Qty After Transaction,Tatsächliche Anzahl nach Transaktionen @@ -4424,6 +4486,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Parametername apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,"Nur Urlaubsanträge mit dem Status ""Gewährt"" und ""Abgelehnt"" können übermittelt werden." apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Dimensionen erstellen ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Studentengruppenname ist obligatorisch in Zeile {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Kreditlimit_check umgehen DocType: Homepage,Products to be shown on website homepage,"Produkte, die auf der Webseite angezeigt werden" DocType: HR Settings,Password Policy,Kennwortrichtlinie apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Dies ist eine Root-Kundengruppe und kann nicht bearbeitet werden. @@ -4482,10 +4545,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Wenn apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Bitte setzen Sie den Standardkunden in den Restauranteinstellungen ,Salary Register,Gehalt Register DocType: Company,Default warehouse for Sales Return,Standardlager für Verkaufsretoure -DocType: Warehouse,Parent Warehouse,Übergeordnetes Lager +DocType: Pick List,Parent Warehouse,Übergeordnetes Lager DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definieren Sie verschiedene Darlehensarten DocType: Bin,FCFS Rate,"""Wer-zuerst-kommt-mahlt-zuerst""-Anteil (Windhundverfahren)" @@ -4522,6 +4585,7 @@ DocType: Travel Itinerary,Lodging Required,Unterkunft erforderlich DocType: Promotional Scheme,Price Discount Slabs,Preisnachlass Platten DocType: Stock Reconciliation Item,Current Serial No,Aktuelle Seriennummer DocType: Employee,Attendance and Leave Details,Anwesenheits- und Urlaubsdetails +,BOM Comparison Tool,Stücklisten-Vergleichstool ,Requested,Angefordert apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Keine Anmerkungen DocType: Asset,In Maintenance,In Wartung @@ -4544,6 +4608,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Standard-Service-Level-Vereinbarung DocType: SG Creation Tool Course,Course Code,Kursnummer apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Mehr als eine Auswahl für {0} ist nicht zulässig +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Die Menge der Rohstoffe richtet sich nach der Menge des Fertigerzeugnisses DocType: Location,Parent Location,Übergeordneter Standort DocType: POS Settings,Use POS in Offline Mode,POS im Offline-Modus verwenden apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Die Priorität wurde in {0} geändert. @@ -4562,7 +4627,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Beispiel Retention Warehouse DocType: Company,Default Receivable Account,Standard-Forderungskonto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Formel für projizierte Menge DocType: Sales Invoice,Deemed Export,Ausgenommener Export -DocType: Stock Entry,Material Transfer for Manufacture,Materialübertrag für Herstellung +DocType: Pick List,Material Transfer for Manufacture,Materialübertrag für Herstellung 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.,Der Rabatt-Prozentsatz kann entweder auf eine Preisliste oder auf alle Preislisten angewandt werden. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Lagerbuchung DocType: Lab Test,LabTest Approver,LabTest Genehmiger @@ -4605,7 +4670,6 @@ DocType: Training Event,Theory,Theorie apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Achtung : Materialanfragemenge ist geringer als die Mindestbestellmenge apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Konto {0} ist gesperrt DocType: Quiz Question,Quiz Question,Quizfrage -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Lieferant> Lieferantentyp 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" @@ -4636,6 +4700,7 @@ 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 DocType: Account,Expense Account,Aufwandskonto apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Farbe @@ -4673,6 +4738,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Vertriebspartner v 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 DocType: Fee Validity,Visited yet,Besucht noch +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Sie können bis zu 8 Artikel anbieten. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Lagerhäuser mit bestehenden Transaktion nicht zu einer Gruppe umgewandelt werden. 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? @@ -4680,7 +4746,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Aufgelöste Artikel 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 @@ -4705,7 +4770,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Umrechnung der Ma DocType: Contract,Signee Details,Unterschrift Details apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} hat derzeit eine {1} Supplier Scorecard stehen, und Anfragen an diesen Lieferanten sollten mit Vorsicht ausgegeben werden." DocType: Certified Consultant,Non Profit Manager,Non-Profit-Manager -DocType: BOM,Total Cost(Company Currency),Gesamtkosten (Unternehmenswährung) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Seriennummer {0} erstellt DocType: Homepage,Company Description for website homepage,Beschreibung des Unternehmens für die Homepage DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Zum Vorteil für die Kunden, können diese Kodes in Druckformaten wie Rechnungen und Lieferscheinen verwendet werden" @@ -4733,7 +4797,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Kaufbeleg DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktivieren Sie Geplante Synchronisierung apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Bis Datum und Uhrzeit apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Protokolle über den SMS-Versand -DocType: Shift Type,Early Exit Consequence,Early-Exit-Konsequenz DocType: Accounts Settings,Make Payment via Journal Entry,Zahlung über Journaleintrag apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Bitte erstellen Sie nicht mehr als 500 Artikel gleichzeitig apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Gedruckt auf @@ -4790,6 +4853,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Grenze übersch 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Gründungsdatum apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Risikokapital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Ein Semester mit ""Semesterjahr""'{0} und ""Semesternamen"" {1} ist bereits vorhanden. Bitte ändern Sie diese entsprechend und versuchen Sie es erneut." @@ -4851,6 +4915,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Kundentyp DocType: Compensatory Leave Request,Leave Allocation,Urlaubszuordnung DocType: Payment Request,Recipient Message And Payment Details,Empfänger der Nachricht und Zahlungsdetails +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Bitte wählen Sie einen Lieferschein DocType: Support Search Source,Source DocType,Quelle DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Öffnen Sie ein neues Ticket DocType: Training Event,Trainer Email,Trainer E-Mail @@ -4971,6 +5036,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""Von-Datum"" muss nach ""Bis-Datum"" liegen" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Für diese Bezeichnung wurden keine Stellenpläne gefunden apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Der Stapel {0} von Element {1} ist deaktiviert. @@ -4992,7 +5058,7 @@ DocType: Clinical Procedure,Patient,Patient apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Kreditprüfung im Kundenauftrag umgehen DocType: Employee Onboarding Activity,Employee Onboarding Activity,Mitarbeiter Onboarding Aktivität DocType: Location,Check if it is a hydroponic unit,"Überprüfen Sie, ob es sich um eine hydroponische Einheit handelt" -DocType: Stock Reconciliation Item,Serial No and Batch,Seriennummer und Chargen +DocType: Pick List Item,Serial No and Batch,Seriennummer und Chargen DocType: Warranty Claim,From Company,Von Unternehmen DocType: GSTR 3B Report,January,Januar apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Die Summe der Ergebnisse von Bewertungskriterien muss {0} sein. @@ -5016,7 +5082,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabatt ( 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Keine {0} für Inter-Company-Transaktionen gefunden. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Habenkonto muss ein Bilanzkonto sein @@ -5049,11 +5114,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kostenstelle 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Verbleibend DocType: Appraisal,Appraisal,Bewertung DocType: Loan,Loan Account,Kreditkonto apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Gültig ab und gültig bis Felder sind kumulativ Pflichtfelder +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",Für Artikel {0} in Zeile {1} stimmt die Anzahl der Seriennummern nicht mit der ausgewählten Menge überein DocType: Purchase Invoice,GST Details,GST Details apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Dies basiert auf Transaktionen mit diesem Healthcare Practitioner. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-Mail an Lieferanten {0} versandt @@ -5117,6 +5184,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Das Bruttogewicht des Pakets. Normalerweise Nettogewicht + Verpackungsgweicht. (Für den Ausdruck) DocType: Assessment Plan,Program,Programm DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Benutzer mit dieser Rolle sind berechtigt Konten zu sperren und Buchungen zu gesperrten Konten zu erstellen/verändern +DocType: Plaid Settings,Plaid Environment,Plaid-Umgebung ,Project Billing Summary,Projektabrechnungszusammenfassung DocType: Vital Signs,Cuts,Schnitte DocType: Serial No,Is Cancelled,Ist storniert @@ -5178,7 +5246,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Hinweis: Das System überprüft Überlieferungen und Überbuchungen zu Artikel {0} nicht da Stückzahl oder Menge 0 sind DocType: Issue,Opening Date,Eröffnungsdatum apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Bitte speichern Sie den Patienten zuerst -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Neuen Kontakt aufnehmen apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Die Teilnahme wurde erfolgreich markiert. DocType: Program Enrollment,Public Transport,Öffentlicher Verkehr DocType: Sales Invoice,GST Vehicle Type,GST Fahrzeugtyp @@ -5204,6 +5271,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Rechnungen 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Fügen Sie zuerst Artikel in die Tabelle Artikelstandorte ein DocType: Pricing Rule,Discount Amount,Rabattbetrag DocType: Pricing Rule,Period Settings,Periodeneinstellungen DocType: Purchase Invoice,Return Against Purchase Invoice,Zurück zur Einkaufsrechnung @@ -5236,7 +5304,6 @@ DocType: Assessment Plan,Assessment Plan,Beurteilungsplan DocType: Travel Request,Fully Sponsored,Vollständig gesponsert apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Journaleintrag umkehren apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Jobkarte erstellen -DocType: Shift Type,Consequence after,Folge danach DocType: Quality Procedure Process,Process Description,Prozessbeschreibung apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Kunde {0} wird erstellt. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Derzeit ist kein Bestand in einem Lager verfügbar @@ -5271,6 +5338,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Abrechnungsdatum DocType: Delivery Settings,Dispatch Notification Template,Versandbenachrichtigungsvorlage apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Beurteilung apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Holen Sie sich Mitarbeiter +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 @@ -5364,7 +5432,6 @@ DocType: Stock Settings,Use Naming Series,Nummernkreis verwenden apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Keine Aktion apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,"Bewertungsart Gebühren kann nicht als ""inklusive"" markiert werden" DocType: POS Profile,Update Stock,Lagerbestand aktualisieren -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Unterschiedliche Maßeinheiten für Artikel führen zu falschen Werten für das (Gesamt-)Nettogewicht. Es muss sicher gestellt sein, dass das Nettogewicht jedes einzelnen Artikels in der gleichen Maßeinheit angegeben ist." DocType: Certification Application,Payment Details,Zahlungsdetails apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Stückpreis @@ -5399,7 +5466,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Dies ist ein Root-Vertriebsmitarbeiter und kann nicht bearbeitet werden. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Wenn ausgewählt, wird der in dieser Komponente angegebene oder berechnete Wert nicht zu den Erträgen oder Abzügen beitragen. Der Wert kann jedoch durch andere Komponenten referenziert werden, die hinzugefügt oder abgezogen werden können." -DocType: Asset Settings,Number of Days in Fiscal Year,Anzahl der Tage im Geschäftsjahr ,Stock Ledger,Lagerbuch DocType: Company,Exchange Gain / Loss Account,Konto für Wechselkursdifferenzen DocType: Amazon MWS Settings,MWS Credentials,MWS Anmeldeinformationen @@ -5434,6 +5500,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Spalte in der Bankdatei apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Verlassen der Anwendung {0} ist bereits für den Schüler {1} vorhanden apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Warteschlange für die Aktualisierung der neuesten Preis in allen Stückliste. Es kann einige Minuten dauern. +DocType: Pick List,Get Item Locations,Artikelstandorte abrufen apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Name des neuen Kontos. Hinweis: Bitte keine Konten für Kunden und Lieferanten erstellen DocType: POS Profile,Display Items In Stock,Artikel auf Lager anzeigen apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Landesspezifische Standard-Adressvorlagen @@ -5457,6 +5524,7 @@ DocType: Crop,Materials Required,Benötigte Materialien apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Keine Studenten gefunden DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Monatliche HRA-Befreiung DocType: Clinical Procedure,Medical Department,Medizinische Abteilung +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Total Early Exits DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Kriterien apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Rechnungsbuchungsdatum apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Verkaufen @@ -5468,11 +5536,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Bitte löschen Sie den Mitarbeiter {0} \, um dieses Dokument zu stornieren" 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 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Dein Profil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Anzahl der Abschreibungen gebucht kann nicht größer sein als Gesamtzahl der abschreibungen DocType: Purchase Order,Order Confirmation Date,Auftragsbestätigungsdatum DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5566,7 +5633,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Es gibt Unstimmigkeiten zwischen dem Kurs, der Anzahl der Aktien und dem berechneten Betrag" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Sie sind nicht den ganzen Tag (oder mehreren Tagen) zwischen den Ausgleichsurlaubsantragstagen anwesend apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Bitte zum Bestätigen Firma erneut eingeben -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Offener Gesamtbetrag DocType: Journal Entry,Printing Settings,Druckeinstellungen DocType: Payment Order,Payment Order Type,Zahlungsauftragsart DocType: Employee Advance,Advance Account,Vorauskonto @@ -5655,7 +5721,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Name des Jahrs apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Es gibt mehr Feiertage als Arbeitstage in diesem Monat. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Die folgenden Elemente {0} sind nicht als Element {1} markiert. Sie können sie als Element {1} in ihrem Artikelstamm aktivieren -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref.-Nr. DocType: Production Plan Item,Product Bundle Item,Produkt-Bundle-Artikel DocType: Sales Partner,Sales Partner Name,Name des Vertriebspartners apps/erpnext/erpnext/hooks.py,Request for Quotations,Angebotsanfrage @@ -5664,19 +5729,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,Normale Testartikel DocType: QuickBooks Migrator,Company Settings,Unternehmenseinstellungen DocType: Additional Salary,Overwrite Salary Structure Amount,Gehaltsstruktur überschreiben -apps/erpnext/erpnext/config/hr.py,Leaves,Blätter +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 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Bestellung / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Datensatz Patient Vitals DocType: Fee Schedule,Institution,Institution -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: Asset,Partially Depreciated,Teilweise abgeschrieben DocType: Issue,Opening Time,Öffnungszeit apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Von- und Bis-Daten erforderlich apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Wertpapier- & Rohstoffbörsen -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Zusammenfassung nach {0} aufrufen: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Google Docs-Suche apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard-Maßeinheit für Variante '{0}' muss dieselbe wie in der Vorlage '{1}' sein DocType: Shipping Rule,Calculate Based On,Berechnen auf Grundlage von @@ -5722,6 +5785,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maximaler zulässiger Wert DocType: Journal Entry Account,Employee Advance,Mitarbeitervorschuss DocType: Payroll Entry,Payroll Frequency,Lohnabrechnungszeitraum +DocType: Plaid Settings,Plaid Client ID,Plaid Client ID DocType: Lab Test Template,Sensitivity,Empfindlichkeit DocType: Plaid Settings,Plaid Settings,Plaid-Einstellungen apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Die Synchronisierung wurde vorübergehend deaktiviert, da maximale Wiederholungen überschritten wurden" @@ -5739,6 +5803,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Bitte zuerst ein Buchungsdatum auswählen apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Eröffnungsdatum sollte vor dem Abschlussdatum liegen DocType: Travel Itinerary,Flight,Flug +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Zurück zur Startseite DocType: Leave Control Panel,Carry Forward,Übertragen apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Kostenstelle mit bestehenden Transaktionen kann nicht in Sachkonto umgewandelt werden DocType: Budget,Applicable on booking actual expenses,Anwendbar bei Buchung der tatsächlichen Ausgaben @@ -5794,6 +5859,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Angebot erstellen apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,"Sie sind nicht berechtigt, Urlaube für geblockte Termine zu genehmigen" apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Anfrage für {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Alle diese Artikel sind bereits in Rechnung gestellt +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Für {0} {1} wurden keine ausstehenden Rechnungen gefunden, die die von Ihnen angegebenen Filter qualifizieren." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Neues Veröffentlichungsdatum festlegen DocType: Company,Monthly Sales Target,Monatliches Verkaufsziel apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Keine offenen Rechnungen gefunden @@ -5840,6 +5906,7 @@ DocType: Water Analysis,Type of Sample,Art der Probe DocType: Batch,Source Document Name,Quelldokumentname DocType: Production Plan,Get Raw Materials For Production,Holen Sie sich Rohstoffe für die Produktion DocType: Job Opening,Job Title,Stellenbezeichnung +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Zukünftige Zahlung apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} zeigt an, dass {1} kein Angebot anbieten wird, aber alle Items wurden zitiert. Aktualisieren des RFQ-Angebotsstatus." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximum Samples - {0} wurden bereits für Batch {1} und Artikel {2} in Batch {3} gespeichert. @@ -5850,12 +5917,10 @@ 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: Company,Product Code,Produktcode DocType: Quality Review Table,Objective,Zielsetzung DocType: Supplier Scorecard,Per Month,Pro Monat DocType: Education Settings,Make Academic Term Mandatory,Das Semester verpflichtend machen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Menge Herstellung muss größer als 0 sein. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Berechnen Sie den anteiligen Abschreibungsplan basierend auf dem Geschäftsjahr +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Menge Herstellung muss größer als 0 sein. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Besuchsbericht für Wartungsauftrag DocType: Stock Entry,Update Rate and Availability,Preis und Verfügbarkeit aktualisieren 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.,"Zur bestellten Menge zusätzlich zulässiger Prozentsatz, der angenommen oder geliefert werden kann. Beispiel: Wenn 100 Einheiten bestellt wurden, und die erlaubte Spanne 10 % beträgt, dann können 110 Einheiten angenommen werden." @@ -5866,7 +5931,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Das Erscheinungsdatum muss in der Zukunft liegen DocType: BOM,Website Description,Webseiten-Beschreibung apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Nettoveränderung des Eigenkapitals -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Bitte stornieren Einkaufsrechnung {0} zuerst apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Nicht gestattet. Bitte deaktivieren Sie den Typ der Serviceeinheit apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-Mail-Adresse muss eindeutig sein, diese wird bereits für {0} verwendet" DocType: Serial No,AMC Expiry Date,Verfalldatum des jährlichen Wartungsvertrags @@ -5910,6 +5974,7 @@ DocType: Pricing Rule,Price Discount Scheme,Preisnachlass apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Der Wartungsstatus muss abgebrochen oder zum Senden abgeschlossen werden DocType: Amazon MWS Settings,US,US DocType: Holiday List,Add Weekly Holidays,Wöchentliche Feiertage hinzufügen +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Artikel melden DocType: Staffing Plan Detail,Vacancies,Stellenangebote DocType: Hotel Room,Hotel Room,Hotelzimmer apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Konto {0} gehört nicht zu Unternehmen {1} @@ -5961,12 +6026,15 @@ DocType: Email Digest,Open Quotations,Angebote öffnen 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Bitte löschen Sie den Mitarbeiter {0} \, um dieses Dokument zu stornieren" 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 @@ -5980,6 +6048,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Unbesetzt DocType: Patient,Alcohol Past Use,Vergangener Alkoholkonsum DocType: Fertilizer Content,Fertilizer Content,Dünger Inhalt +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Keine Beschreibung apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Haben DocType: Tax Rule,Billing State,Verwaltungsbezirk laut Rechnungsadresse DocType: Quality Goal,Monitoring Frequency,Überwachungsfrequenz @@ -5997,6 +6066,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Das Endedatum kann nicht vor dem nächsten Kontaktdatum liegen. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Batch-Einträge DocType: Journal Entry,Pay To / Recd From,Zahlen an/Erhalten von +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Veröffentlichung aufheben DocType: Naming Series,Setup Series,Serie bearbeiten DocType: Payment Reconciliation,To Invoice Date,Um Datum Rechnung DocType: Bank Account,Contact HTML,Kontakt-HTML @@ -6018,6 +6088,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Einzelhandel DocType: Student Attendance,Absent,Abwesend DocType: Staffing Plan,Staffing Plan Detail,Personalplanung Detail DocType: Employee Promotion,Promotion Date,Aktionsdatum +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Die Urlaubszuteilung% s ist mit dem Urlaubsantrag% s verknüpft 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} @@ -6052,9 +6123,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Die Rechnung {0} existiert nicht mehr DocType: Guardian Interest,Guardian Interest,Wächter Interesse DocType: Volunteer,Availability,Verfügbarkeit +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Der Urlaubsantrag ist mit den Urlaubszuteilungen {0} verknüpft. Urlaubsantrag kann nicht als bezahlter Urlaub festgelegt werden apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Standardwerte für POS-Rechnungen einrichten DocType: Employee Training,Training,Ausbildung DocType: Project,Time to send,Zeit zu senden +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Diese Seite verfolgt Ihre Artikel, an denen Käufer Interesse gezeigt haben." DocType: Timesheet,Employee Detail,Mitarbeiterdetails 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 @@ -6150,12 +6223,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Öffnungswert DocType: Salary Component,Formula,Formel apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serien # -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: 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/setup/doctype/company/company.py,Sales Account,Verkaufskonto DocType: Purchase Invoice Item,Total Weight,Gesamtgewicht +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}" @@ -6179,6 +6252,7 @@ DocType: Company,Default Employee Advance Account,Standardkonto für Vorschüsse apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Artikel suchen (Strg + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.JJJJ.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Ein Konto mit bestehenden Transaktionen kann nicht gelöscht werden +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Warum sollte dieser Gegenstand meiner Meinung nach entfernt werden? DocType: Vehicle,Last Carbon Check,Last Kohlenstoff prüfen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Rechtskosten apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Bitte wählen Sie die Menge aus @@ -6198,6 +6272,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Ausfall DocType: Travel Itinerary,Vegetarian,Vegetarier DocType: Patient Encounter,Encounter Date,Begegnung Datum +DocType: Work Order,Update Consumed Material Cost In Project,Aktualisieren Sie die verbrauchten Materialkosten im Projekt apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konto: {0} mit Währung: {1} kann nicht ausgewählt werden DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdaten DocType: Purchase Receipt Item,Sample Quantity,Beispielmenge @@ -6252,7 +6327,7 @@ DocType: GSTR 3B Report,April,April DocType: Plant Analysis,Collection Datetime,Sammlung Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.JJJJ.- DocType: Work Order,Total Operating Cost,Gesamtbetriebskosten -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Hinweis: Artikel {0} mehrfach eingegeben +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Hinweis: Artikel {0} mehrfach eingegeben apps/erpnext/erpnext/config/buying.py,All Contacts.,Alle Kontakte DocType: Accounting Period,Closed Documents,Geschlossene Dokumente DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Terminvereinbarung verwalten Rechnung abschicken und automatisch für Patientenbegegnung stornieren @@ -6334,9 +6409,7 @@ DocType: Member,Membership Type,Art der Mitgliedschaft ,Reqd By Date,Benötigt nach Datum apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Gläubiger DocType: Assessment Plan,Assessment Name,Name der Beurteilung -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Zeige PDC im Druck apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Zeile # {0}: Seriennummer ist zwingend erforderlich -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Für {0} {1} wurden keine offenen Rechnungen gefunden. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Artikelbezogene Steuer-Details DocType: Employee Onboarding,Job Offer,Jobangebot apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abkürzung des Institutes @@ -6394,6 +6467,7 @@ DocType: Serial No,Out of Warranty,Außerhalb der Garantie DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Zugeordneter Datentyp DocType: BOM Update Tool,Replace,Ersetzen apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Keine Produkte gefunden +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Veröffentlichen Sie weitere Elemente apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Diese Vereinbarung zum Servicelevel ist spezifisch für den Kunden {0}. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} zu Verkaufsrechnung {1} DocType: Antibiotic,Laboratory User,Laborbenutzer @@ -6416,7 +6490,6 @@ DocType: Payment Order Reference,Bank Account Details,Bankkonto Daten DocType: Purchase Order Item,Blanket Order,Blankoauftrag 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Fertigungsauftrag wurde {0} DocType: BOM Item,BOM No,Stücklisten-Nr. 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 @@ -6489,6 +6562,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Steuerpflichtige Lieferungen aus dem Ausland (null bewertet) DocType: BOM,Materials Required (Exploded),Benötigte Materialien (erweitert) 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/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 @@ -6546,7 +6620,6 @@ DocType: Pricing Rule,Same Item,Gleiches Item DocType: Stock Ledger Entry,Stock Ledger Entry,Buchung im Lagerbuch DocType: Quality Action Resolution,Quality Action Resolution,Qualitätsaktionsauflösung apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} ist halbtags im Urlaub am {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Das gleiche Einzelteil wurde mehrfach eingegeben DocType: Department,Leave Block List,Urlaubssperrenliste DocType: Purchase Invoice,Tax ID,Steuer ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Artikel {0} ist nicht für Seriennummern eingerichtet. Spalte muss leer sein @@ -6584,7 +6657,7 @@ 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 DocType: Purchase Invoice,Return,Zurück -DocType: Accounting Dimension,Disable,Deaktivieren +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" DocType: Task,Pending Review,Wartet auf Überprüfung apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Bearbeiten Sie in Vollansicht für weitere Optionen wie Vermögenswerte, Seriennummern, Chargen usw." @@ -6695,7 +6768,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.JJJJ.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Der kombinierte Rechnungsanteil muss 100% betragen DocType: Item Default,Default Expense Account,Standardaufwandskonto DocType: GST Account,CGST Account,CGST Konto -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgruppe> Marke apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Studenten E-Mail-ID DocType: Employee,Notice (days),Meldung(s)(-Tage) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS-Abschlussgutschein-Rechnungen @@ -6706,6 +6778,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Wählen Sie Elemente, um die Rechnung zu speichern" DocType: Employee,Encashment Date,Inkassodatum DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Angaben zum Verkäufer DocType: Special Test Template,Special Test Template,Spezielle Testvorlage DocType: Account,Stock Adjustment,Bestandskorrektur apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Es gibt Standard-Aktivitätskosten für Aktivitätsart - {0} @@ -6717,7 +6790,6 @@ 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 -DocType: Company,Bank Remittance Settings,Einstellungen für Banküberweisungen apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Durchschnittsrate 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." @@ -6745,6 +6817,7 @@ DocType: Grading Scale Interval,Threshold,Schwelle apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Mitarbeiter filtern nach (Optional) DocType: BOM Update Tool,Current BOM,Aktuelle Stückliste apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Balance (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Menge des Fertigerzeugnisses apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Seriennummer hinzufügen DocType: Work Order Item,Available Qty at Source Warehouse,Verfügbare Menge bei Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Garantie @@ -6823,7 +6896,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Hier können Sie Größe, Gewicht, Allergien, medizinische Belange usw. pflegen" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Konten erstellen ... DocType: Leave Block List,Applies to Company,Gilt für Unternehmen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Stornierung nicht möglich, weil übertragene Lagerbuchung {0} existiert" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Stornierung nicht möglich, weil übertragene Lagerbuchung {0} existiert" DocType: Loan,Disbursement Date,Valuta- DocType: Service Level Agreement,Agreement Details,Details zur Vereinbarung apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Das Anfangsdatum der Vereinbarung darf nicht größer oder gleich dem Enddatum sein. @@ -6832,6 +6905,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Krankenakte DocType: Vehicle,Vehicle,Fahrzeug DocType: Purchase Invoice,In Words,In Worten +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Das Datum muss vor dem Datum liegen apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Geben Sie den Namen der Bank oder des kreditgebenden Instituts vor dem Absenden ein. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} muss eingereicht werden DocType: POS Profile,Item Groups,Artikelgruppen @@ -6903,7 +6977,6 @@ DocType: Customer,Sales Team Details,Verkaufsteamdetails apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Dauerhaft löschen? DocType: Expense Claim,Total Claimed Amount,Gesamtforderung apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Mögliche Chancen für den Vertrieb -DocType: Plaid Settings,Link a new bank account,Verknüpfen Sie ein neues Bankkonto apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} ist ein ungültiger Anwesenheitsstatus. DocType: Shareholder,Folio no.,Folio Nr. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ungültige(r) {0} @@ -6919,7 +6992,6 @@ DocType: Production Plan,Material Requested,Material angefordert DocType: Warehouse,PIN,STIFT DocType: Bin,Reserved Qty for sub contract,Reservierte Menge für Unterauftrag DocType: Patient Service Unit,Patinet Service Unit,Patinet Serviceeinheit -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Textdatei generieren DocType: Sales Invoice,Base Change Amount (Company Currency),Base-Änderungsbetrag (Unternehmenswährung) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Keine Buchungen für die folgenden Lager apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Nur {0} auf Lager für Artikel {1} @@ -6933,6 +7005,7 @@ DocType: Item,No of Months,Anzahl der Monate DocType: Item,Max Discount (%),Maximaler Rabatt (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Kredit-Tage können keine negative Zahl sein apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Laden Sie eine Erklärung hoch +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Melden Sie diesen Artikel an DocType: Purchase Invoice Item,Service Stop Date,Service-Stopp-Datum apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Letzter Bestellbetrag DocType: Cash Flow Mapper,e.g Adjustments for:,zB Anpassungen für: @@ -7026,16 +7099,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Steuerbefreiungskategorie für Arbeitnehmer apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Betrag sollte nicht kleiner als Null sein. DocType: Sales Invoice,C-Form Applicable,Anwenden auf Kontakt-Formular -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Betriebszeit muss für die Operation {0} größer als 0 sein +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Betriebszeit muss für die Operation {0} größer als 0 sein DocType: Support Search Source,Post Route String,Post-Route-Zeichenfolge apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Lager ist erforderlich apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Erstellen der Webseite fehlgeschlagen DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Maßeinheit-Umrechnungs-Detail apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Zulassung und Einschreibung -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Aufbewahrungsbestandseintrag bereits angelegt oder Musterbestand nicht bereitgestellt +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Aufbewahrungsbestandseintrag bereits angelegt oder Musterbestand nicht bereitgestellt DocType: Program,Program Abbreviation,Programm Abkürzung -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Ein Fertigungsauftrag kann nicht zu einer Artikel-Vorlage gemacht werden apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Gruppieren nach Beleg (konsolidiert) DocType: HR Settings,Encrypt Salary Slips in Emails,Gehaltsabrechnungen in E-Mails verschlüsseln DocType: Question,Multiple Correct Answer,Mehrfach richtige Antwort @@ -7082,7 +7154,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Ist nicht bewertet oder DocType: Employee,Educational Qualification,Schulische Qualifikation DocType: Workstation,Operating Costs,Betriebskosten apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Währung für {0} muss {1} sein -DocType: Employee Checkin,Entry Grace Period Consequence,Konsequenz der Meldefrist DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Markieren Sie die Anwesenheit basierend auf dem "Einchecken von Mitarbeitern" für Mitarbeiter, die dieser Schicht zugeordnet sind." DocType: Asset,Disposal Date,Verkauf Datum DocType: Service Level,Response and Resoution Time,Reaktions- und Resoutionszeit @@ -7130,6 +7201,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Fertigstellungstermin DocType: Purchase Invoice Item,Amount (Company Currency),Betrag (Unternehmenswährung) DocType: Program,Is Featured,Ist unterstützt +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Abrufen ... DocType: Agriculture Analysis Criteria,Agriculture User,Benutzer Landwirtschaft apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Gültig bis Datum kann nicht vor Transaktionsdatum sein apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,"Es werden {0} Einheiten von {1} in {2} auf {3} {4} für {5} benötigt, um diesen Vorgang abzuschließen." @@ -7162,7 +7234,6 @@ DocType: Student,B+,B+ 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Summe gezahlte Beträge 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 @@ -7186,6 +7257,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonym apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Erhalten von DocType: Lead,Converted,umgewandelt DocType: Item,Has Serial No,Hat Seriennummer +DocType: Stock Entry Detail,PO Supplied Item,PO geliefertes Einzelteil 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 @@ -7300,7 +7372,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Steuern und Gebühren synch 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Standardstückliste für {0} nicht gefunden +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,"Tippen Sie auf Elemente, um sie hier hinzuzufügen" @@ -7334,7 +7406,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Wartungsdatum DocType: Purchase Invoice Item,Rejected Serial No,Abgelehnte Seriennummer apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,"Jahresbeginn oder Enddatum überlappt mit {0}. Bitte ein Unternehmen wählen, um dies zu verhindern" -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Bitte erwähnen Sie den Lead Name in Lead {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Startdatum sollte für den Artikel {0} vor dem Enddatum liegen DocType: Shift Type,Auto Attendance Settings,Einstellungen für die automatische Teilnahme @@ -7345,9 +7416,11 @@ DocType: Upload Attendance,Upload Attendance,Anwesenheit hochladen apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Stückliste und Fertigungsmenge werden benötigt apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Alter Bereich 2 DocType: SG Creation Tool Course,Max Strength,Max Kraft +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
",Das Konto {0} ist bereits in der untergeordneten Firma {1} vorhanden. Die folgenden Felder haben unterschiedliche Werte und sollten gleich sein:
  • {2}
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Voreinstellungen installieren DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Kein Lieferschein für den Kunden {} ausgewählt +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Zeilen hinzugefügt in {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Der Mitarbeiter {0} hat keinen maximalen Leistungsbetrag apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Wählen Sie die Positionen nach dem Lieferdatum aus DocType: Grant Application,Has any past Grant Record,Hat einen früheren Grant Record @@ -7391,6 +7464,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Studenten Details DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".","Dies ist die Standard-ME, die für Artikel und Kundenaufträge verwendet wird. Die Fallback-UOM lautet "Nos"." DocType: Purchase Invoice Item,Stock Qty,Lagermenge +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 DocType: Loan,Repayment Period in Months,Rückzahlungsfrist in Monaten @@ -7419,6 +7493,7 @@ DocType: Authorization Rule,Customerwise Discount,Kundenspezifischer Rabatt apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Zeitraport für Vorgänge. DocType: Purchase Invoice,Against Expense Account,Zu Aufwandskonto apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installationshinweis {0} wurde bereits übertragen +DocType: BOM,Raw Material Cost (Company Currency),Rohstoffkosten (Firmenwährung) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Hausmiete bezahlte Tage überlappend mit {0} DocType: GSTR 3B Report,October,Oktober DocType: Bank Reconciliation,Get Payment Entries,Get Payment-Einträge @@ -7465,15 +7540,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Verfügbar für das Nutzungsdatum ist erforderlich DocType: Request for Quotation,Supplier Detail,Lieferant Details apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Fehler in Formel oder Bedingung: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Rechnungsbetrag +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Rechnungsbetrag apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kriteriengewichtungen müssen zusammen 100% ergeben. apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Anwesenheit apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Lagerartikel DocType: Sales Invoice,Update Billed Amount in Sales Order,Aktualisierung des Rechnungsbetrags im Kundenauftrag +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Verkäufer kontaktieren 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"""In Worten"" wird sichtbar, sobald Sie den Lieferantenauftrag speichern." @@ -7487,6 +7564,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Preislisten-Vorlagen DocType: Task,Review Date,Überprüfungsdatum DocType: BOM,Allow Alternative Item,Alternative Artikel zulassen +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Der Kaufbeleg enthält keinen Artikel, für den die Option "Probe aufbewahren" aktiviert ist." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Rechnungssumme DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serie für Abschreibungs-Eintrag (Journaleintrag) DocType: Membership,Member Since,Mitglied seit @@ -7496,6 +7574,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Auf Nettosumme 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},Wert für das Attribut {0} muss im Bereich von {1} bis {2} in den Schritten von {3} für Artikel {4} DocType: Pricing Rule,Product Discount Scheme,Produktrabattschema +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Der Anrufer hat kein Problem angesprochen. DocType: Restaurant Reservation,Waitlisted,Auf der Warteliste DocType: Employee Tax Exemption Declaration Category,Exemption Category,Ausnahmekategorie apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Die Währung kann nicht geändert werden, wenn Buchungen in einer anderen Währung getätigt wurden" @@ -7509,7 +7588,6 @@ DocType: Customer Group,Parent Customer Group,Übergeordnete Kundengruppe apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON kann nur aus der Verkaufsrechnung generiert werden apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Maximale Versuche für dieses Quiz erreicht! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonnement -DocType: Purchase Invoice,Contact Email,Kontakt-E-Mail apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Erstellen der Gebühr ausstehend DocType: Project Template Task,Duration (Days),Dauer (Tage) DocType: Appraisal Goal,Score Earned,Erreichte Punktzahl @@ -7534,7 +7612,6 @@ DocType: Landed Cost Item,Landed Cost Item,Einstandspreis-Artikel 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Der Betrag für eine einzelne Transaktion überschreitet den maximal zulässigen Betrag. Erstellen Sie einen separaten Zahlungsauftrag, indem Sie die Transaktionen aufteilen" 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 @@ -7702,6 +7779,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Verf DocType: Quality Inspection Reading,Reading 3,Ablesewert 3 DocType: Stock Entry,Source Warehouse Address,Adresse des Quelllagers DocType: GL Entry,Voucher Type,Belegtyp +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Zukünftige Zahlungen 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 @@ -7728,6 +7806,7 @@ 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." DocType: Sales Invoice,Customer GSTIN,Kunde GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Liste der erkannten Krankheiten auf dem Feld. Wenn diese Option ausgewählt ist, wird automatisch eine Liste mit Aufgaben zur Behandlung der Krankheit hinzugefügt" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,Stückliste 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Dies ist eine Root Healthcare Service Unit und kann nicht bearbeitet werden. DocType: Asset Repair,Repair Status,Reparaturstatus 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." @@ -7742,6 +7821,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Konto für Änderungsbetrag DocType: QuickBooks Migrator,Connecting to QuickBooks,Verbinden mit QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Gesamter Gewinn / Verlust +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Auswahlliste erstellen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Zeile {0}: Gruppe / Konto stimmt nicht mit {1} / {2} in {3} {4} überein DocType: Employee Promotion,Employee Promotion,Mitarbeiterförderung DocType: Maintenance Team Member,Maintenance Team Member,Wartungsteammitglied @@ -7824,6 +7904,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettolohn kann nicht negativ sein @@ -7855,7 +7936,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Qualitätsziel DocType: BOM,Item to be manufactured or repacked,Zu fertigender oder umzupackender Artikel apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Syntaxfehler in Bedingung: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Kein vom Kunden aufgeworfenes Problem. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Wichtiger/wahlweiser Betreff apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Bitte legen Sie die Lieferantengruppe in den Kaufeinstellungen fest. @@ -7948,8 +8028,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Zahlungsziel apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,"Bitte wählen Sie Patient, um Labortests zu erhalten" DocType: Exotel Settings,Exotel Settings,Exotel-Einstellungen -DocType: Leave Type,Is Carry Forward,Ist Übertrag +DocType: Leave Ledger Entry,Is Carry Forward,Ist Übertrag DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Arbeitszeit, unter der Abwesend markiert ist. (Null zu deaktivieren)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Eine Nachricht schicken apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Artikel aus der Stückliste holen 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 diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index c9c21734c1..1ce4f5f947 100644 --- a/erpnext/translations/el.csv +++ b/erpnext/translations/el.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Ειδοποιήστε τον προμηθευτή apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Επιλέξτε Τύπος Πάρτυ πρώτη DocType: Item,Customer Items,Είδη πελάτη +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Υποχρεώσεις DocType: Project,Costing and Billing,Κοστολόγηση και Τιμολόγηση apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Το νόμισμα προπληρωμένου λογαριασμού θα πρέπει να είναι ίδιο με το νόμισμα της εταιρείας {0} DocType: QuickBooks Migrator,Token Endpoint,Σημείο τελικού σημείου @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Προεπιλεγμένη μονάδα μ DocType: SMS Center,All Sales Partner Contact,Όλες οι επαφές συνεργάτη πωλήσεων DocType: Department,Leave Approvers,Υπεύθυνοι έγκρισης άδειας DocType: Employee,Bio / Cover Letter,Βιογραφικό / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Στοιχεία αναζήτησης ... DocType: Patient Encounter,Investigations,Διερευνήσεις DocType: Restaurant Order Entry,Click Enter To Add,Κάντε κλικ στο Enter to Add apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Λείπει τιμή για τον κωδικό πρόσβασης, το κλειδί API ή τη διεύθυνση URL του Shopify" DocType: Employee,Rented,Νοικιασμένο apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Όλοι οι λογαριασμοί apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Δεν είναι δυνατή η μεταφορά υπαλλήλου με κατάσταση αριστερά -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Σταμάτησε Παραγγελία παραγωγή δεν μπορεί να ακυρωθεί, θα ξεβουλώνω πρώτα να ακυρώσετε" DocType: Vehicle Service,Mileage,Απόσταση σε μίλια apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Θέλετε πραγματικά να καταργήσει αυτό το περιουσιακό στοιχείο; DocType: Drug Prescription,Update Schedule,Ενημέρωση Προγραμματισμού @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Πελάτης DocType: Purchase Receipt Item,Required By,Απαιτείται από DocType: Delivery Note,Return Against Delivery Note,Επιστροφή Ενάντια Δελτίο Αποστολής DocType: Asset Category,Finance Book Detail,Λεπτομέρειες οικονομικού βιβλίου +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Όλες οι αποσβέσεις έχουν εγγραφεί DocType: Purchase Order,% Billed,% που χρεώθηκε apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Αριθμός Μισθοδοσίας apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Ισοτιμία πρέπει να είναι ίδιο με το {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Παρτίδα Θέση λήξης Κατάσταση apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Τραπεζική επιταγή DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Συνολικές καθυστερημένες καταχωρίσεις DocType: Mode of Payment Account,Mode of Payment Account,Λογαριασμός τρόπου πληρωμής apps/erpnext/erpnext/config/healthcare.py,Consultation,Διαβούλευση DocType: Accounts Settings,Show Payment Schedule in Print,Εμφάνιση χρονοδιαγράμματος πληρωμών στην εκτύπωση @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Σ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Κύρια στοιχεία επικοινωνίας apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Ανοιχτά Θέματα DocType: Production Plan Item,Production Plan Item,Είδος σχεδίου παραγωγής +DocType: Leave Ledger Entry,Leave Ledger Entry,Αφήστε την είσοδο του Ledger apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Ο χρήστης {0} έχει ήδη ανατεθεί στον εργαζομένο {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},Το πεδίο {0} περιορίζεται στο μέγεθος {1} DocType: Lab Test Groups,Add new line,Προσθέστε νέα γραμμή apps/erpnext/erpnext/utilities/activation.py,Create Lead,Δημιουργία μολύβδου DocType: Production Plan,Projected Qty Formula,Προβλεπόμενος τύπος ποσότητας @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Μ DocType: Purchase Invoice Item,Item Weight Details,Λεπτομέρειες βάρους στοιχείου DocType: Asset Maintenance Log,Periodicity,Περιοδικότητα apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Χρήσεως {0} απαιτείται +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Καθαρά κέρδη / ζημίες DocType: Employee Group Table,ERPNext User ID,ERPNext User ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Η ελάχιστη απόσταση μεταξύ σειρών φυτών για βέλτιστη ανάπτυξη apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Επιλέξτε Ασθενή για να λάβετε προκαθορισμένη διαδικασία @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Τιμοκατάλογος πώλησης DocType: Patient,Tobacco Current Use,Καπνός τρέχουσα χρήση apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Πωλήσεις -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Αποθηκεύστε το έγγραφό σας πριν προσθέσετε νέο λογαριασμό 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 ...,Αναζήτηση για οτιδήποτε ... DocType: Company,Phone No,Αρ. Τηλεφώνου DocType: Delivery Trip,Initial Email Notification Sent,Αρχική ειδοποίηση ηλεκτρονικού ταχυδρομείου που αποστέλλεται DocType: Bank Statement Settings,Statement Header Mapping,Αντιστοίχιση επικεφαλίδας καταστάσεων @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Ιδ DocType: Exchange Rate Revaluation Account,Gain/Loss,Κέρδος / Απώλεια DocType: Crop,Perennial,Αιωνόβιος DocType: Program,Is Published,Δημοσιεύεται +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Εμφάνιση σημείων παραλαβής apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Για να επιτρέψετε την υπερβολική τιμολόγηση, ενημερώστε την "Over Allowance Billing" στις Ρυθμίσεις Λογαριασμών ή στο Στοιχείο." DocType: Patient Appointment,Procedure,Διαδικασία DocType: Accounts Settings,Use Custom Cash Flow Format,Χρησιμοποιήστε την προσαρμοσμένη μορφή ροής μετρητών @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Αφήστε τα στοιχεία πολιτικής DocType: BOM,Item Image (if not slideshow),Φωτογραφία είδους (αν όχι slideshow) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Σειρά # {0}: Η λειτουργία {1} δεν έχει ολοκληρωθεί για {2} ποσότητα τελικών προϊόντων στην Παραγγελία Εργασίας {3}. Ενημερώστε την κατάσταση λειτουργίας μέσω της κάρτας εργασίας {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","Το {0} είναι υποχρεωτικό για τη δημιουργία πληρωμών εμβασμάτων, ορίστε το πεδίο και δοκιμάστε ξανά" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Ώρα / 60) * Πραγματικός χρόνος λειτουργίας apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Γραμμή # {0}: Ο τύπος εγγράφου αναφοράς πρέπει να είναι ένας από τους λογαριασμούς διεκδίκησης εξόδων ή καταχώρησης ημερολογίου apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Επιλέξτε BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Εξοφλήσει Πάνω αριθμός των περιόδων apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Η ποσότητα παραγωγής δεν μπορεί να είναι μικρότερη από μηδέν DocType: Stock Entry,Additional Costs,Πρόσθετα έξοδα +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να μετατραπεί σε ομάδα. DocType: Lead,Product Enquiry,Ερώτηση για προϊόν DocType: Education Settings,Validate Batch for Students in Student Group,Επικύρωση παρτίδας για σπουδαστές σε ομάδα σπουδαστών @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Τελειόφοιτος apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Ορίστε το προεπιλεγμένο πρότυπο για την Ενημέρωση κατάστασης αδείας στις Ρυθμίσεις HR. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Στόχος στις DocType: BOM,Total Cost,Συνολικό κόστος +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Η κατανομή έχει λήξει! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Μέγιστο φερόμενο φύλλο μεταφοράς DocType: Salary Slip,Employee Loan,Υπάλληλος Δανείου DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .- MM.- DocType: Fee Schedule,Send Payment Request Email,Αποστολή ηλεκτρονικού ταχυδρομείου αίτησης πληρωμής @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Ακί apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Κατάσταση λογαριασμού apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Φαρμακευτική DocType: Purchase Invoice Item,Is Fixed Asset,Είναι Παγίων +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Εμφάνιση μελλοντικών πληρωμών DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Αυτός ο τραπεζικός λογαριασμός έχει ήδη συγχρονιστεί DocType: Homepage,Homepage Section,Τμήμα αρχικής σελίδας @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Λίπασμα apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.","Δεν είναι δυνατή η εξασφάλιση της παράδοσης με σειριακό αριθμό, καθώς προστίθεται το στοιχείο {0} με και χωρίς την παράμετρο "Εξασφαλίστε την παράδοση" με \" -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση> Ρυθμίσεις Εκπαίδευσης apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Τουλάχιστον ένα τρόπο πληρωμής απαιτείται για POS τιμολόγιο. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Δεν απαιτείται παρτίδα για το παρατεταμένο αντικείμενο {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Στοιχείο Τιμολογίου Συναλλαγής Τραπεζικής Κατάστασης @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Επιλέξτε Όροι και apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,από Αξία DocType: Bank Statement Settings Item,Bank Statement Settings Item,Στοιχείο ρυθμίσεων τραπεζικής δήλωσης DocType: Woocommerce Settings,Woocommerce Settings,Ρυθμίσεις Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Όνομα συναλλαγής DocType: Production Plan,Sales Orders,Παραγγελίες πωλήσεων apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Το πολλαπλό πρόγραμμα αφοσίωσης βρέθηκε για τον Πελάτη. Επιλέξτε μη αυτόματα. DocType: Purchase Taxes and Charges,Valuation,Αποτίμηση @@ -460,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: 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 Ομάδα DocType: POS Profile,Only show Customer of these Customer Groups,Να εμφανίζεται μόνο ο Πελάτης αυτών των Ομάδων Πελατών DocType: Sales Invoice,Is Opening Entry,Είναι αρχική καταχώρηση @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Αναφέρετε αν μη τυποποιημένα εισπρακτέα λογαριασμό εφαρμόζεται 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,Η καταχώρηση αποθέματος έχει ήδη δημιουργηθεί έναντι αυτής της λίστας επιλογής DocType: Supplier Scorecard,Criteria Setup,Ρύθμιση κριτηρίων -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Tο πεδίο για αποθήκη απαιτείται πριν την υποβολή +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,Που ελήφθη στις DocType: Codification Table,Medical Code,Ιατρικό κώδικα apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Συνδέστε το Amazon με το ERPNext @@ -485,7 +495,7 @@ DocType: Restaurant Order Entry,Add Item,Πρόσθεσε είδος DocType: Party Tax Withholding Config,Party Tax Withholding Config,Συμβόλαιο παρακράτησης φόρου συμβαλλόμενου μέρους DocType: Lab Test,Custom Result,Προσαρμοσμένο αποτέλεσμα apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Προστέθηκαν τραπεζικοί λογαριασμοί -DocType: Delivery Stop,Contact Name,Όνομα επαφής +DocType: Call Log,Contact Name,Όνομα επαφής DocType: Plaid Settings,Synchronize all accounts every hour,Συγχρονίστε όλους τους λογαριασμούς κάθε ώρα DocType: Course Assessment Criteria,Course Assessment Criteria,Κριτήρια Αξιολόγησης Μαθήματος DocType: Pricing Rule Detail,Rule Applied,Εφαρμοσμένο κανόνα @@ -529,7 +539,6 @@ 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,Αρ. Τιμολογίου πώλησης -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Αγνωστος αριθμός DocType: Website Filter Field,Website Filter Field,Φίλτρο ιστότοπου apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Τύπος τροφοδοσίας DocType: Material Request Item,Min Order Qty,Ελάχιστη ποσότητα παραγγελίας @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Συνολικό αρχικό ποσ DocType: Student Guardian,Relation,Σχέση DocType: Quiz Result,Correct,Σωστός DocType: Student Guardian,Mother,Μητέρα -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Προσθέστε πρώτα έγκυρα πλήκτρα Plaid api στο site_config.json DocType: Restaurant Reservation,Reservation End Time,Ώρα λήξης κράτησης DocType: Crop,Biennial,Διετής ,BOM Variance Report,Έκθεση απόκλισης BOM @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,Plaid δημόσιο κλειδί DocType: Payment Term,Payment Term Name,Όνομα ονόματος πληρωμής DocType: Healthcare Settings,Create documents for sample collection,Δημιουργήστε έγγραφα για συλλογή δειγμάτων apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},"Πληρωμή κατά {0} {1} δεν μπορεί να είναι μεγαλύτερη από ό, τι οφειλόμενο ποσό {2}" @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Ρυθμίσεις POS εκτός σύ DocType: Stock Entry Detail,Reference Purchase Receipt,Αναφορά παραλαβής αναφοράς DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Παραλλαγή του -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Η ολοκληρωμένη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την «ποσότητα για κατασκευή» +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Η ολοκληρωμένη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την «ποσότητα για κατασκευή» +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Η περίοδος βασίζεται σε DocType: Period Closing Voucher,Closing Account Head,Κλείσιμο κύριας εγγραφής λογαριασμού DocType: Employee,External Work History,Ιστορικό εξωτερικής εργασίας apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Κυκλικού λάθους Αναφορά apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Κάρτα αναφοράς φοιτητών apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Από τον Κωδικό Pin +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Προβολή ατόμου πωλήσεων DocType: Appointment Type,Is Inpatient,Είναι νοσηλευόμενος apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Όνομα Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Με λόγια (εξαγωγή) θα είναι ορατά αφού αποθηκεύσετε το δελτίο αποστολής. @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Όνομα διάστασης apps/erpnext/erpnext/healthcare/setup.py,Resistant,Ανθεκτικός apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Παρακαλείστε να ορίσετε την τιμή δωματίου στην {} +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης DocType: Journal Entry,Multi Currency,Πολλαπλό Νόμισμα DocType: Bank Statement Transaction Invoice Item,Invoice Type,Τύπος τιμολογίου apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Ισχύει από την ημερομηνία πρέπει να είναι μικρότερη από την ισχύουσα μέχρι σήμερα @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Παράδεκτος DocType: Workstation,Rent Cost,Κόστος ενοικίασης 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,Ποσό μετά την απόσβεση apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Επερχόμενες Ημερολόγιο Εκδηλώσεων apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Παραλλαγή Χαρακτηριστικά @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Αίτηση για προ 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Εμφάνιση ατόμου πωλήσεων στην εκτύπωση 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,Δύναμη @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Δημιουργήστε ένα νέο πελάτη apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Λήξη ενεργοποιημένη apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Αν υπάρχουν πολλοί κανόνες τιμολόγησης που συνεχίζουν να επικρατούν, οι χρήστες καλούνται να ορίσουν προτεραιότητα χειρονακτικά για την επίλυση των διενέξεων." -DocType: Purchase Invoice,Scan Barcode,Scan Barcode apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Δημιουργία Εντολών Αγοράς ,Purchase Register,Ταμείο αγορών apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Ο ασθενής δεν βρέθηκε @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Συνεργάτης καναλιού DocType: Account,Old Parent,Παλαιός γονέας apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Υποχρεωτικό πεδίο - ακαδημαϊκό έτος apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} δεν συσχετίζεται με {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Συστατικό μισθός για το φύλλο κατανομής χρόνου με βάση μισθοδοσίας. DocType: Driver,Applicable for external driver,Ισχύει για εξωτερικό οδηγό DocType: Sales Order Item,Used for Production Plan,Χρησιμοποιείται για το σχέδιο παραγωγής +DocType: BOM,Total Cost (Company Currency),Συνολικό κόστος (νόμισμα της εταιρείας) DocType: Loan,Total Payment,Σύνολο πληρωμών apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Δεν είναι δυνατή η ακύρωση της συναλλαγής για την Ολοκληρωμένη Παραγγελία Εργασίας. DocType: Manufacturing Settings,Time Between Operations (in mins),Χρόνου μεταξύ των λειτουργιών (σε λεπτά) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Ειδοποίηση άλλω DocType: Vital Signs,Blood Pressure (systolic),Πίεση αίματος (συστολική) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} είναι {2} DocType: Item Price,Valid Upto,Ισχύει μέχρι +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.,Απαριθμήστε μερικούς από τους πελάτες σας. Θα μπορούσαν να είναι φορείς ή ιδιώτες. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Αλλαγές στο {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Επιλέξτε Εταιρεία DocType: Employee Skill,Employee Skill,Επιδεξιότητα των εργαζομένων apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Λογαριασμός διαφορών @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Παράγοντες κινδύνου DocType: Patient,Occupational Hazards and Environmental Factors,Επαγγελματικοί κίνδυνοι και περιβαλλοντικοί παράγοντες apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Καταχωρήσεις αποθέματος που έχουν ήδη δημιουργηθεί για παραγγελία εργασίας apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Δείτε τις προηγούμενες παραγγελίες +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} συνομιλίες DocType: Vital Signs,Respiratory rate,Ρυθμός αναπνοής apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Διαχείριση της υπεργολαβίας DocType: Vital Signs,Body Temperature,Θερμοκρασία σώματος @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Καταχωρημένη Σύν apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Χαίρετε apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Μετακίνηση στοιχείου DocType: Employee Incentive,Incentive Amount,Ποσό παροχής κινήτρων +,Employee Leave Balance Summary,Περίληψη ισοζυγίου εξόδου εργαζομένων DocType: Serial No,Warranty Period (Days),Περίοδος εγγύησης (ημέρες) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Το συνολικό ποσό πίστωσης / χρέωσης θα πρέπει να είναι ίδιο με το συνδεδεμένο εισερχόμενο ημερολογίου DocType: Installation Note Item,Installation Note Item,Είδος σημείωσης εγκατάστασης @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,Πρησμένος DocType: Salary Slip,Salary Slip Timesheet,Μισθός Slip Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Η αποθήκη προμηθευτή είναι απαραίτητη για το δελτίο παραλαβής από υπερεργολάβο DocType: Item Price,Valid From,Ισχύει από +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Η βαθμολογία σας: DocType: Sales Invoice,Total Commission,Συνολική προμήθεια DocType: Tax Withholding Account,Tax Withholding Account,Λογαριασμός παρακράτησης φόρου DocType: Pricing Rule,Sales Partner,Συνεργάτης πωλήσεων @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Όλες οι sco DocType: Buying Settings,Purchase Receipt Required,Απαιτείται αποδεικτικό παραλαβής αγοράς DocType: Sales Invoice,Rail,Ράγα apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Πραγματικό κόστος +DocType: Item,Website Image,Εικόνα ιστοτόπου apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Η αποθήκη στόχευσης στη σειρά {0} πρέπει να είναι ίδια με την εντολή εργασίας apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Η Αποτίμηση Τιμής είναι υποχρεωτική εάν εισαχθεί Αρχικό Απόθεμα apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Δεν βρέθηκαν εγγραφές στον πίνακα τιμολογίων @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,"Πριν από το συγχρονισμό του λογαριασμού σας, ολοκληρώστε τη διαμόρφωση του Plaid API" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Ημ / νία Ημέρας είναι υποχρεωτική DocType: Sales Order,Billing and Delivery Status,Χρέωση και Παράδοσης Κατάσταση DocType: Job Applicant,Resume Attachment,Συνέχιση Συνημμένο @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,Σχέδιο παραγωγής DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Άνοιγμα εργαλείου δημιουργίας τιμολογίου DocType: Salary Component,Round to the Nearest Integer,Στρογγυλά στο πλησιέστερο ακέραιο apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Επιστροφή πωλήσεων -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Σημείωση: Σύνολο των κατανεμημένων φύλλα {0} δεν πρέπει να είναι μικρότερη από τα φύλλα που έχουν ήδη εγκριθεί {1} για την περίοδο DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Ορισμός ποσότητας στις συναλλαγές με βάση την αύξουσα σειρά εισόδου ,Total Stock Summary,Συνολική σύνοψη μετοχών apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Μ apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Κύριο ποσό DocType: Loan Application,Total Payable Interest,Σύνολο πληρωτέοι τόκοι apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Σύνολο ανεκτέλεστα: {0} +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} @@ -1080,6 +1099,7 @@ 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,Παρουσιάστηκε σφάλμα κατά τη διαδικασία ενημέρωσης DocType: Restaurant Reservation,Restaurant Reservation,Εστιατόριο Κράτηση +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Τα στοιχεία σας apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Συγγραφή πρότασης DocType: Payment Entry Deduction,Payment Entry Deduction,Έκπτωση Έναρξη Πληρωμής DocType: Service Level Priority,Service Level Priority,Προτεραιότητα επιπέδου υπηρεσιών @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Σειρά σειρών παρτίδων apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Ένα άλλο πρόσωπο Πωλήσεις {0} υπάρχει με την ίδια ταυτότητα υπαλλήλου DocType: Employee Advance,Claimed Amount,Απαιτούμενο ποσό +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Λήξη κατανομής DocType: QuickBooks Migrator,Authorization Settings,Ρυθμίσεις εξουσιοδότησης DocType: Travel Itinerary,Departure Datetime,Ώρα αναχώρησης apps/erpnext/erpnext/hub_node/api.py,No items to publish,Δεν υπάρχουν στοιχεία για δημοσίευση @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,παρτίδα Όνομα DocType: Fee Validity,Max number of visit,Μέγιστος αριθμός επισκέψεων DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Υποχρεωτικό για λογαριασμό κερδών και ζημιών ,Hotel Room Occupancy,Δωμάτια δωματίου στο ξενοδοχείο -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Φύλλο κατανομής χρόνου δημιουργήθηκε: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Παρακαλώ ορίστε τον προεπιλεγμένο λογιαριασμό μετρητών ή τραπέζης στον τρόπο πληρωμής {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Εγγράφω DocType: GST Settings,GST Settings,Ρυθμίσεις GST @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),Ποσοστό (%) προμήθεια apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Επιλέξτε Προγράμματα DocType: Project,Estimated Cost,Εκτιμώμενο κόστος DocType: Request for Quotation,Link to material requests,Σύνδεσμος για το υλικό των αιτήσεων +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Δημοσιεύω apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Αεροδιάστημα ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Καταχώηρση πιστωτικής κάρτας @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Τρέχον ενεργητικό apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,Το {0} δεν είναι ένα αποθηκεύσιμο είδος apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Παρακαλώ μοιραστείτε τα σχόλιά σας με την εκπαίδευση κάνοντας κλικ στο 'Feedback Training' και στη συνέχεια 'New' +DocType: Call Log,Caller Information,Πληροφορίες καλούντος DocType: Mode of Payment Account,Default Account,Προεπιλεγμένος λογαριασμός apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Επιλέξτε πρώτα την επιλογή Αποθήκευση παρακαταθήκης δειγμάτων apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Επιλέξτε τον τύπο πολλαπλού προγράμματος για περισσότερους από έναν κανόνες συλλογής. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Αυτόματη Υλικό αιτήσεις που δημιουργούνται DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Οι ώρες εργασίας κάτω από τις οποίες σημειώνεται η Μισή Ημέρα. (Μηδέν για απενεργοποίηση) DocType: Job Card,Total Completed Qty,Συνολική ποσότητα που ολοκληρώθηκε +DocType: HR Settings,Auto Leave Encashment,Αυτόματη εγκατάλειψη apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Απολεσθέν apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Δεν μπορείτε να εισάγετε την τρέχουσα εγγυητική στη στήλη 'κατά λογιστική εγγραφή' DocType: Employee Benefit Application Detail,Max Benefit Amount,Μέγιστο ποσό οφελών @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Συνδρομητής DocType: Item Attribute Value,Item Attribute Value,Τιμή χαρακτηριστικού είδους apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Η υπηρεσία συναλλάγματος πρέπει να ισχύει για την αγορά ή την πώληση. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Μόνο η λήξη της κατανομής μπορεί να ακυρωθεί DocType: Item,Maximum sample quantity that can be retained,Μέγιστη ποσότητα δείγματος που μπορεί να διατηρηθεί apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Η σειρά {0} # Στοιχείο {1} δεν μπορεί να μεταφερθεί περισσότερο από {2} έναντι εντολής αγοράς {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Εκστρατείες πωλήσεων. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Άγνωστο καλούντα DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1419,6 +1444,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Χρονο apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Όνομα εγγράφου DocType: Expense Claim Detail,Expense Claim Type,Τύπος αξίωσης δαπανών DocType: Shopping Cart Settings,Default settings for Shopping Cart,Προεπιλεγμένες ρυθμίσεις για το καλάθι αγορών +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Αποθήκευση στοιχείου apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Νέα δαπάνη apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Αγνόηση υπάρχουσας παραγγελθείσας ποσότητας apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Προσθέστε Timeslots @@ -1431,6 +1457,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Αναθεώρηση πρόσκλησης αποστέλλεται DocType: Shift Assignment,Shift Assignment,Αντιστοίχιση μετατόπισης DocType: Employee Transfer Property,Employee Transfer Property,Ιδιότητα Μεταφοράς Εργαζομένων +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Ο λογαριασμός Ιδιότητος / Ευθύνης δεν πρέπει να είναι κενός apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Από το χρόνο πρέπει να είναι λιγότερο από το χρόνο apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Βιοτεχνολογία apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1512,11 +1539,13 @@ 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,Δημιουργία νέας επαφής apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Πρόγραμμα Μαθημάτων DocType: GSTR 3B Report,GSTR 3B Report,Έκθεση GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Κατάσταση παραπόνων DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Κατάσταση ολοκλήρωσης +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Το συνολικό ποσό πληρωμών δεν μπορεί να είναι μεγαλύτερο από {} DocType: Daily Work Summary Group,Select Users,Επιλέξτε Χρήστες DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Στοιχείο τιμολόγησης δωματίου ξενοδοχείου DocType: Loyalty Program Collection,Tier Name,Όνομα επιπέδου @@ -1554,6 +1583,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Ποσό DocType: Lab Test Template,Result Format,Μορφή αποτελεσμάτων DocType: Expense Claim,Expenses,Δαπάνες DocType: Service Level,Support Hours,Ώρες Υποστήριξης +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Σημειώσεις παράδοσης DocType: Item Variant Attribute,Item Variant Attribute,Παραλλαγή Στοιχείο Χαρακτηριστικό ,Purchase Receipt Trends,Τάσεις αποδεικτικού παραλαβής αγοράς DocType: Payroll Entry,Bimonthly,Διμηνιαίος @@ -1576,7 +1606,6 @@ DocType: Sales Team,Incentives,Κίνητρα DocType: SMS Log,Requested Numbers,Αιτήματα Αριθμοί DocType: Volunteer,Evening,Απόγευμα DocType: Quiz,Quiz Configuration,Διαμόρφωση κουίζ -DocType: Customer,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,7 +1652,6 @@ apps/erpnext/erpnext/config/accounting.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,Φιλτράρισμα Σύνολο μηδενικών ποσοτήτων -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Ανίκανος να βρει χρονοθυρίδα στα επόμενα {0} ημέρες για τη λειτουργία {1} DocType: Work Order,Plan material for sub-assemblies,Υλικό σχεδίου για τα υποσυστήματα 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,Δεν υπάρχουν διαθέσιμα στοιχεία για μεταφορά @@ -1638,9 +1666,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Πρέπει να ενεργοποιήσετε την αυτόματη αναδιάταξη των ρυθμίσεων αποθεμάτων για να διατηρήσετε τα επίπεδα επαναφοράς. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Ακύρωση επισκέψεων {0} πριν από την ακύρωση αυτής της επίσκεψης για συντήρηση DocType: Pricing Rule,Rate or Discount,Τιμή ή Έκπτωση +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Στοιχεία τράπεζας DocType: Vital Signs,One Sided,Μία όψη apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Ο σειριακός αριθμός {0} δεν ανήκει στο είδος {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Απαιτούμενη ποσότητα +DocType: Purchase Order Item Supplied,Required Qty,Απαιτούμενη ποσότητα DocType: Marketplace Settings,Custom Data,Προσαρμοσμένα δεδομένα apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Αποθήκες με τα υπάρχοντα συναλλαγής δεν μπορεί να μετατραπεί σε καθολικό. DocType: Service Day,Service Day,Ημέρα εξυπηρέτησης @@ -1668,7 +1697,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Νομισματική Μονάδα DocType: Lab Test,Sample ID,Αναγνωριστικό δείγματος apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Παρακαλείστε να αναφέρετε στρογγυλεύουν Λογαριασμό Εταιρεία -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Εύρος DocType: Supplier,Default Payable Accounts,Προεπιλεγμένοι λογαριασμοί πληρωτέων apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Ο υπάλληλος {0} δεν είναι ενεργός ή δεν υπάρχει @@ -1709,8 +1737,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Αίτηση για πληροφορίες DocType: Course Activity,Activity Date,Ημερομηνία δραστηριότητας apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} του {} -,LeaderBoard,LeaderBoard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Τιμή με περιθώριο (νόμισμα εταιρείας) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Κατηγορίες apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Συγχρονισμός Τιμολόγια Αποσυνδεδεμένος DocType: Payment Request,Paid,Πληρωμένο DocType: Service Level,Default Priority,Προεπιλεγμένη προτεραιότητα @@ -1745,11 +1773,11 @@ 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,Έμμεσα έσοδα DocType: Student Attendance Tool,Student Attendance Tool,Εργαλείο φοίτηση μαθητή DocType: Restaurant Menu,Price List (Auto created),Τιμοκατάλογος (Δημιουργήθηκε αυτόματα) +DocType: Pick List Item,Picked Qty,Επιλογή ποσότητας DocType: Cheque Print Template,Date Settings,Ρυθμίσεις ημερομηνίας 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,Λεπτομέρειες προώθησης των εργαζομένων -,Company Name,Όνομα εταιρείας DocType: SMS Center,Total Message(s),Σύνολο μηνυμάτων DocType: Share Balance,Purchased,Αγοράθηκε DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Μετονομάστε την τιμή του Χαρακτηριστικού στο στοιχείο. @@ -1768,7 +1796,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Τελευταία προσπάθεια 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} -DocType: BOM,Raw Material Cost(Company Currency),Κόστος των πρώτων υλών (Εταιρεία νομίσματος) 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,Κόστος ηλεκτρικής ενέργειας @@ -1835,6 +1862,7 @@ DocType: Travel Itinerary,Train,Τρένο ,Delayed Item Report,Αναφορά καθυστερημένου στοιχείου apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Επιλέξιμο ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Κατοικία στα νοσοκομεία +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Δημοσιεύστε τα πρώτα σας στοιχεία DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Ώρα μετά το τέλος της βάρδιας κατά την οποία το check-out θεωρείται για συμμετοχή. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Παρακαλείστε να προσδιορίσετε ένα {0} @@ -1950,6 +1978,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Όλα BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Δημιουργία καταχώρησης εισερχόμενου περιοδικού DocType: Company,Parent Company,Οικογενειακή επιχείρηση apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Τα δωμάτια του ξενοδοχείου {0} δεν είναι διαθέσιμα στις {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Συγκρίνετε BOMs για αλλαγές στις πρώτες ύλες και τις λειτουργίες apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Το έγγραφο {0} δεν ολοκληρώθηκε με επιτυχία DocType: Healthcare Practitioner,Default Currency,Προεπιλεγμένο νόμισμα apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Ανακαλέστε αυτόν τον λογαριασμό @@ -1984,6 +2013,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,Λεπτομέρειες τιμολογίου C-form DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Τιμολόγιο συμφωνίας πληρωμής DocType: Clinical Procedure,Procedure Template,Πρότυπο διαδικασίας +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Δημοσίευση στοιχείων apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Συμβολή (%) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Σύμφωνα με τις ρυθμίσεις αγοράς, αν απαιτείται εντολή αγοράς == 'ΝΑΙ', τότε για τη δημιουργία τιμολογίου αγοράς, ο χρήστης πρέπει να δημιουργήσει πρώτα την εντολή αγοράς για στοιχείο {0}" ,HSN-wise-summary of outward supplies,HSN-wise-περίληψη των εξωτερικών προμηθειών @@ -1996,7 +2026,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Παρακαλούμε να ορίσετε «Εφαρμόστε επιπλέον έκπτωση On» DocType: Party Tax Withholding Config,Applicable Percent,Εφαρμοστέο ποσοστό ,Ordered Items To Be Billed,Παραγγελθέντα είδη για τιμολόγηση -DocType: Employee Checkin,Exit Grace Period Consequence,Περίοδος περιόδου χάριτος εξόδου apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,"Από το φάσμα πρέπει να είναι μικρότερη από ό, τι στην γκάμα" DocType: Global Defaults,Global Defaults,Καθολικές προεπιλογές apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Συνεργασία Πρόσκληση έργου @@ -2004,13 +2033,11 @@ DocType: Salary Slip,Deductions,Κρατήσεις DocType: Setup Progress Action,Action Name,Όνομα Ενέργειας apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Έτος έναρξης apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Δημιουργία δανείου -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Ημερομηνία έναρξης της περιόδου του τρέχοντος τιμολογίου DocType: Shift Type,Process Attendance After,Διαδικασία παρακολούθησης μετά ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Άδεια άνευ αποδοχών DocType: Payment Request,Outward,Προς τα έξω -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Χωρητικότητα Σφάλμα Προγραμματισμού apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Κράτος / φόρος UT ,Trial Balance for Party,Ισοζύγιο για το Κόμμα ,Gross and Net Profit Report,Αναφορά ακαθάριστων κερδών και καθαρών κερδών @@ -2029,7 +2056,6 @@ DocType: Payroll Entry,Employee Details,Λεπτομέρειες των υπαλ 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} -DocType: Setup Progress Action,Domains,Τομείς 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} @@ -2072,7 +2098,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Συνολ 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.","Τρόπος πληρωμής δεν έχει ρυθμιστεί. Παρακαλώ ελέγξτε, εάν ο λογαριασμός έχει τεθεί σε λειτουργία πληρωμών ή σε POS προφίλ." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Ίδιο αντικείμενο δεν μπορεί να εισαχθεί πολλές φορές. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Περαιτέρω λογαριασμών μπορούν να γίνουν στις ομάδες, αλλά εγγραφές μπορούν να γίνουν με την μη Ομάδες" -DocType: Email Campaign,Lead,Σύσταση +DocType: Call Log,Lead,Σύσταση DocType: Email Digest,Payables,Υποχρεώσεις DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Καμπάνια ηλεκτρονικού ταχυδρομείου για @@ -2084,6 +2110,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Είδη παραγγελίας αγοράς προς χρέωση 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,Πιστωτικά όρια DocType: Purchase Invoice Item,Net Rate,Καθαρή Τιμή apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Επιλέξτε έναν πελάτη DocType: Leave Policy,Leave Allocations,Αφήστε τις κατανομές @@ -2097,6 +2124,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Κλείστε θέμα μετά Ημέρες ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Πρέπει να είστε χρήστης με ρόλους διαχείρισης συστήματος και διαχειριστή στοιχείων για να προσθέσετε χρήστες στο Marketplace. +DocType: Attendance,Early Exit,Πρόωρη έξοδος DocType: Job Opening,Staffing Plan,Προσωπικό Σχέδιο apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,Το e-Way Bill JSON μπορεί να δημιουργηθεί μόνο από ένα υποβληθέν έγγραφο apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Φόρος και οφέλη εργαζομένων @@ -2117,6 +2145,7 @@ DocType: Maintenance Team Member,Maintenance Role,Ρόλος συντήρηση apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Διπλότυπη γραμμή {0} με το ίδιο {1} DocType: Marketplace Settings,Disable Marketplace,Απενεργοποιήστε το Marketplace DocType: Quality Meeting,Minutes,Λεπτά +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Προτεινόμενα στοιχεία σας ,Trial Balance,Ισοζύγιο apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Εμφάνιση ολοκληρωθεί apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Φορολογικό Έτος {0} δεν βρέθηκε @@ -2126,8 +2155,8 @@ 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,Παρακαλώ επιλέξτε πρόθεμα πρώτα DocType: Contract,Fulfilment Deadline,Προθεσμία εκπλήρωσης +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Κοντά σας DocType: Student,O-,Ο- -DocType: Shift Type,Consequence,Συνέπεια DocType: Subscription Settings,Subscription Settings,Ρυθμίσεις συνδρομής DocType: Purchase Invoice,Update Auto Repeat Reference,Ενημέρωση αναφοράς αυτόματης επανάληψης apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Η προαιρετική λίστα διακοπών δεν έχει οριστεί για περίοδο άδειας {0} @@ -2138,7 +2167,6 @@ DocType: Maintenance Visit Purpose,Work Done,Η εργασία ολοκληρώ apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Παρακαλείστε να προσδιορίσετε τουλάχιστον ένα χαρακτηριστικό στον πίνακα Χαρακτηριστικά DocType: Announcement,All Students,Όλοι οι φοιτητές apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Στοιχείο {0} πρέπει να είναι ένα στοιχείο που δεν απόθεμα -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Τράπεζα Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Προβολή καθολικού DocType: Grading Scale,Intervals,διαστήματα DocType: Bank Statement Transaction Entry,Reconciled Transactions,Συγχωνευμένες συναλλαγές @@ -2174,6 +2202,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Αυτή η αποθήκη θα χρησιμοποιηθεί για τη δημιουργία παραγγελιών πώλησης. Η αποθήκη εναλλαγής είναι "Καταστήματα". DocType: Work Order,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,Διατηρήστε ίδια τιμολόγηση καθ'όλο τον κύκλο αγορών DocType: Opportunity Item,Opportunity Item,Είδος ευκαιρίας DocType: Quality Action,Quality Review,Επισκόπηση ποιότητας @@ -2200,7 +2229,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Βρες εκκρεμή τιμολόγια -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Η παραγγελία πώλησης {0} δεν είναι έγκυρη +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,Προειδοποίηση για νέα Αιτήματα για Προσφορές apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,εντολές αγοράς σας βοηθήσει να σχεδιάσετε και να παρακολουθούν τις αγορές σας apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Προδιαγραφές εργαστηριακών δοκιμών @@ -2225,6 +2254,7 @@ DocType: Employee Onboarding,Notify users by email,Ειδοποιήστε του DocType: Travel Request,International,Διεθνές DocType: Training Event,Training Event,εκπαίδευση Event DocType: Item,Auto re-order,Αυτόματη εκ νέου προκειμένου +DocType: Attendance,Late Entry,Ύστερη είσοδος apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Σύνολο που επιτεύχθηκε DocType: Employee,Place of Issue,Τόπος έκδοσης DocType: Promotional Scheme,Promotional Scheme Price Discount,Προωθητικό Σχέδιο Τιμή Έκπτωση @@ -2271,6 +2301,7 @@ DocType: Serial No,Serial No Details,Λεπτομέρειες σειριακού DocType: Purchase Invoice Item,Item Tax Rate,Φορολογικός συντελεστής είδους apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Από το Όνομα του Κόμματος apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Καθαρό ποσό μισθού +DocType: Pick List,Delivery against Sales Order,Παράδοση με εντολή πώλησης DocType: Student Group Student,Group Roll Number,Αριθμός Αριθμός Roll apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Για {0}, μόνο πιστωτικοί λογαριασμοί μπορούν να συνδέονται με άλλες καταχωρήσεις χρέωσης" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Το δελτίο αποστολής {0} δεν έχει υποβληθεί @@ -2342,7 +2373,6 @@ DocType: Contract,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,Ημερομηνία τιμολογίου του προμηθευτή -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Αυτή η τιμή χρησιμοποιείται για υπολογισμό pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Χρειάζεται να ενεργοποιήσετε το καλάθι αγορών DocType: Payment Entry,Writeoff,Διαγράφω DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2356,6 +2386,7 @@ DocType: Delivery Trip,Total Estimated Distance,Συνολική Εκτιμώμ DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Λογαριασμός Εισπρακτέος Μη Καταβεβλημένος Λογαριασμός DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Δεν επιτρέπεται η δημιουργία της λογιστικής διάστασης για το {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Ενημερώστε την κατάστασή σας για αυτό το εκπαιδευτικό γεγονός DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Πρόσθεση ή Αφαίρεση @@ -2365,7 +2396,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Ανενεργά στοιχεία πωλήσεων DocType: Quality Review,Additional Information,Επιπλέον πληροφορίες apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Συνολική αξία της παραγγελίας -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Επαναφορά συμφωνητικού επιπέδου υπηρεσιών. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Τροφή apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Eύρος γήρανσης 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Λεπτομέρειες σχετικά με τα δελτία κλεισίματος POS @@ -2412,6 +2442,7 @@ 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,Εκστρατεία 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',Η κατάσταση έγκρισης πρέπει να είναι εγκρίθηκε ή απορρίφθηκε DocType: Healthcare Practitioner,Contacts and Address,Επαφές και διεύθυνση DocType: Shift Type,Determine Check-in and Check-out,Προσδιορίστε το Check-in και Check-out @@ -2431,7 +2462,6 @@ DocType: Student Admission,Eligibility and Details,Επιλεξιμότητα κ apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Περιλαμβάνεται στο Ακαθάριστο Κέρδος apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Καθαρή Αλλαγή στο Παγίων apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Απ. Ποσ -DocType: Company,Client Code,Κωδικός πελάτη apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Η επιβάρυνση του τύπου 'πραγματική' στη γραμμή {0} δεν μπορεί να συμπεριληφθεί στην τιμή είδους apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Μέγιστο: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Από ημερομηνία και ώρα @@ -2499,6 +2529,7 @@ DocType: Journal Entry Account,Account Balance,Υπόλοιπο λογαριασ apps/erpnext/erpnext/config/accounting.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 (%),Επίδομα υπεράνω μεταφοράς (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Πελάτης υποχρεούται κατά του λογαριασμού Απαιτήσεις {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Σύνολο φόρων και επιβαρύνσεων (στο νόμισμα της εταιρείας) DocType: Weather,Weather Parameter,Παράμετρος καιρού @@ -2561,6 +2592,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Όριο ωρών εργ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Μπορεί να υπάρχει πολλαπλός κλιμακωτός συντελεστής συλλογής με βάση το σύνολο των δαπανών. Όμως ο συντελεστής μετατροπής για εξαγορά θα είναι πάντα ο ίδιος για όλα τα επίπεδα. apps/erpnext/erpnext/config/help.py,Item Variants,Παραλλαγές του Είδους apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Υπηρεσίες +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Email Μισθός Slip σε Εργαζομένους DocType: Cost Center,Parent Cost Center,Γονικό κέντρο κόστους @@ -2571,7 +2603,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields"," DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Εισαγάγετε τις σημειώσεις αποστολής από το Shopify κατά την αποστολή apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Εμφάνιση κλειστά DocType: Issue Priority,Issue Priority,Προτεραιότητα έκδοσης -DocType: Leave Type,Is Leave Without Pay,Είναι άδειας άνευ αποδοχών +DocType: Leave Ledger Entry,Is Leave Without Pay,Είναι άδειας άνευ αποδοχών apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Περιουσιακών στοιχείων της κατηγορίας είναι υποχρεωτική για παγίου στοιχείου DocType: Fee Validity,Fee Validity,Ισχύς του τέλους @@ -2620,6 +2652,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Διαθέσιμο apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Ενημέρωση Μορφή εκτύπωσης DocType: Bank Account,Is Company Account,Είναι ο εταιρικός λογαριασμός apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Ο τύπος άδειας {0} δεν είναι εγκιβωτισμένος +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Το πιστωτικό όριο έχει ήδη καθοριστεί για την Εταιρεία {0} DocType: Landed Cost Voucher,Landed Cost Help,Βοήθεια κόστους αποστολής εμπορευμάτων DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Επιλέξτε Διεύθυνση αποστολής @@ -2644,6 +2677,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Αμφίδρομη DocType: Item,Manufacturers,Κατασκευαστές @@ -2680,7 +2714,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Δήλωση συμφωνίας τραπεζικού λογαριασμού DocType: Patient Encounter,Medical Coding,Ιατρική κωδικοποίηση DocType: Healthcare Settings,Reminder Message,Μήνυμα υπενθύμισης -,Lead Name,Όνομα Σύστασης +DocType: Call Log,Lead Name,Όνομα Σύστασης ,POS,POS DocType: C-Form,III,ΙΙΙ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Διερεύνηση @@ -2712,12 +2746,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Αποθήκη προμηθευτή DocType: Opportunity,Contact Mobile No,Αριθμός κινητού επαφής apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Επιλέξτε Εταιρεία ,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: Student Report Generation Tool,Print Section,Εκτύπωση ενότητας DocType: Staffing Plan Detail,Estimated Cost Per Position,Εκτιμώμενο κόστος ανά θέση DocType: Employee,HR-EMP-,HR-EMP- 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,Πρακτικά πρακτικά συνάντησης +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Παραπομπής των εργαζομένων DocType: Student Group,Set 0 for no limit,Ορίστε 0 για χωρίς όριο apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Η ημέρα (ες) για την οποία υποβάλλετε αίτηση για άδεια είναι αργίες. Δεν χρειάζεται να ζητήσει άδεια. @@ -2751,12 +2787,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Καθαρή Αλλαγή σε μετρητά DocType: Assessment Plan,Grading Scale,Κλίμακα βαθμολόγησης apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Η μονάδα μέτρησης {0} έχει εισαχθεί περισσότερες από μία φορές στον πίνακας παραγόντων μετατροπής -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,έχουν ήδη ολοκληρωθεί apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Τρέχον απόθεμα apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Προσθέστε τα υπόλοιπα οφέλη {0} στην εφαρμογή ως \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Ορίστε τον δημοσιονομικό κώδικα για τη δημόσια διοίκηση '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Αίτηση Πληρωμής υπάρχει ήδη {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Κόστος ειδών που εκδόθηκαν DocType: Healthcare Practitioner,Hospital,Νοσοκομείο apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Η ποσότητα δεν πρέπει να είναι μεγαλύτερη από {0} @@ -2801,6 +2835,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Ανθρώπινοι πόροι apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Άνω εισοδήματος DocType: Item Manufacturer,Item Manufacturer,Είδους Κατασκευαστής +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Δημιουργήστε νέο μόλυβδο DocType: BOM Operation,Batch Size,Μέγεθος παρτίδας apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Απορρίπτω DocType: Journal Entry Account,Debit in Company Currency,Χρεωστικές στην Εταιρεία Νόμισμα @@ -2821,9 +2856,11 @@ DocType: Bank Transaction,Reconciled,Συγχωρήθηκε DocType: Expense Claim,Total Amount Reimbursed,Συνολικού ποσού που αποδόθηκε apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Αυτό βασίζεται στα ημερολόγια του κατά αυτό το όχημα. Δείτε χρονοδιάγραμμα παρακάτω για λεπτομέρειες apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Η ημερομηνία μισθοδοσίας δεν μπορεί να είναι μικρότερη από την ημερομηνία ένταξης του υπαλλήλου +DocType: Pick List,Item Locations,Τοποθεσίες αντικειμένων apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} δημιουργήθηκε apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Άνοιγμα θέσεων εργασίας για ορισμό {0} ήδη ανοιχτό \ ή προσλήψεις που ολοκληρώθηκαν σύμφωνα με το Σχέδιο Προσωπικού {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Μπορείτε να δημοσιεύσετε μέχρι 200 στοιχεία. DocType: Vital Signs,Constipated,Δυσκοίλιος apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Κατά το τιμολόγιο προμηθευτή {0} της {1} DocType: Customer,Default Price List,Προεπιλεγμένος τιμοκατάλογος @@ -2915,6 +2952,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Μετακίνηση πραγματικής εκκίνησης DocType: Tally Migration,Is Day Book Data Imported,Εισάγονται δεδομένα βιβλίου ημέρας apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Δαπάνες marketing +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} μονάδες {1} δεν είναι διαθέσιμες. ,Item Shortage Report,Αναφορά έλλειψης είδους 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,Δεν είναι δυνατή η δημιουργία τυπικών κριτηρίων. Παρακαλούμε μετονομάστε τα κριτήρια @@ -2937,6 +2975,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,Ημερομηνία συνταξιοδότησης DocType: Upload Attendance,Get Template,Βρες πρότυπο +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Λίστα επιλογών ,Sales Person Commission Summary,Σύνοψη της Επιτροπής Πωλήσεων DocType: Material Request,Transferred,Μεταφέρθηκε DocType: Vehicle,Doors,πόρτες @@ -3016,7 +3055,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Κωδικός είδους π DocType: Stock Reconciliation,Stock Reconciliation,Συμφωνία αποθέματος DocType: Territory,Territory Name,Όνομα περιοχής DocType: Email Digest,Purchase Orders to Receive,Παραγγελίες αγοράς για λήψη -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Η αποθήκη εργασιών σε εξέλιξηαπαιτείται πριν την υποβολή +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Η αποθήκη εργασιών σε εξέλιξηαπαιτείται πριν την υποβολή apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Μπορείτε να έχετε μόνο σχέδια με τον ίδιο κύκλο χρέωσης σε μια συνδρομή DocType: Bank Statement Transaction Settings Item,Mapped Data,Χαρτογραφημένα δεδομένα DocType: Purchase Order Item,Warehouse and Reference,Αποθήκη και αναφορά @@ -3090,6 +3129,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Ρυθμίσεις παράδοσης apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Λήψη δεδομένων apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Η μέγιστη άδεια που επιτρέπεται στον τύπο άδειας {0} είναι {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Δημοσιεύστε 1 στοιχείο DocType: SMS Center,Create Receiver List,Δημιουργία λίστας παραλήπτη DocType: Student Applicant,LMS Only,LMS Μόνο apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Η ημερομηνία που είναι διαθέσιμη για χρήση πρέπει να είναι μετά την ημερομηνία αγοράς @@ -3123,6 +3163,7 @@ DocType: Serial No,Delivery Document No,Αρ. εγγράφου παράδοση DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Εξασφαλίστε την παράδοση με βάση τον παραγόμενο σειριακό αριθμό DocType: Vital Signs,Furry,Γούνινος apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Παρακαλούμε να ορίσετε 'Ο λογαριασμός / Ζημιά Κέρδος Asset διάθεσης »στην εταιρεία {0} +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} @@ -3134,6 +3175,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Προβολή όλων των θεμάτων από {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Πίνακας ποιότητας συναντήσεων +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/templates/pages/help.html,Visit the forums,Επισκεφθείτε τα φόρουμ DocType: Student,Student Mobile Number,Φοιτητής Αριθμός Κινητού DocType: Item,Has Variants,Έχει παραλλαγές @@ -3144,9 +3186,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Όνομα της μηνιαίας διανομής DocType: Quality Procedure Process,Quality Procedure Process,Διαδικασία ποιοτικής διαδικασίας apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Το αναγνωριστικό παρτίδας είναι υποχρεωτικό +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Επιλέξτε πρώτα τον πελάτη DocType: Sales Person,Parent Sales Person,Γονικός πωλητής apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Δεν υπάρχουν καθυστερημένα στοιχεία για παραλαβή apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Ο πωλητής και ο αγοραστής δεν μπορούν να είναι οι ίδιοι +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Δεν υπάρχουν ακόμη εμφανίσεις DocType: Project,Collect Progress,Συλλέξτε την πρόοδο DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Επιλέξτε πρώτα το πρόγραμμα @@ -3168,11 +3212,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Επιτεύχθηκε DocType: Student Admission,Application Form Route,Αίτηση Διαδρομή apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Η ημερομηνία λήξης της συμφωνίας δεν μπορεί να είναι μικρότερη από σήμερα. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter για υποβολή DocType: Healthcare Settings,Patient Encounters in valid days,Συνάντηση ασθενών σε έγκυρες ημέρες apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Αφήστε Τύπος {0} δεν μπορεί να διατεθεί αφού φύγετε χωρίς αμοιβή 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε το τιμολόγιο πώλησης. DocType: Lead,Follow Up,Ακολουθω +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Κέντρο κόστους: {0} δεν υπάρχει DocType: Item,Is Sales Item,Είναι είδος πώλησης apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Δέντρο ομάδων ειδών apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Το είδος {0} δεν είναι στημένο για σειριακούς αριθμούς. Ελέγξτε την κύρια εγγραφή είδους @@ -3216,9 +3262,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Παρεχόμενα Ποσότητα DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Είδος αίτησης υλικού -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Ακυρώστε πρώτα την παραλαβή αγοράς {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Δέντρο ομάδων ειδών. DocType: Production Plan,Total Produced Qty,Συνολική Ποσότητα Παραγωγής +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Δεν υπάρχουν ακόμα κριτικές apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Δεν μπορεί να παραπέμψει τον αριθμό σειράς μεγαλύτερο ή ίσο με τον τρέχοντα αριθμό γραμμής για αυτόν τον τύπο επιβάρυνσης DocType: Asset,Sold,Πωληθεί ,Item-wise Purchase History,Ιστορικό αγορών ανά είδος @@ -3237,7 +3283,7 @@ DocType: Designation,Required Skills,Απαιτούμενα προσόντα DocType: Inpatient Record,O Positive,O Θετική apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Επενδύσεις DocType: Issue,Resolution Details,Λεπτομέρειες επίλυσης -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Τύπος συναλλαγής +DocType: Leave Ledger Entry,Transaction Type,Τύπος συναλλαγής DocType: Item Quality Inspection Parameter,Acceptance Criteria,Κριτήρια αποδοχής apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Παρακαλούμε, εισάγετε αιτήσεις Υλικό στον παραπάνω πίνακα" apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Δεν υπάρχουν διαθέσιμες επιστροφές για την καταχώριση ημερολογίου @@ -3278,6 +3324,7 @@ DocType: Bank Account,Bank Account No,Αριθμός τραπεζικού λογ DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Υποβολή απόδειξης απαλλαγής από φόρο εργαζομένων DocType: Patient,Surgical History,Χειρουργική Ιστορία DocType: Bank Statement Settings Item,Mapped Header,Χαρτογραφημένη κεφαλίδα +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR DocType: Employee,Resignation Letter Date,Ημερομηνία επιστολής παραίτησης apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Οι κανόνες τιμολόγησης φιλτράρονται περαιτέρω με βάση την ποσότητα. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Ρυθμίστε την Ημερομηνία Σύνδεσης για το {0} @@ -3345,7 +3392,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Προσθέστε επι DocType: Program Enrollment,Self-Driving Vehicle,Αυτοκίνητο όχημα 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,"Σύνολο των κατανεμημένων φύλλα {0} δεν μπορεί να είναι μικρότερη από ό, τι έχει ήδη εγκριθεί φύλλα {1} για την περίοδο" DocType: Contract Fulfilment Checklist,Requirement,Απαίτηση DocType: Journal Entry,Accounts Receivable,Εισπρακτέοι λογαριασμοί DocType: Quality Goal,Objectives,Στόχοι @@ -3368,7 +3414,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Ελάχιστο όρ DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Αυτή η τιμή ενημερώνεται στον κατάλογο προεπιλεγμένων τιμών πωλήσεων. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Το καλάθι σας είναι άδειο DocType: Email Digest,New Expenses,Νέα Έξοδα -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Ποσό PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Δεν είναι δυνατή η βελτιστοποίηση της διαδρομής, καθώς η διεύθυνση του οδηγού λείπει." DocType: Shareholder,Shareholder,Μέτοχος DocType: Purchase Invoice,Additional Discount Amount,Πρόσθετες ποσό έκπτωσης @@ -3405,6 +3450,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Συντήρηση apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Ορίστε το όριο B2C στις ρυθμίσεις GST. 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} Είναι τώρα η προεπιλεγμένη χρήση. Παρακαλώ ανανεώστε το πρόγραμμα περιήγησής σας για να τεθεί σε ισχύ η αλλαγή. @@ -3441,6 +3487,7 @@ DocType: Salary Component,Deduction,Κρατήση DocType: Item,Retain Sample,Διατηρήστε δείγμα apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Σειρά {0}: από το χρόνο και τον χρόνο είναι υποχρεωτική. DocType: Stock Reconciliation Item,Amount Difference,ποσό Διαφορά +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Αυτή η σελίδα παρακολουθεί τα στοιχεία που θέλετε να αγοράσετε από τους πωλητές. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Είδους Τιμή προστεθεί {0} στην Τιμοκατάλογος {1} DocType: Delivery Stop,Order Information,Πληροφορίες Παραγγελίας apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Παρακαλώ εισάγετε το αναγνωριστικό Υπάλληλος αυτό το άτομο πωλήσεων @@ -3469,6 +3516,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Η χρήση ** αντιπροσωπεύει ένα οικονομικό έτος. Όλες οι λογιστικές εγγραφές και άλλες σημαντικές συναλλαγές παρακολουθούνται ανά ** χρήση **. DocType: Opportunity,Customer / Lead Address,Πελάτης / διεύθυνση Σύστασης DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Ρύθμιση πίνακα καρτών προμηθευτή +DocType: Customer Credit Limit,Customer Credit Limit,Όριο πίστωσης πελατών apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Όνομα σχεδίου αξιολόγησης apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Στοιχεία στόχου apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Ισχύει εάν η εταιρεία είναι SpA, SApA ή SRL" @@ -3521,7 +3569,6 @@ DocType: Company,Transactions Annual History,Ετήσια Ιστορία Συν 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,Όνομα τράπεζας -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Παραπάνω 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,Υγρό @@ -3573,6 +3620,7 @@ 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,Προστέθηκε στα Επιλεγμένα στοιχεία apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Κέρδος για το έτος 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,Σε επεξεργασία @@ -3626,12 +3674,10 @@ 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,Επιτρέψτε στο ίδιο στοιχείο πολλαπλούς χρόνους -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Δεν βρέθηκε αριθ. GST για την Εταιρεία. 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,εργαζόμενοι DocType: Question,Single Correct Answer,Ενιαία σωστή απάντηση -DocType: Employee,Contact Details,Στοιχεία επικοινωνίας επαφής DocType: C-Form,Received Date,Ημερομηνία παραλαβής DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Αν έχετε δημιουργήσει ένα πρότυπο πρότυπο στη φόροι επί των πωλήσεων και επιβαρύνσεις Πρότυπο, επιλέξτε ένα και κάντε κλικ στο κουμπί παρακάτω." DocType: BOM Scrap Item,Basic Amount (Company Currency),Βασικό ποσό (Εταιρεία νομίσματος) @@ -3661,12 +3707,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM λειτουργίας DocType: Bank Statement Transaction Payment Item,outstanding_amount,εξωπραγματική ποσότητα DocType: Supplier Scorecard,Supplier Score,Βαθμός προμηθευτή apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Προγραμματίστε την εισαγωγή +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Το ποσό του συνολικού αιτήματος πληρωμής δεν μπορεί να είναι μεγαλύτερο από το {0} ποσό DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Όριο σωρευτικής συναλλαγής DocType: Promotional Scheme Price Discount,Discount Type,Τύπος έκπτωσης -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Συνολικό ποσό που τιμολογήθηκε DocType: Purchase Invoice Item,Is Free Item,Είναι δωρεάν στοιχείο +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Ποσοστό που σας επιτρέπεται να μεταφέρετε περισσότερο έναντι της παραγγελθείσας ποσότητας. Για παράδειγμα: Εάν έχετε παραγγείλει 100 μονάδες. και το Επίδομά σας είναι 10%, τότε μπορείτε να μεταφέρετε 110 μονάδες." DocType: Supplier,Warn RFQs,Προειδοποίηση RFQ -apps/erpnext/erpnext/templates/pages/home.html,Explore,Εξερευνώ +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Εξερευνώ DocType: BOM,Conversion Rate,Συναλλαγματική ισοτιμία apps/erpnext/erpnext/www/all-products/index.html,Product Search,Αναζήτηση προϊόντων ,Bank Remittance,Τράπεζα Remittance @@ -3678,6 +3725,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Συνολικό ποσό που καταβλήθηκε DocType: Asset,Insurance End Date,Ημερομηνία λήξης ασφάλισης apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Επιλέξτε φοιτητική εισαγωγή, η οποία είναι υποχρεωτική για τον αιτούντα πληρωμένο φοιτητή" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Λίστα Προϋπολογισμών DocType: Campaign,Campaign Schedules,Πρόγραμμα εκστρατειών DocType: Job Card Time Log,Completed Qty,Ολοκληρωμένη ποσότητα @@ -3700,6 +3748,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Νέα Δ DocType: Quality Inspection,Sample Size,Μέγεθος δείγματος apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,"Παρακαλούμε, εισάγετε παραστατικό παραλαβής" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Όλα τα είδη έχουν ήδη τιμολογηθεί +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Φύλλα που λαμβάνονται apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Καθορίστε μια έγκυρη τιμή στο πεδίο 'από τον αρ. Υπόθεσης' 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,"Περαιτέρω κέντρα κόστους μπορεί να γίνει κάτω από ομάδες, αλλά εγγραφές μπορούν να γίνουν με την μη Ομάδες" 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,Τα συνολικά κατανεμημένα φύλλα είναι περισσότερες ημέρες από τη μέγιστη κατανομή {0} τύπου άδειας για εργαζόμενο {1} κατά την περίοδο @@ -3799,6 +3848,8 @@ 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: Call Log,Received By,Που λαμβάνονται από 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.,Παρακολουθήστε ξεωριστά έσοδα και έξοδα για τις κάθετες / διαιρέσεις προϊόντος @@ -3852,6 +3903,7 @@ DocType: Support Search Source,Result Title Field,Πεδίο τίτλου απο apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Περίληψη κλήσεων DocType: Sample Collection,Collected Time,Συλλεγμένος χρόνος DocType: Employee Skill Map,Employee Skills,Εργασιακές δεξιότητες +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Έξοδα καυσίμων DocType: Company,Sales Monthly History,Μηνιαίο ιστορικό πωλήσεων apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Ρυθμίστε τουλάχιστον μία σειρά στον Πίνακα φόρων και χρεώσεων DocType: Asset Maintenance Task,Next Due Date,Επόμενη ημερομηνία λήξης @@ -3861,6 +3913,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Ζωτι DocType: Payment Entry,Payment Deductions or Loss,Μειώσεις πληρωμής ή απώλειας DocType: Soil Analysis,Soil Analysis Criterias,Κριτήρια ανάλυσης εδάφους apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Πρότυποι όροι σύμβασης για πωλήσεις ή αγορές. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Οι σειρές έχουν καταργηθεί στο {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Ξεκινήστε το check-in πριν από την ώρα έναρξης της αλλαγής ταχυτήτων (σε λεπτά) DocType: BOM Item,Item operation,Λειτουργία στοιχείου apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Ομαδοποίηση κατά αποδεικτικό @@ -3886,11 +3939,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Μισθός Slip των εργαζομένων {0} έχει ήδη δημιουργηθεί για την περίοδο αυτή apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Φαρμακευτικός apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Μπορείτε να υποβάλετε το Έγκλημα Encashment μόνο για ένα έγκυρο ποσό εισφοράς +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Στοιχεία από apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Το κόστος των αγορασθέντων ειδών DocType: Employee Separation,Employee Separation Template,Πρότυπο διαχωρισμού υπαλλήλων DocType: Selling Settings,Sales Order Required,Η παραγγελία πώλησης είναι απαραίτητη apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Γίνετε πωλητής -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Ο αριθμός εμφάνισης μετά τον οποίο εκτελείται η συνέπεια. ,Procurement Tracker,Παρακολούθηση προμηθειών DocType: Purchase Invoice,Credit To,Πίστωση προς apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Αντιστροφή @@ -3903,6 +3956,7 @@ DocType: Quality Meeting,Agenda,Ημερήσια διάταξη DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Λεπτομέρειες χρονοδιαγράμματος συντήρησης DocType: Supplier Scorecard,Warn for new Purchase Orders,Προειδοποίηση για νέες παραγγελίες αγοράς DocType: Quality Inspection Reading,Reading 9,Μέτρηση 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Συνδέστε τον λογαριασμό σας Exotel σε ERPNext και παρακολουθήστε τα αρχεία καταγραφής κλήσεων DocType: Supplier,Is Frozen,Είναι Κατεψυγμένα DocType: Tally Migration,Processed Files,Επεξεργασμένα αρχεία apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,αποθήκη κόμβος ομάδας δεν επιτρέπεται να επιλέξετε για τις συναλλαγές @@ -3912,6 +3966,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Αρ. Λ.Υ. Για DocType: Upload Attendance,Attendance To Date,Προσέλευση μέχρι ημερομηνία 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,Προδιαγραφές @@ -3936,7 +3991,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Αιτών apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Άκυρη αναφορά {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Κανόνες εφαρμογής διαφορετικών προγραμμάτων προώθησης. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) Δεν μπορεί να είναι μεγαλύτερη από τη προβλεπόμενη ποσότητα ({2}) της Εντολής Παραγωγής {3} DocType: Shipping Rule,Shipping Rule Label,Ετικέτα κανόνα αποστολής DocType: Journal Entry Account,Payroll Entry,Εισαγωγή μισθοδοσίας apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Προβολή εγγραφών αμοιβών @@ -3948,6 +4002,7 @@ DocType: Contract,Fulfilment Status,Κατάσταση εκπλήρωσης DocType: Lab Test Sample,Lab Test Sample,Δοκιμαστικό δείγμα εργαστηρίου DocType: Item Variant Settings,Allow Rename Attribute Value,Επιτρέψτε τη μετονομασία της τιμής του χαρακτηριστικού apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Γρήγορη Εφημερίδα Είσοδος +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Μελλοντικό ποσό πληρωμής apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Δεν μπορείτε να αλλάξετε τιμοκατάλογο, αν η λίστα υλικών αναφέρεται σε οποιουδήποτε είδος" DocType: Restaurant,Invoice Series Prefix,Πρόθεμα σειράς τιμολογίων DocType: Employee,Previous Work Experience,Προηγούμενη εργασιακή εμπειρία @@ -3977,6 +4032,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Κατάσταση έργου DocType: UOM,Check this to disallow fractions. (for Nos),Επιλέξτε αυτό για να απαγορεύσετε κλάσματα. (Όσον αφορά τους αριθμούς) DocType: Student Admission Program,Naming Series (for Student Applicant),Ονοματοδοσία Series (για Student αιτούντα) +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/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,Πρόγραμμα μονάδας παροχής υπηρεσιών πρακτικής @@ -3992,6 +4048,7 @@ DocType: Fiscal Year,Year End Date,Ημερομηνία λήξης έτους 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} είναι κλειστό @@ -4000,6 +4057,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Βρες το τρέχον απόθεμα DocType: Purchase Invoice,ineligible,ακατάλληλος apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Δέντρο του Πίνακα Υλικών +DocType: BOM,Exploded Items,Εκραγόμενα αντικείμενα DocType: Student,Joining Date,Ημερομηνία ένταξης ,Employees working on a holiday,Οι εργαζόμενοι που εργάζονται σε διακοπές ,TDS Computation Summary,Σύνοψη υπολογισμών TDS @@ -4032,6 +4090,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Βασική Τιμή DocType: SMS Log,No of Requested SMS,Αρ. SMS που ζητήθηκαν apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Άδειας άνευ αποδοχών δεν ταιριάζει με τα εγκεκριμένα αρχεία Αφήστε Εφαρμογή apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Επόμενα βήματα +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Αποθηκευμένα στοιχεία DocType: Travel Request,Domestic,Οικιακός apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Παρακαλείστε να παρέχουν τις συγκεκριμένες θέσεις στις καλύτερες δυνατές τιμές apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Η μεταφορά των εργαζομένων δεν μπορεί να υποβληθεί πριν από την ημερομηνία μεταφοράς @@ -4104,7 +4163,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Asset Κατηγορία Λογαριασμού apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Η τιμή {0} έχει ήδη αντιστοιχιστεί σε ένα υπάρχον στοιχείο {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Σειρά # {0} (Πίνακας Πληρωμών): Το ποσό πρέπει να είναι θετικό -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Δεν γίνεται να παραχθούν είδη {0} περισσότερα από την ποσότητα παραγγελίας πώλησης {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Δεν γίνεται να παραχθούν είδη {0} περισσότερα από την ποσότητα παραγγελίας πώλησης {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Τίποτα δεν περιλαμβάνεται στο ακαθάριστο apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Το νομοσχέδιο e-Way υπάρχει ήδη για αυτό το έγγραφο apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Επιλέξτε Τιμές Χαρακτηριστικών @@ -4139,12 +4198,10 @@ 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,Εγκαταστήστε την εταιρεία -DocType: Shift Type,Enable Different Consequence for Early Exit,Ενεργοποιήστε διαφορετικές συνέπειες για την έγκαιρη έξοδο ,Lab Test Report,Αναφορά δοκιμών εργαστηρίου DocType: Employee Benefit Application,Employee Benefit Application,Εφαρμογή παροχών προσωπικού apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Υπάρχει πρόσθετο στοιχείο μισθοδοσίας. DocType: Purchase Invoice,Unregistered,Αδήλωτος -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Παρακαλώ πρώτα το δελτίο αποστολής DocType: Student Applicant,Application Date,Ημερομηνία αίτησης DocType: Salary Component,Amount based on formula,Ποσό με βάση τον τύπο DocType: Purchase Invoice,Currency and Price List,Νόμισμα και τιμοκατάλογος @@ -4173,6 +4230,7 @@ DocType: Purchase Receipt,Time at which materials were received,Η χρονικ DocType: Products Settings,Products per Page,Προϊόντα ανά σελίδα 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,Ημερομηνία χρέωσης apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Το κατανεμημένο ποσό δεν μπορεί να είναι αρνητικό DocType: Sales Order,Billing Status,Κατάσταση χρέωσης apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Αναφορά Θέματος @@ -4182,6 +4240,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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} ή ήδη συγκρίνεται με ένα άλλο κουπόνι DocType: Supplier Scorecard Criteria,Criteria Weight,Κριτήρια Βάρος +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Λογαριασμός: Η {0} δεν επιτρέπεται στην καταχώριση πληρωμής DocType: Production Plan,Ignore Existing Projected Quantity,Αγνόηση υπάρχουσας προβλεπόμενης ποσότητας apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Αφήστε την ειδοποίηση έγκρισης DocType: Buying Settings,Default Buying Price List,Προεπιλεγμένος τιμοκατάλογος αγορών @@ -4190,6 +4249,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Σειρά {0}: Εισαγωγή θέσης για το στοιχείο του στοιχείου {1} DocType: Employee Checkin,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.","Ορίστε προεπιλεγμένες τιμές όπως εταιρεία, νόμισμα, τρέχων οικονομικό έτος, κλπ." DocType: Payment Entry,Payment Type,Τύπος πληρωμής apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Επιλέξτε μια παρτίδα για το στοιχείο {0}. Δεν είναι δυνατή η εύρεση μιας ενιαίας παρτίδας που να πληροί αυτή την απαίτηση @@ -4218,6 +4278,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Ρυθμίσεις καλ DocType: Journal Entry,Accounting Entries,Λογιστικές εγγραφές 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', θα αντικατασταθεί η Τιμοκατάλογος. Τιμολόγηση Η τιμή του κανόνα είναι ο τελικός ρυθμός, οπότε δεν πρέπει να εφαρμοστεί περαιτέρω έκπτωση. Ως εκ τούτου, σε συναλλαγές όπως η εντολή πώλησης, η εντολή αγοράς κτλ., Θα μεταφερθεί στο πεδίο 'Τιμή' αντί για 'Τιμοκατάλογος'." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εκπαιδευτών στην Εκπαίδευση> Ρυθμίσεις Εκπαίδευσης DocType: Journal Entry,Paid Loan,Καταβεβλημένο δάνειο 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,Ημερομηνία λήξης αναφοράς @@ -4234,12 +4295,14 @@ DocType: Shopify Settings,Webhooks Details,Στοιχεία Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Δεν υπάρχει χρόνος φύλλα DocType: GoCardless Mandate,GoCardless Customer,GoCardless Πελάτης apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,"Αφήστε Τύπος {0} δεν μπορεί να μεταφέρει, διαβιβάζεται" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Το χρονοδιάγραμμα συντήρησης δεν έχει δημιουργηθεί για όλα τα είδη. Παρακαλώ κάντε κλικ στο δημιουργία χρονοδιαγράμματος ,To Produce,Για παραγωγή DocType: Leave Encashment,Payroll,Μισθολόγιο 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} πρέπει επίσης να συμπεριληφθούν" DocType: Healthcare Service Unit,Parent Service Unit,Μονάδα μητρικής υπηρεσίας DocType: Packing Slip,Identification of the package for the delivery (for print),Αναγνωριστικό του συσκευασίας για την παράδοση (για εκτύπωση) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Η συμφωνία επιπέδου υπηρεσιών επαναφέρεται. DocType: Bin,Reserved Quantity,Δεσμευμένη ποσότητα apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Εισαγάγετε έγκυρη διεύθυνση ηλεκτρονικού ταχυδρομείου DocType: Volunteer Skill,Volunteer Skill,Εθελοντική ικανότητα @@ -4260,7 +4323,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Τιμή ή Προϊόν Έκπτωση apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Για τη σειρά {0}: Εισάγετε προγραμματισμένη ποσότητα DocType: Account,Income Account,Λογαριασμός εσόδων -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια DocType: Payment Request,Amount in customer's currency,Ποσό σε νόμισμα του πελάτη apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Παράδοση apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Αντιστοίχιση δομών ... @@ -4283,6 +4345,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,Αναφορά 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?,Θα χάσετε τα αρχεία των τιμολογίων που δημιουργήσατε προηγουμένως. Είστε βέβαιοι ότι θέλετε να κάνετε επανεκκίνηση αυτής της συνδρομής; @@ -4338,11 +4401,10 @@ DocType: Additional Salary,HR User,Χρήστης ανθρωπίνου δυνα DocType: Bank Guarantee,Reference Document Name,Όνομα εγγράφου αναφοράς DocType: Purchase Invoice,Taxes and Charges Deducted,Φόροι και επιβαρύνσεις που παρακρατήθηκαν DocType: Support Settings,Issues,Θέματα -DocType: Shift Type,Early Exit Consequence after,Πρόωρη έξοδος μετά από DocType: Loyalty Program,Loyalty Program Name,Όνομα προγράμματος προγράμματος πιστότητας apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Η κατάσταση πρέπει να είναι ένα από τα {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Υπενθύμιση για ενημέρωση του GSTIN Sent -DocType: Sales Invoice,Debit To,Χρέωση προς +DocType: Discounted Invoice,Debit To,Χρέωση προς DocType: Restaurant Menu Item,Restaurant Menu Item,Εστιατόριο Στοιχείο μενού DocType: Delivery Note,Required only for sample item.,Απαιτείται μόνο για δείγμα DocType: Stock Ledger Entry,Actual Qty After Transaction,Πραγματική ποσότητα μετά την συναλλαγή @@ -4425,6 +4487,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Όνομα παρα apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Αφήστε Εφαρμογές με την ιδιότητα μόνο «Εγκρίθηκε» και «Απορρίπτεται» μπορούν να υποβληθούν apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Δημιουργία διαστάσεων ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Ομάδα Φοιτητών Όνομα είναι υποχρεωτικό στη σειρά {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Παράκαμψη credit_check DocType: Homepage,Products to be shown on website homepage,Προϊόντα που πρέπει να αναγράφονται στην ιστοσελίδα του DocType: HR Settings,Password Policy,Πολιτική κωδικού πρόσβασης apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Αυτή είναι μια κύρια ομάδα πελατών ρίζα και δεν μπορεί να επεξεργαστεί. @@ -4483,10 +4546,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Εά apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Ορίστε τον προεπιλεγμένο πελάτη στις Ρυθμίσεις εστιατορίου ,Salary Register,μισθός Εγγραφή DocType: Company,Default warehouse for Sales Return,Προκαθορισμένη αποθήκη για επιστροφή πωλήσεων -DocType: Warehouse,Parent Warehouse,μητρική Αποθήκη +DocType: Pick List,Parent Warehouse,μητρική Αποθήκη DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},Το προεπιλεγμένο BOM δεν βρέθηκε για τα στοιχεία {0} και Project {1} +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}: Ρυθμίστε τον τρόπο πληρωμής στο χρονοδιάγραμμα πληρωμών apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Ορίστε διάφορους τύπους δανείων DocType: Bin,FCFS Rate,FCFS Rate @@ -4523,6 +4586,7 @@ DocType: Travel Itinerary,Lodging Required,Απαιτείται καταχώρη DocType: Promotional Scheme,Price Discount Slabs,Τιμή Πλάκες Έκπτωση DocType: Stock Reconciliation Item,Current Serial No,Τρέχων σειριακός αριθμός DocType: Employee,Attendance and Leave Details,Συμμετοχή και Αφήστε τις λεπτομέρειες +,BOM Comparison Tool,Εργαλείο σύγκρισης μεγέθους BOM ,Requested,Ζητήθηκαν apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Δεν βρέθηκαν παρατηρήσεις DocType: Asset,In Maintenance,Στη συντήρηση @@ -4545,6 +4609,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Προεπιλεγμένη συμφωνία επιπέδου υπηρεσιών DocType: SG Creation Tool Course,Course Code,Κωδικός Μαθήματος apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Δεν επιτρέπονται περισσότερες από μία επιλογές για {0} +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Οι ποσότητες των πρώτων υλών θα αποφασιστούν με βάση την ποσότητα του προϊόντος τελικών προϊόντων DocType: Location,Parent Location,Τοποθεσία γονέων DocType: POS Settings,Use POS in Offline Mode,Χρησιμοποιήστε το POS στη λειτουργία χωρίς σύνδεση apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Η προτεραιότητα έχει αλλάξει σε {0}. @@ -4563,7 +4628,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Αποθήκη διατήρη DocType: Company,Default Receivable Account,Προεπιλεγμένος λογαριασμός εισπρακτέων apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Προβλεπόμενη σύνθεση ποσότητας DocType: Sales Invoice,Deemed Export,Θεωρείται Εξαγωγή -DocType: Stock Entry,Material Transfer for Manufacture,Μεταφορά υλικού για την κατασκευή +DocType: Pick List,Material Transfer for Manufacture,Μεταφορά υλικού για την κατασκευή 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.,Το ποσοστό έκπτωσης μπορεί να εφαρμοστεί είτε ανά τιμοκατάλογο ή για όλους τους τιμοκαταλόγους apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Λογιστική εγγραφή για απόθεμα DocType: Lab Test,LabTest Approver,Έλεγχος LabTest @@ -4606,7 +4671,6 @@ DocType: Training Event,Theory,Θεωρία apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Προειδοποίηση : ζητήθηκε ποσότητα υλικού που είναι μικρότερη από την ελάχιστη ποσότητα παραγγελίας apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Ο λογαριασμός {0} έχει παγώσει DocType: Quiz Question,Quiz Question,Ερώτηση κουίζ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή 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","Τρόφιμα, ποτά και καπνός" @@ -4637,6 +4701,7 @@ 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,Δημοσιευμένα στοιχεία DocType: Account,Expense Account,Λογαριασμός δαπανών apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Λογισμικό apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Χρώμα @@ -4674,6 +4739,7 @@ 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,Όλες οι τραπεζικές συναλλαγές έχουν δημιουργηθεί DocType: Fee Validity,Visited yet,Επισκέφτηκε ακόμα +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Μπορείτε να διαθέσετε μέχρι 8 στοιχεία. 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.,Πόσο συχνά πρέπει να ενημερώνεται το έργο και η εταιρεία με βάση τις Συναλλαγές Πωλήσεων. @@ -4681,7 +4747,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Είδη αναλυτικά 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,Θερμοκρασία αποθήκευσης @@ -4706,7 +4771,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Μετατροπή DocType: Contract,Signee Details,Signee Λεπτομέρειες apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} έχει επί του παρόντος {1} Ο πίνακας αποτελεσμάτων του Προμηθευτή και οι Αίτησης για πρόσφορες θα πρέπει να εκδίδονται με προσοχή. DocType: Certified Consultant,Non Profit Manager,Μη κερδοσκοπικός διευθυντής -DocType: BOM,Total Cost(Company Currency),Συνολικό Κόστος (Εταιρεία νομίσματος) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Ο σειριακός αριθμός {0} δημιουργήθηκε DocType: Homepage,Company Description for website homepage,Περιγραφή Εταιρείας για την ιστοσελίδα αρχική σελίδα DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Για την εξυπηρέτηση των πελατών, οι κωδικοί αυτοί μπορούν να χρησιμοποιηθούν σε μορφές εκτύπωσης, όπως τιμολόγια και δελτία παράδοσης" @@ -4734,7 +4798,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Το εί DocType: Amazon MWS Settings,Enable Scheduled Synch,Ενεργοποίηση προγραμματισμένου συγχρονισμού apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Έως ημερομηνία και ώρα apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Logs για τη διατήρηση της κατάστασης παράδοσης sms -DocType: Shift Type,Early Exit Consequence,Πρόωρη Εξόδου DocType: Accounts Settings,Make Payment via Journal Entry,Κάντε Πληρωμή μέσω Εφημερίδα Έναρξη apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Μην δημιουργείτε περισσότερα από 500 στοιχεία τη φορά apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Τυπώθηκε σε @@ -4791,6 +4854,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,όριο Crosse 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,Μυστικό +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Ημερομηνία ίδρυσης apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Αρχικό κεφάλαιο apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Μια ακαδημαϊκή περίοδο με αυτό το «Ακαδημαϊκό Έτος '{0} και« Term Όνομα »{1} υπάρχει ήδη. Παρακαλείστε να τροποποιήσετε αυτές τις καταχωρήσεις και δοκιμάστε ξανά. @@ -4852,6 +4916,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Τύπος πελάτη DocType: Compensatory Leave Request,Leave Allocation,Κατανομή άδειας DocType: Payment Request,Recipient Message And Payment Details,Μήνυμα παραλήπτη και τις λεπτομέρειες πληρωμής +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Επιλέξτε ένα Σημείωμα Παράδοσης DocType: Support Search Source,Source DocType,Source DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Ανοίξτε ένα νέο εισιτήριο DocType: Training Event,Trainer Email,εκπαιδευτής Email @@ -4972,6 +5037,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,Μεταφερμένες άδειες apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"Το πεδίο ""Από Ημερομηνία"" πρέπει να είναι μεταγενέστερο από το πεδίο ""Έως Ημερομηνία""" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Δεν βρέθηκαν Σχέδια Προσωπικού για αυτή την Καθορισμός apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Η παρτίδα {0} του στοιχείου {1} είναι απενεργοποιημένη. @@ -4993,7 +5059,7 @@ DocType: Clinical Procedure,Patient,Υπομονετικος apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Παράκαμψη πιστωτικού ελέγχου με εντολή πώλησης DocType: Employee Onboarding Activity,Employee Onboarding Activity,Δραστηριότητα επί των εργαζομένων DocType: Location,Check if it is a hydroponic unit,Ελέγξτε αν πρόκειται για υδροπονική μονάδα -DocType: Stock Reconciliation Item,Serial No and Batch,Αύξων αριθμός παρτίδας και +DocType: Pick List Item,Serial No and Batch,Αύξων αριθμός παρτίδας και DocType: Warranty Claim,From Company,Από την εταιρεία DocType: GSTR 3B Report,January,Ιανουάριος apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Άθροισμα Δεκάδες Κριτήρια αξιολόγησης πρέπει να είναι {0}. @@ -5017,7 +5083,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Δεν βρέθηκε {0} για τις συναλλαγές μεταξύ εταιρειών. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,Νοικιασμένο αυτοκίνητο apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Σχετικά με την εταιρεία σας apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Πίστωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού @@ -5050,11 +5115,13 @@ apps/erpnext/erpnext/config/accounting.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 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,Ν apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Παραμένων DocType: Appraisal,Appraisal,Εκτίμηση DocType: Loan,Loan Account,Λογαριασμός δανείου apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Ισχύει από και ισχύει για τα πεδία είναι υποχρεωτικά για το σωρευτικό +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Για το στοιχείο {0} στη σειρά {1}, ο αριθμός των σειριακών αριθμών δεν ταιριάζει με την παραληφθείσα ποσότητα" DocType: Purchase Invoice,GST Details,Λεπτομέρειες GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Αυτό βασίζεται σε συναλλαγές έναντι αυτού του ιατρού. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Email αποσταλεί στον προμηθευτή {0} @@ -5118,6 +5185,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Το μεικτό βάρος της συσκευασίας. Συνήθως καθαρό βάρος + βάρος υλικού συσκευασίας. (Για εκτύπωση) DocType: Assessment Plan,Program,Πρόγραμμα DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Οι χρήστες με αυτό το ρόλο μπορούν να καθορίζουν δεσμευμένους λογαριασμούς και τη δημιουργία / τροποποίηση των λογιστικών εγγραφών δεσμευμένων λογαριασμών +DocType: Plaid Settings,Plaid Environment,Κλίμα Περιβάλλον ,Project Billing Summary,Περίληψη χρεώσεων έργου DocType: Vital Signs,Cuts,Κόβει DocType: Serial No,Is Cancelled,Είναι ακυρωμένο @@ -5179,7 +5247,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Σημείωση : το σύστημα δεν θα ελέγχει για υπέρβαση ορίων παράδοσης και κράτησης για το είδος {0} καθώς η ποσότητα ή το ποσό είναι 0 DocType: Issue,Opening Date,Ημερομηνία έναρξης apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Παρακαλώ αποθηκεύστε πρώτα τον ασθενή -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Κάντε νέα επαφή apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Η φοίτηση έχει επισημανθεί με επιτυχία. DocType: Program Enrollment,Public Transport,Δημόσια συγκοινωνία DocType: Sales Invoice,GST Vehicle Type,Τύπος οχήματος GST @@ -5205,6 +5272,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Λογαρ DocType: POS Profile,Write Off Account,Διαγραφή λογαριασμού DocType: Patient Appointment,Get prescribed procedures,Λάβετε συνταγμένες διαδικασίες DocType: Sales Invoice,Redemption Account,Λογαριασμός Εξαγοράς +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Πρώτα προσθέστε στοιχεία στον πίνακα "Τοποθεσίες αντικειμένων" DocType: Pricing Rule,Discount Amount,Ποσό έκπτωσης DocType: Pricing Rule,Period Settings,Ρυθμίσεις περιόδου DocType: Purchase Invoice,Return Against Purchase Invoice,Επιστροφή Ενάντια Αγορά Τιμολόγιο @@ -5237,7 +5305,6 @@ DocType: Assessment Plan,Assessment Plan,σχέδιο αξιολόγησης DocType: Travel Request,Fully Sponsored,Πλήρης χορηγία apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Αντίστροφη εγγραφή ημερολογίου apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Δημιουργία κάρτας εργασίας -DocType: Shift Type,Consequence after,Συνέπεια μετά DocType: Quality Procedure Process,Process Description,Περιγραφή διαδικασίας apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Ο πελάτης {0} δημιουργείται. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Προς το παρων δεν υπάρχει διαθέσιμο απόθεμα σε καμία αποθήκη @@ -5272,6 +5339,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Ημερομηνία εκκα DocType: Delivery Settings,Dispatch Notification Template,Πρότυπο ειδοποίησης αποστολής apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Έκθεση αξιολόγησης apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Αποκτήστε υπάλληλους +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,Περιγραφή διεύθυνσης @@ -5365,7 +5433,6 @@ DocType: Stock Settings,Use Naming Series,Χρησιμοποιήστε τη σε apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Καμία ενέργεια apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Χρεώσεις τύπου αποτίμηση δεν μπορεί να χαρακτηρίζεται ως Inclusive DocType: POS Profile,Update Stock,Ενημέρωση αποθέματος -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Διαφορετικές Μ.Μ.για τα είδη θα οδηγήσουν σε λανθασμένη τιμή ( σύνολο ) καθαρού βάρους. Βεβαιωθείτε ότι το καθαρό βάρος κάθε είδοςυ είναι στην ίδια Μ.Μ. DocType: Certification Application,Payment Details,Οι λεπτομέρειες πληρωμής apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Τιμή Λ.Υ. @@ -5400,7 +5467,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Αυτός είναι ένας κύριος πωλητής και δεν μπορεί να επεξεργαστεί. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Αν επιλεγεί, η τιμή που καθορίζεται ή υπολογίζεται σε αυτό το στοιχείο δεν θα συμβάλλει στα κέρδη ή στις κρατήσεις. Ωστόσο, η αξία του μπορεί να αναφέρεται από άλλα στοιχεία που μπορούν να προστεθούν ή να αφαιρεθούν." -DocType: Asset Settings,Number of Days in Fiscal Year,Αριθμός ημερών κατά το οικονομικό έτος ,Stock Ledger,Καθολικό αποθέματος DocType: Company,Exchange Gain / Loss Account,Ανταλλαγή Κέρδος / Λογαριασμός Αποτελεσμάτων DocType: Amazon MWS Settings,MWS Credentials,Πιστοποιητικά MWS @@ -5435,6 +5501,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Στήλη σε τραπεζικό αρχείο apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Αφήστε την εφαρμογή {0} να υπάρχει ήδη εναντίον του μαθητή {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Ρυθμιζόμενη για ενημέρωση της τελευταίας τιμής σε όλους τους λογαριασμούς. Μπορεί να χρειαστούν μερικά λεπτά. +DocType: Pick List,Get Item Locations,Λάβετε θέσεις τοποθεσίας apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Όνομα του νέου λογαριασμού. Σημείωση: Παρακαλώ μην δημιουργείτε λογαριασμούς για τους πελάτες και προμηθευτές DocType: POS Profile,Display Items In Stock,Εμφάνιση στοιχείων σε απόθεμα apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Προκαθορισμένα πρότυπα διεύθυνσης ανά χώρα @@ -5458,6 +5525,7 @@ DocType: Crop,Materials Required,Απαιτούμενα υλικά apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Δεν μαθητές Βρέθηκαν DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Μηνιαία εξαίρεση HRA DocType: Clinical Procedure,Medical Department,Ιατρικό Τμήμα +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Συνολικές πρώτες εξόδους DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Κριτήρια βαθμολόγησης προμηθευτή Scorecard apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Τιμολόγιο Ημερομηνία Δημοσίευσης apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Πουλώ @@ -5469,11 +5537,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Διαγράψτε τον υπάλληλο {0} \ για να ακυρώσετε αυτό το έγγραφο" DocType: Program Enrollment,School House,Σχολείο DocType: Serial No,Out of AMC,Εκτός Ε.Σ.Υ. DocType: Opportunity,Opportunity Amount,Ποσό ευκαιρίας +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Το προφίλ σου apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Αριθμός Αποσβέσεις κράτηση δεν μπορεί να είναι μεγαλύτερη από Συνολικός αριθμός Αποσβέσεις DocType: Purchase Order,Order Confirmation Date,Ημερομηνία επιβεβαίωσης παραγγελίας DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5567,7 +5634,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Υπάρχουν ανακολουθίες μεταξύ του ποσοστού, του αριθμού των μετοχών και του ποσού που υπολογίζεται" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Δεν είστε παρόντες όλες τις ημέρες μεταξύ των ημερών αιτήματος αντισταθμιστικής άδειας apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Παρακαλώ πληκτρολογήστε ξανά το όνομα της εταιρείας για να επιβεβαιώσετε -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Συνολικού ανεξόφλητου υπολοίπου DocType: Journal Entry,Printing Settings,Ρυθμίσεις εκτύπωσης DocType: Payment Order,Payment Order Type,Τύπος παραγγελίας πληρωμής DocType: Employee Advance,Advance Account,Προκαθορισμένος λογαριασμός @@ -5656,7 +5722,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Όνομα έτους apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Υπάρχουν περισσότερες ημέρες αργιών από ότι εργάσιμες ημέρες αυτό το μήνα. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Τα ακόλουθα στοιχεία {0} δεν σημειώνονται ως {1} στοιχείο. Μπορείτε να τα ενεργοποιήσετε ως στοιχείο {1} από τον κύριο τίτλο του στοιχείου -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Αναφ DocType: Production Plan Item,Product Bundle Item,Προϊόν Bundle Προϊόν DocType: Sales Partner,Sales Partner Name,Όνομα συνεργάτη πωλήσεων apps/erpnext/erpnext/hooks.py,Request for Quotations,Αίτηση για προσφορά @@ -5665,19 +5730,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,Κανονικά στοιχεία δοκιμής DocType: QuickBooks Migrator,Company Settings,Ρυθμίσεις εταιρείας DocType: Additional Salary,Overwrite Salary Structure Amount,Αντικαταστήστε το ποσό της δομής μισθοδοσίας -apps/erpnext/erpnext/config/hr.py,Leaves,Φύλλα +DocType: Leave Ledger Entry,Leaves,Φύλλα DocType: Student Language,Student Language,φοιτητής Γλώσσα DocType: Cash Flow Mapping,Is Working Capital,Είναι κεφάλαιο κίνησης apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Υποβολή Απόδειξης apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Παραγγελία / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Καταγράψτε τα ζιζάνια των ασθενών DocType: Fee Schedule,Institution,Ίδρυμα -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: Asset,Partially Depreciated,μερικώς αποσβένονται DocType: Issue,Opening Time,Ώρα ανοίγματος apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Τα πεδία από και έως ημερομηνία είναι απαραίτητα apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Κινητές αξίες & χρηματιστήρια εμπορευμάτων -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Περίληψη κλήσεων από {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Αναζήτηση εγγράφων apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Προεπιλεγμένη μονάδα μέτρησης για την παραλλαγή '{0}' πρέπει να είναι ίδιο με το πρότυπο '{1}' DocType: Shipping Rule,Calculate Based On,Υπολογισμός με βάση: @@ -5723,6 +5786,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Μέγιστη επιτρεπτή τιμή DocType: Journal Entry Account,Employee Advance,Προώθηση εργαζομένων DocType: Payroll Entry,Payroll Frequency,Μισθοδοσία Συχνότητα +DocType: Plaid Settings,Plaid Client ID,Plaid ID πελάτη DocType: Lab Test Template,Sensitivity,Ευαισθησία DocType: Plaid Settings,Plaid Settings,Επιλεγμένες ρυθμίσεις apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Ο συγχρονισμός απενεργοποιήθηκε προσωρινά επειδή έχουν ξεπεραστεί οι μέγιστες επαναλήψεις @@ -5740,6 +5804,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Παρακαλώ επιλέξτε Ημερομηνία Δημοσίευσης πρώτη apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Ημερομηνία ανοίγματος πρέπει να είναι πριν από την Ημερομηνία Κλεισίματος DocType: Travel Itinerary,Flight,Πτήση +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Πίσω στο σπίτι DocType: Leave Control Panel,Carry Forward,Μεταφορά προς τα εμπρός apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Ένα κέντρο κόστους με υπάρχουσες συναλλαγές δεν μπορεί να μετατραπεί σε καθολικό DocType: Budget,Applicable on booking actual expenses,Ισχύει για την κράτηση πραγματικών εξόδων @@ -5795,6 +5860,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Δημιουργί apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Δεν επιτρέπεται να εγκρίνει φύλλα στο Block Ημερομηνίες apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Αίτημα για {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Όλα αυτά τα είδη έχουν ήδη τιμολογηθεί +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Δεν βρέθηκαν τιμολόγια για το {0} {1} που πληρούν τα κριτήρια για τα φίλτρα που έχετε ορίσει. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Ορίστε νέα ημερομηνία κυκλοφορίας DocType: Company,Monthly Sales Target,Μηνιαίο Στόχο Πωλήσεων apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Δεν βρέθηκαν εκκρεμή τιμολόγια @@ -5841,6 +5907,7 @@ DocType: Water Analysis,Type of Sample,Τύπος δείγματος DocType: Batch,Source Document Name,Όνομα εγγράφου προέλευσης DocType: Production Plan,Get Raw Materials For Production,Πάρτε πρώτες ύλες για παραγωγή DocType: Job Opening,Job Title,Τίτλος εργασίας +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Μελλοντική Πληρωμή Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} υποδεικνύει ότι η {1} δεν θα παράσχει μια προσφορά, αλλά όλα τα στοιχεία έχουν αναφερθεί \. Ενημέρωση κατάστασης ""Αίτηση για προσφορά""." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Τα μέγιστα δείγματα - {0} έχουν ήδη διατηρηθεί για το Παρτίδα {1} και το στοιχείο {2} στην Παρτίδα {3}. @@ -5851,12 +5918,10 @@ 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: Company,Product Code,Κωδικός προϊόντος DocType: Quality Review Table,Objective,Σκοπός DocType: Supplier Scorecard,Per Month,Κάθε μήνα DocType: Education Settings,Make Academic Term Mandatory,Κάντε τον υποχρεωτικό ακαδημαϊκό όρο -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Ποσότητα Παρασκευή πρέπει να είναι μεγαλύτερη από 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Υπολογισμός χρονοδιαγράμματος απόσβεσης με βάση το φορολογικό έτος +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Ποσότητα Παρασκευή πρέπει να είναι μεγαλύτερη από 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Επισκεφθείτε την έκθεση για την έκτακτη συντήρηση. DocType: Stock Entry,Update Rate and Availability,Ενημέρωση τιμή και τη διαθεσιμότητα 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 μονάδες." @@ -5867,7 +5932,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Η ημερομηνία κυκλοφορίας πρέπει να είναι στο μέλλον DocType: BOM,Website Description,Περιγραφή δικτυακού τόπου apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Καθαρή Μεταβολή Ιδίων Κεφαλαίων -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Παρακαλείστε να ακυρώσετε την αγορά Τιμολόγιο {0} πρώτο apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Δεν επιτρέπεται. Απενεργοποιήστε τον τύπο μονάδας υπηρεσίας apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Διεύθυνση e-mail πρέπει να είναι μοναδική, υπάρχει ήδη για {0}" DocType: Serial No,AMC Expiry Date,Ε.Σ.Υ. Ημερομηνία λήξης @@ -5911,6 +5975,7 @@ DocType: Pricing Rule,Price Discount Scheme,Σχέδιο έκπτωσης τιμ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Η κατάσταση συντήρησης πρέπει να ακυρωθεί ή να ολοκληρωθεί για υποβολή DocType: Amazon MWS Settings,US,ΜΑΣ DocType: Holiday List,Add Weekly Holidays,Προσθέστε Εβδομαδιαίες Διακοπές +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Στοιχείο αναφοράς DocType: Staffing Plan Detail,Vacancies,Κενές θέσεις εργασίας DocType: Hotel Room,Hotel Room,Δωμάτιο ξενοδοχείου apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Ο Λογαριασμός {0} δεν ανήκει στην εταιρεία {1} @@ -5962,12 +6027,15 @@ DocType: Email Digest,Open Quotations,Ανοικτές προσφορές 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Διαγράψτε τον υπάλληλο {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,Βασικό Ποσό @@ -5981,6 +6049,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Κενός DocType: Patient,Alcohol Past Use,Χρήση αλκοόλ στο παρελθόν DocType: Fertilizer Content,Fertilizer Content,Περιεκτικότητα σε λιπάσματα +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Χωρίς περιγραφή apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Μέλος χρέωσης DocType: Quality Goal,Monitoring Frequency,Συχνότητα παρακολούθησης @@ -5998,6 +6067,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Η ημερομηνία λήξης δεν μπορεί να είναι πριν από την επόμενη ημερομηνία επικοινωνίας. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Παρτίδες παρτίδας DocType: Journal Entry,Pay To / Recd From,Πληρωτέο προς / λήψη από +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Κατάργηση δημοσίευσης στοιχείου DocType: Naming Series,Setup Series,Εγκατάσταση σειρών DocType: Payment Reconciliation,To Invoice Date,Για την ημερομηνία του τιμολογίου DocType: Bank Account,Contact HTML,Επαφή ΗΤΜΛ @@ -6019,6 +6089,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Λιανική πώλησ DocType: Student Attendance,Absent,Απών DocType: Staffing Plan,Staffing Plan Detail,Λεπτομέρειες σχεδίου προσωπικού DocType: Employee Promotion,Promotion Date,Ημερομηνία προώθησης +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Η άδεια παραχώρησης% s συνδέεται με την εφαρμογή άδειας% s 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} @@ -6053,9 +6124,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Το τιμολόγιο {0} δεν υπάρχει πλέον DocType: Guardian Interest,Guardian Interest,Guardian Ενδιαφέροντος DocType: Volunteer,Availability,Διαθεσιμότητα +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Αφήστε την εφαρμογή συνδέεται με την άδεια {0}. Αφήστε την εφαρμογή δεν μπορεί να οριστεί ως άδεια χωρίς αμοιβή apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Ρυθμίστε τις προεπιλεγμένες τιμές για τα τιμολόγια POS DocType: Employee Training,Training,Εκπαίδευση DocType: Project,Time to send,Ώρα για αποστολή +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Αυτή η σελίδα παρακολουθεί τα αντικείμενα στα οποία οι αγοραστές έχουν δείξει ενδιαφέρον. 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 @@ -6151,12 +6224,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Αξία ανοίγματος DocType: Salary Component,Formula,Τύπος apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Σειριακός αριθμός # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR 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/setup/doctype/company/company.py,Sales Account,Λογαριασμός πωλήσεων DocType: Purchase Invoice Item,Total Weight,Συνολικό βάρος +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}" @@ -6180,6 +6253,7 @@ DocType: Company,Default Employee Advance Account,Προκαθορισμένος apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Στοιχείο αναζήτησης (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να διαγραφεί +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Γιατί πιστεύω ότι αυτό το στοιχείο θα πρέπει να καταργηθεί; DocType: Vehicle,Last Carbon Check,Τελευταία Carbon Έλεγχος apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Νομικές δαπάνες apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Παρακαλούμε επιλέξτε ποσότητα σε σειρά @@ -6199,6 +6273,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Ανάλυση DocType: Travel Itinerary,Vegetarian,Χορτοφάγος DocType: Patient Encounter,Encounter Date,Ημερομηνία συνάντησης +DocType: Work Order,Update Consumed Material Cost In Project,Ενημέρωση κόστους κατανάλωσης υλικού στο έργο apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Ο λογαριασμός: {0} με το νόμισμα: {1} δεν μπορεί να επιλεγεί DocType: Bank Statement Transaction Settings Item,Bank Data,Στοιχεία τράπεζας DocType: Purchase Receipt Item,Sample Quantity,Ποσότητα δείγματος @@ -6253,7 +6328,7 @@ DocType: GSTR 3B Report,April,Απρίλιος DocType: Plant Analysis,Collection Datetime,Ώρα συλλογής DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Συνολικό κόστος λειτουργίας -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Σημείωση : το σημείο {0} εισήχθηκε πολλαπλές φορές +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Σημείωση : το σημείο {0} εισήχθηκε πολλαπλές φορές apps/erpnext/erpnext/config/buying.py,All Contacts.,Όλες οι επαφές. DocType: Accounting Period,Closed Documents,Κλειστά έγγραφα DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Διαχειριστείτε την υποβολή και την αυτόματη ακύρωση του τιμολογίου για την συνάντηση ασθενών @@ -6335,9 +6410,7 @@ DocType: Member,Membership Type,Τύπος μέλους ,Reqd By Date,Reqd Με ημερομηνία apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Πιστωτές DocType: Assessment Plan,Assessment Name,Όνομα αξιολόγηση -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Εμφάνιση του PDC στην εκτύπωση apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Σειρά # {0}: Αύξων αριθμός είναι υποχρεωτική -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Δεν βρέθηκαν εκκρεμή τιμολόγια για το {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Φορολογικές λεπτομέρειες για είδη DocType: Employee Onboarding,Job Offer,Προσφορά εργασίας apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Ινστιτούτο Σύντμηση @@ -6396,6 +6469,7 @@ DocType: Serial No,Out of Warranty,Εκτός εγγύησης DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Χαρτογραφημένο τύπος δεδομένων DocType: BOM Update Tool,Replace,Αντικατάσταση apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Δεν βρέθηκαν προϊόντα. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Δημοσιεύστε περισσότερα στοιχεία apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Αυτή η συμφωνία επιπέδου υπηρεσιών είναι συγκεκριμένη για τον πελάτη {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} κατά το τιμολόγιο πώλησης {1} DocType: Antibiotic,Laboratory User,Εργαστηριακός χρήστης @@ -6418,7 +6492,6 @@ DocType: Payment Order Reference,Bank Account Details,Λεπτομέρειες DocType: Purchase Order Item,Blanket Order,Παραγγελία κουβέρτας 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,Φορολογικές απαιτήσεις -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Η Παραγγελία Παραγωγής ήταν {0} DocType: BOM Item,BOM No,Αρ. Λ.Υ. 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,Κινητός μέσος @@ -6491,6 +6564,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Φορολογητέες προμήθειες (μηδενικού συντελεστή) DocType: BOM,Materials Required (Exploded),Υλικά που απαιτούνται (αναλυτικά) 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/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,Απόσπαση ημερομηνία αυτή δεν μπορεί να είναι μελλοντική ημερομηνία @@ -6548,7 +6622,6 @@ DocType: Pricing Rule,Same Item,Ίδιο στοιχείο DocType: Stock Ledger Entry,Stock Ledger Entry,Καθολική καταχώρηση αποθέματος DocType: Quality Action Resolution,Quality Action Resolution,Ποιότητα Ψήφισμα Δράσης apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} σε Ημιδιατροφή για {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Το ίδιο στοιχείο έχει εισαχθεί πολλές φορές DocType: Department,Leave Block List,Λίστα ημερών Άδειας DocType: Purchase Invoice,Tax ID,Τον αριθμό φορολογικού μητρώου apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Το είδος {0} δεν είναι στημένο για σειριακούς αριθμούς. Η στήλη πρέπει να είναι κενή @@ -6586,7 +6659,7 @@ 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} είναι απενεργοποιημένη ή δεν υπάρχει DocType: Purchase Invoice,Return,Απόδοση -DocType: Accounting Dimension,Disable,Απενεργοποίηση +DocType: Account,Disable,Απενεργοποίηση apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Τρόπος πληρωμής υποχρεούται να προβεί σε πληρωμή DocType: Task,Pending Review,Εκκρεμής αναθεώρηση apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Επεξεργαστείτε ολόκληρη τη σελίδα για περισσότερες επιλογές, όπως στοιχεία ενεργητικού, σειριακά νούμερα, παρτίδες κ.λπ." @@ -6699,7 +6772,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Το τμήμα του συνδυασμένου τιμολογίου πρέπει να ισούται με το 100% DocType: Item Default,Default Expense Account,Προεπιλεγμένος λογαριασμός δαπανών DocType: GST Account,CGST Account,Λογαριασμός CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Φοιτητής Email ID DocType: Employee,Notice (days),Ειδοποίηση (ημέρες) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Τα τιμολόγια των δελτίων κλεισίματος POS @@ -6710,6 +6782,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Επιλέξτε αντικείμενα για να σώσει το τιμολόγιο DocType: Employee,Encashment Date,Ημερομηνία εξαργύρωσης DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Πληροφορίες πωλητή DocType: Special Test Template,Special Test Template,Ειδικό πρότυπο δοκιμής DocType: Account,Stock Adjustment,Διευθέτηση αποθέματος apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Υπάρχει Προεπιλογή Δραστηριότητα κόστος για Τύπος Δραστηριότητα - {0} @@ -6721,7 +6794,6 @@ 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,Πρέπει να οριστεί τόσο η ημερομηνία έναρξης της δοκιμαστικής περιόδου όσο και η ημερομηνία λήξης της δοκιμαστικής περιόδου -DocType: Company,Bank Remittance Settings,Ρυθμίσεις αποστολής τραπεζών apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Μέσος όρος 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","Το ""Στοιχείο που παρέχεται από πελάτη"" δεν μπορεί να έχει Τιμή εκτίμησης" @@ -6749,6 +6821,7 @@ DocType: Grading Scale Interval,Threshold,Κατώφλι apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Φιλτράρετε υπαλλήλους από (προαιρετικά) DocType: BOM Update Tool,Current BOM,Τρέχουσα Λ.Υ. apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Ισορροπία (Dr-Cr) +DocType: Pick List,Qty of Finished Goods Item,Ποσότητα τεμαχίου τελικών προϊόντων apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Προσθήκη σειριακού αριθμού DocType: Work Order Item,Available Qty at Source Warehouse,Διαθέσιμος όγκος στην αποθήκη προέλευσης apps/erpnext/erpnext/config/support.py,Warranty,Εγγύηση @@ -6827,7 +6900,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Εδώ μπορείτε να διατηρήσετε το ύψος, το βάρος, τις αλλεργίες, ιατροφαρμακευτική περίθαλψη, κλπ. Ανησυχίες" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Δημιουργία λογαριασμών ... DocType: Leave Block List,Applies to Company,Ισχύει για την εταιρεία -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Δεν μπορεί να γίνει ακύρωση, διότι υπάρχει καταχώρηση αποθέματος {0}" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Δεν μπορεί να γίνει ακύρωση, διότι υπάρχει καταχώρηση αποθέματος {0}" DocType: Loan,Disbursement Date,Ημερομηνία εκταμίευσης DocType: Service Level Agreement,Agreement Details,Λεπτομέρειες συμφωνίας apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Η ημερομηνία έναρξης της συμφωνίας δεν μπορεί να είναι μεγαλύτερη ή ίση με την ημερομηνία λήξης. @@ -6836,6 +6909,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Ιατρικό αρχείο DocType: Vehicle,Vehicle,Όχημα DocType: Purchase Invoice,In Words,Με λόγια +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Μέχρι σήμερα πρέπει να είναι πριν από την ημερομηνία apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Καταχωρίστε το όνομα της τράπεζας ή του ιδρύματος δανεισμού πριν από την υποβολή. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} πρέπει να υποβληθεί DocType: POS Profile,Item Groups,Ομάδες στοιχείο @@ -6907,7 +6981,6 @@ DocType: Customer,Sales Team Details,Λεπτομέρειες ομάδας πω apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Διαγραφή μόνιμα; DocType: Expense Claim,Total Claimed Amount,Συνολικό αιτούμενο ποσό αποζημίωσης apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Πιθανές ευκαιρίες για πώληση. -DocType: Plaid Settings,Link a new bank account,Συνδέστε έναν νέο τραπεζικό λογαριασμό apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} είναι άκυρη Κατάσταση Συμμετοχής. DocType: Shareholder,Folio no.,Αριθμός φακέλου. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Άκυρη {0} @@ -6923,7 +6996,6 @@ DocType: Production Plan,Material Requested,Υλικό που ζητήθηκε DocType: Warehouse,PIN,ΚΑΡΦΊΤΣΑ DocType: Bin,Reserved Qty for sub contract,Δεσμευμένη ποσότητα για υποσύνολο DocType: Patient Service Unit,Patinet Service Unit,Μονάδα εξυπηρέτησης Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Δημιουργία αρχείου κειμένου DocType: Sales Invoice,Base Change Amount (Company Currency),Βάση Αλλαγή Ποσό (Εταιρεία νομίσματος) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Δεν βρέθηκαν λογιστικές καταχωρήσεις για τις ακόλουθες αποθήκες apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Μόνο {0} στο απόθεμα για το στοιχείο {1} @@ -6937,6 +7009,7 @@ DocType: Item,No of Months,Αριθμός μηνών DocType: Item,Max Discount (%),Μέγιστη έκπτωση (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Οι Ημέρες Credit δεν μπορούν να είναι αρνητικοί apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Μεταφορτώστε μια δήλωση +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Αναφέρετε αυτό το στοιχείο DocType: Purchase Invoice Item,Service Stop Date,Ημερομηνία λήξης υπηρεσίας apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Ποσό τελευταίας παραγγελίας DocType: Cash Flow Mapper,e.g Adjustments for:,π.χ. Προσαρμογές για: @@ -7030,16 +7103,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Κατηγορία απαλλαγής από φόρους εργαζομένων apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Το ποσό δεν πρέπει να είναι μικρότερο από το μηδέν. DocType: Sales Invoice,C-Form Applicable,Εφαρμόσιμο σε C-Form -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Χρόνος λειτουργίας πρέπει να είναι μεγαλύτερη από 0 για τη λειτουργία {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Χρόνος λειτουργίας πρέπει να είναι μεγαλύτερη από 0 για τη λειτουργία {0} DocType: Support Search Source,Post Route String,Αναρτήστε τη συμβολοσειρά διαδρομής apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Αποθήκη είναι υποχρεωτική apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Αποτυχία δημιουργίας ιστότοπου DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Λεπτομέρειες μετατροπής Μ.Μ. apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Εισαγωγή και εγγραφή -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Έχει ήδη δημιουργηθεί η καταχώριση αποθέματος αποθήκευσης ή δεν έχει παρασχεθεί ποσότητα δείγματος +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Έχει ήδη δημιουργηθεί η καταχώριση αποθέματος αποθήκευσης ή δεν έχει παρασχεθεί ποσότητα δείγματος DocType: Program,Program Abbreviation,Σύντμηση πρόγραμμα -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Παραγγελία παραγωγής δεν μπορούν να προβληθούν κατά προτύπου στοιχείου apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Ομάδα με κουπόνι (Ενοποιημένο) DocType: HR Settings,Encrypt Salary Slips in Emails,Κρυπτογράφηση των μισθών πληρωμών στα μηνύματα ηλεκτρονικού ταχυδρομείου DocType: Question,Multiple Correct Answer,Πολλαπλή σωστή απάντηση @@ -7086,7 +7158,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Δεν έχει βαθμ DocType: Employee,Educational Qualification,Εκπαιδευτικά προσόντα DocType: Workstation,Operating Costs,Λειτουργικά έξοδα apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Νόμισμα για {0} πρέπει να είναι {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Εισαγωγή περίοδος χάριτος συνέπεια DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Σημειώστε συμμετοχή με βάση το 'Έλεγχος προσωπικού' για τους υπαλλήλους που έχουν ανατεθεί σε αυτή τη βάρδια. DocType: Asset,Disposal Date,Ημερομηνία διάθεσης DocType: Service Level,Response and Resoution Time,Χρόνος απόκρισης και επαναφοράς @@ -7134,6 +7205,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Ημερομηνία ολοκλήρωσης DocType: Purchase Invoice Item,Amount (Company Currency),Ποσό (νόμισμα της εταιρείας) DocType: Program,Is Featured,Είναι Προτεινόμενο +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Γοητευτικός... DocType: Agriculture Analysis Criteria,Agriculture User,Χρήστης γεωργίας apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Ισχύει μέχρι την ημερομηνία δεν μπορεί να είναι πριν από την ημερομηνία συναλλαγής 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} για να ολοκληρώσετε τη συναλλαγή . @@ -7166,7 +7238,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Συνολικό καταβεβλημένο ποσό 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 Αναλυτικό Μητρώο Πωλήσεων @@ -7190,6 +7261,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Ανώνυμ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Ελήφθη Από DocType: Lead,Converted,Έχει μετατραπεί DocType: Item,Has Serial No,Έχει σειριακό αριθμό +DocType: Stock Entry Detail,PO Supplied Item,Παροχές PO 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} @@ -7304,7 +7376,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Συγχρονισμός φ 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Προεπιλογή BOM για {0} δεν βρέθηκε +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}: Παρακαλούμε ρυθμίστε την ποσότητα αναπαραγγελίας apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Πατήστε στοιχεία για να τα προσθέσετε εδώ @@ -7338,7 +7410,6 @@ DocType: Purchase Invoice,Y,Υ DocType: Maintenance Visit,Maintenance Date,Ημερομηνία συντήρησης DocType: Purchase Invoice Item,Rejected Serial No,Σειριακός αριθμός που απορρίφθηκε apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Έτος ημερομηνία έναρξης ή την ημερομηνία λήξης είναι η επικάλυψη με {0}. Για την αποφυγή ορίστε εταιρείας -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Αναφέρετε το Επικεφαλής Ονόματος στον Επικεφαλής {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Η ημερομηνία έναρξης θα πρέπει να είναι προγενέστερη της ημερομηνίας λήξης για το είδος {0} DocType: Shift Type,Auto Attendance Settings,Ρυθμίσεις αυτόματης παρακολούθησης @@ -7348,9 +7419,11 @@ DocType: Upload Attendance,Upload Attendance,Ανεβάστε παρουσίες apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM και Βιομηχανία Ποσότητα απαιτούνται apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Eύρος γήρανσης 2 DocType: SG Creation Tool Course,Max Strength,Μέγιστη Αντοχή +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Ο λογαριασμός {0} υπάρχει ήδη σε παιδική εταιρεία {1}. Τα παρακάτω πεδία έχουν διαφορετικές τιμές, θα πρέπει να είναι ίδια:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Εγκατάσταση προρυθμίσεων DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Δεν έχει επιλεγεί καμία παραλαβή για τον πελάτη {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Γραμμές που προστέθηκαν στο {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Ο υπάλληλος {0} δεν έχει μέγιστο όφελος apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Επιλέξτε στοιχεία βάσει της ημερομηνίας παράδοσης DocType: Grant Application,Has any past Grant Record,Έχει κάποιο παρελθόν Grant Record @@ -7394,6 +7467,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Στοιχεία σπουδαστών DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Αυτή είναι η προεπιλεγμένη τιμή UOM που χρησιμοποιείται για τα στοιχεία και τις παραγγελίες πωλήσεων. Το fallback UOM είναι "Nos". DocType: Purchase Invoice Item,Stock Qty,Ποσότητα αποθέματος +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,Προκαθορισμένος λογαριασμός αποστολής DocType: Loan,Repayment Period in Months,Αποπληρωμή Περίοδος σε μήνες @@ -7422,6 +7496,7 @@ DocType: Authorization Rule,Customerwise Discount,Έκπτωση με βάση apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Φύλλο κατανομής χρόνου για εργασίες. DocType: Purchase Invoice,Against Expense Account,Κατά τον λογαριασμό δαπανών apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Η σημείωση εγκατάστασης {0} έχει ήδη υποβληθεί +DocType: BOM,Raw Material Cost (Company Currency),Κόστος Πρώτων Υλών (Νόμισμα Εταιρείας) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Πληρωμή ημερών πληρωμής ενοικίου για το σπίτι με {0} DocType: GSTR 3B Report,October,Οκτώβριος DocType: Bank Reconciliation,Get Payment Entries,Πάρτε Καταχωρήσεις Πληρωμής @@ -7468,15 +7543,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Απαιτείται ημερομηνία διαθέσιμη για χρήση DocType: Request for Quotation,Supplier Detail,Προμηθευτής Λεπτομέρειες apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Σφάλμα στον τύπο ή την κατάσταση: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Ποσό τιμολόγησης +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Ποσό τιμολόγησης apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Τα βάρη των κριτηρίων πρέπει να ανέλθουν στο 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Συμμετοχή apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Είδη στο Αποθεματικό DocType: Sales Invoice,Update Billed Amount in Sales Order,Ενημέρωση τιμολογίου χρέωσης στην εντολή πώλησης +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Επικοινωνία με τον πωλητή 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Συνδεθείτε ως χρήστης του Marketplace για να αναφέρετε αυτό το στοιχείο. ,Sales Partner Commission Summary,Περίληψη της Επιτροπής συνεργατών πωλήσεων ,Item Prices,Τιμές είδους DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε την παραγγελία αγοράς. @@ -7490,6 +7567,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Κύρια εγγραφή τιμοκαταλόγου. DocType: Task,Review Date,Ημερομηνία αξιολόγησης DocType: BOM,Allow Alternative Item,Επιτρέψτε το εναλλακτικό στοιχείο +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Η παραλαβή αγοράς δεν διαθέτει στοιχείο για το οποίο είναι ενεργοποιημένο το δείγμα διατήρησης δείγματος. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Συνολικό τιμολόγιο DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Σειρά καταχώρησης αποσβέσεων περιουσιακών στοιχείων (εγγραφή στο ημερολόγιο) DocType: Membership,Member Since,Μέλος από @@ -7499,6 +7577,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Στο καθαρό σύνολο 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: Pricing Rule,Product Discount Scheme,Σχέδιο έκπτωσης προϊόντων +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Δεν έχει προκύψει κανένα θέμα από τον καλούντα. DocType: Restaurant Reservation,Waitlisted,Περίεργο DocType: Employee Tax Exemption Declaration Category,Exemption Category,Κατηγορία απαλλαγής apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Νόμισμα δεν μπορεί να αλλάξει μετά την πραγματοποίηση εγγραφών χρησιμοποιώντας κάποιο άλλο νόμισμα @@ -7512,7 +7591,6 @@ DocType: Customer Group,Parent Customer Group,Γονική ομάδα πελατ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Το e-Way Bill JSON μπορεί να δημιουργηθεί μόνο από το Τιμολόγιο Πωλήσεων apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Οι μέγιστες προσπάθειες για αυτό το κουίζ έφτασαν! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Συνδρομή -DocType: Purchase Invoice,Contact Email,Email επαφής apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Δημιουργία τελών σε εκκρεμότητα DocType: Project Template Task,Duration (Days),Διάρκεια (Ημέρες) DocType: Appraisal Goal,Score Earned,Αποτέλεσμα @@ -7537,7 +7615,6 @@ DocType: Landed Cost Item,Landed Cost Item,Είδος κόστους αποστ 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Το ποσό για μια ενιαία συναλλαγή υπερβαίνει το μέγιστο επιτρεπόμενο ποσό, δημιουργώντας ξεχωριστή εντολή πληρωμής διαιρώντας τις συναλλαγές" DocType: Service Level Agreement,Entity,Οντότητα DocType: Payment Reconciliation,Receivable / Payable Account,Εισπρακτέοι / πληρωτέοι λογαριασμού DocType: Delivery Note Item,Against Sales Order Item,Κατά το είδος στην παραγγελία πώλησης @@ -7705,6 +7782,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Δι DocType: Quality Inspection Reading,Reading 3,Μέτρηση 3 DocType: Stock Entry,Source Warehouse Address,Διεύθυνση αποθήκης προέλευσης DocType: GL Entry,Voucher Type,Τύπος αποδεικτικού +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Μελλοντικές πληρωμές 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 ,Τελευταία δραστηριότητα @@ -7731,6 +7809,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Κατάλογος ασθενειών που εντοπίζονται στο πεδίο. Όταν επιλεγεί, θα προστεθεί αυτόματα μια λίστα εργασιών για την αντιμετώπιση της νόσου" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Αυτή είναι μια μονάδα υπηρεσίας υγειονομικής περίθαλψης και δεν μπορεί να επεξεργαστεί. DocType: Asset Repair,Repair Status,Κατάσταση επισκευής apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Ζητούμενη ποσότητα: ποσότητα που ζητήθηκε για αγορά, αλλά δεν έχει παραγγελθεί." @@ -7745,6 +7824,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Ο λογαριασμός για την Αλλαγή Ποσό DocType: QuickBooks Migrator,Connecting to QuickBooks,Σύνδεση με το QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Συνολικό κέρδος / ζημιά +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Δημιουργία λίστας επιλογής apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Σειρά {0}: Πάρτι / λογαριασμός δεν ταιριάζει με {1} / {2} στο {3} {4} DocType: Employee Promotion,Employee Promotion,Προώθηση εργαζομένων DocType: Maintenance Team Member,Maintenance Team Member,Μέλος της ομάδας συντήρησης @@ -7827,6 +7907,7 @@ 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,Κατηγορία Παγίου apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Η καθαρή αμοιβή δεν μπορεί να είναι αρνητική @@ -7858,7 +7939,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Στόχος ποιότητας DocType: BOM,Item to be manufactured or repacked,Είδος που θα κατασκευαστεί ή θα ανασυσκευαστεί apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Σφάλμα σύνταξης στην κατάσταση: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Δεν τίθεται ζήτημα από τον πελάτη. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Σημαντικές / προαιρετικά θέματα apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Ορίστε την ομάδα προμηθευτών στις ρυθμίσεις αγοράς. @@ -7951,8 +8031,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Ημέρες πίστωσης apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Επιλέξτε Ασθενή για να πάρετε Εργαστηριακές εξετάσεις DocType: Exotel Settings,Exotel Settings,Ρυθμίσεις Exotel -DocType: Leave Type,Is Carry Forward,Είναι μεταφορά σε άλλη χρήση +DocType: Leave Ledger Entry,Is Carry Forward,Είναι μεταφορά σε άλλη χρήση DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Ώρες εργασίας κάτω από τις οποίες σημειώνεται η απουσία. (Μηδέν για απενεργοποίηση) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Στέλνω ένα μήνυμα apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Λήψη ειδών από Λ.Υ. 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,Είναι η δαπάνη φόρου εισοδήματος diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index ee087ea1ad..8ca83e5c41 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Notificar al Proveedor apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,"Por favor, seleccione primero el tipo de entidad" DocType: Item,Customer Items,Partidas de deudores +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Pasivo DocType: Project,Costing and Billing,Cálculo de Costos y Facturación apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},La moneda de la cuenta adelantada debe ser la misma que la moneda de la empresa {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Unidad de Medida (UdM) predeterminada DocType: SMS Center,All Sales Partner Contact,Listado de todos los socios de ventas DocType: Department,Leave Approvers,Supervisores de ausencias DocType: Employee,Bio / Cover Letter,Bio / Carta de Presentación +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Buscar artículos ... DocType: Patient Encounter,Investigations,Investigaciones DocType: Restaurant Order Entry,Click Enter To Add,Haga clic en Entrar para Agregar apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Falta valor para la contraseña, la clave API o la URL de Shopify" DocType: Employee,Rented,Arrendado apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Todas las Cuentas apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,No se puede transferir Empleado con estado dejado -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","La orden de producción detenida no puede ser cancelada, inicie de nuevo para cancelarla" DocType: Vehicle Service,Mileage,Kilometraje apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,¿Realmente desea desechar este activo? DocType: Drug Prescription,Update Schedule,Actualizar Programa @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Cliente DocType: Purchase Receipt Item,Required By,Solicitado por DocType: Delivery Note,Return Against Delivery Note,Devolución contra nota de entrega DocType: Asset Category,Finance Book Detail,Detalle del Libro de Finanzas +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Todas las amortizaciones han sido registradas DocType: Purchase Order,% Billed,% Facturado apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Número de nómina apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),El tipo de cambio debe ser el mismo que {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Estado de Caducidad de Lote de Productos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Giro bancario DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Total de entradas tardías DocType: Mode of Payment Account,Mode of Payment Account,Modo de pago a cuenta apps/erpnext/erpnext/config/healthcare.py,Consultation,Consulta DocType: Accounts Settings,Show Payment Schedule in Print,Mostrar horario de pago en Imprimir @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,En apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Detalles de Contacto Principal apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Incidencias Abiertas DocType: Production Plan Item,Production Plan Item,Plan de producción de producto +DocType: Leave Ledger Entry,Leave Ledger Entry,Dejar entrada de libro mayor 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} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},El campo {0} está limitado al tamaño {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Mon DocType: Purchase Invoice Item,Item Weight Details,Detalles del Peso del Artículo DocType: Asset Maintenance Log,Periodicity,Periodo apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Año Fiscal {0} es necesario +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Beneficio neto (pérdidas DocType: Employee Group Table,ERPNext User ID,ERP ID de usuario siguiente DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Distancia mínima entre las filas de plantas para un crecimiento óptimo apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Seleccione Paciente para obtener el procedimiento prescrito. @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Lista de Precios de Venta DocType: Patient,Tobacco Current Use,Consumo Actual de Tabaco apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Tasa de Ventas -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Guarde su documento antes de agregar una nueva cuenta 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Fond DocType: Exchange Rate Revaluation Account,Gain/Loss,Pérdida/Ganancia DocType: Crop,Perennial,Perenne DocType: Program,Is Published,Esta publicado +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Mostrar notas de entrega apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Para permitir la facturación excesiva, actualice "Asignación de facturación excesiva" en la Configuración de cuentas o el Artículo." DocType: Patient Appointment,Procedure,Procedimiento DocType: Accounts Settings,Use Custom Cash Flow Format,Utilice el Formato de Flujo de Efectivo Personalizado @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Dejar detalles de la política DocType: BOM,Item Image (if not slideshow),Imagen del producto (si no son diapositivas) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Fila # {0}: la operación {1} no se completa para {2} cantidad de productos terminados en la orden de trabajo {3}. Actualice el estado de la operación a través de la Tarjeta de trabajo {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} es obligatorio para generar pagos de remesas, configure el campo e intente nuevamente" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarifa por hora / 60) * Tiempo real de la operación apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Fila #{0}: El tipo de documento de referencia debe ser uno de Reembolso de Gastos o Asiento Contable apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Seleccione la lista de materiales @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Devolución por cantidad de períodos apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Cantidad a Producir no puede ser menor a cero DocType: Stock Entry,Additional Costs,Costes adicionales +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Cuenta con transacción existente no se puede convertir al grupo. DocType: Lead,Product Enquiry,Petición de producto DocType: Education Settings,Validate Batch for Students in Student Group,Validar lote para estudiantes en grupo de estudiantes @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Estudiante apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Configure la plantilla predeterminada para la Notifiación de Estado de Vacaciones en configuración de Recursos Humanos. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Objetivo en DocType: BOM,Total Cost,Coste total +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Asignación expirada! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Máximo transporte de hojas enviadas DocType: Salary Slip,Employee Loan,Préstamo de Empleado DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Enviar Solicitud de Pago por Email @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Bienes apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Estado de cuenta apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Productos farmacéuticos DocType: Purchase Invoice Item,Is Fixed Asset,Es activo fijo +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Mostrar pagos futuros DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Esta cuenta bancaria ya está sincronizada DocType: Homepage,Homepage Section,Sección de la página de inicio @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Fertilizante apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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." -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Se requiere al menos un modo de pago de la factura POS. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},No se requiere lote para el artículo en lote {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Estado de Factura de Transacción de Extracto Bancario @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Seleccione términos y condicione apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Fuera de Valor DocType: Bank Statement Settings Item,Bank Statement Settings Item,Elemento de Configuración de Extracto Bancario DocType: Woocommerce Settings,Woocommerce Settings,Configuración de Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Nombre de transacción DocType: Production Plan,Sales Orders,Ordenes de venta apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Múltiple programa de lealtad encontrado para el cliente. Por favor seleccione manualmente DocType: Purchase Taxes and Charges,Valuation,Valuación @@ -460,6 +468,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Sólo mostrar clientes del siguiente grupo de clientes DocType: Sales Invoice,Is Opening Entry,Es una entrada de apertura @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Indique si una cuenta por cobrar no estándar es aplicable 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 DocType: Supplier Scorecard,Criteria Setup,Configuración de los Criterios -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Para el almacén es requerido antes de enviar +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 DocType: Codification Table,Medical Code,Código Médico apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Conecte Amazon con ERPNext @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Cuentas bancarias agregadas -DocType: Delivery Stop,Contact Name,Nombre de contacto +DocType: Call Log,Contact Name,Nombre de contacto DocType: Plaid Settings,Synchronize all accounts every hour,Sincronice todas las cuentas cada hora DocType: Course Assessment Criteria,Course Assessment Criteria,Criterios de Evaluación del Curso DocType: Pricing Rule Detail,Rule Applied,Regla aplicada @@ -529,7 +539,6 @@ 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. -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Numero desconocido DocType: Website Filter Field,Website Filter Field,Campo de filtro del sitio web apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Tipo de Suministro DocType: Material Request Item,Min Order Qty,Cantidad mínima de Pedido @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Monto Principal Total DocType: Student Guardian,Relation,Relación DocType: Quiz Result,Correct,Correcto DocType: Student Guardian,Mother,Madre -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Por favor agregue las claves válidas de la API Plaid en site_config.json primero DocType: Restaurant Reservation,Reservation End Time,Hora de finalización de la Reserva DocType: Crop,Biennial,Bienal ,BOM Variance Report,Informe de varianza BOM @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},El pago para {0} {1} no puede ser mayor que el pago pendiente {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Ajustes de POS Offline DocType: Stock Entry Detail,Reference Purchase Receipt,Recibo de compra de referencia DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variante de -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',La cantidad completada no puede ser mayor que la cantidad a manufacturar. +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',La cantidad completada no puede ser mayor que la cantidad a manufacturar. +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Período basado en DocType: Period Closing Voucher,Closing Account Head,Cuenta principal de cierre DocType: Employee,External Work History,Historial de trabajos externos apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Error de referencia circular apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Boleta de Calificaciones Estudiantil apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Del código PIN +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Mostrar vendedor DocType: Appointment Type,Is Inpatient,Es paciente hospitalizado apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nombre del Tutor1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,En palabras (Exportar) serán visibles una vez que guarde la nota de entrega. @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Nombre de dimensión apps/erpnext/erpnext/healthcare/setup.py,Resistant,Resistente apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Configura la Tarifa de la Habitación del Hotel el {} +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: Journal Entry,Multi Currency,Multi Moneda DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipo de factura apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,La fecha de validez debe ser inferior a la válida @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Aceptado DocType: Workstation,Rent Cost,Costo de arrendamiento 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Calendario de Eventos Próximos apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Atributos de Variante @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Solicitud de Cotización 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Mostrar vendedor en impresión 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 @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Crear un nuevo cliente apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Venciendo en apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si existen varias reglas de precios, se les pide a los usuarios que establezcan la prioridad manualmente para resolver el conflicto." -DocType: Purchase Invoice,Scan Barcode,Escanear Código de Barras apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Crear Órdenes de Compra ,Purchase Register,Registro de compras apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Paciente no Encontrado @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Canal de socio DocType: Account,Old Parent,Antiguo Padre apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Campo obligatorio - Año Académico apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} no está asociado con {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Componente de salario para la nómina basada en hoja de salario. DocType: Driver,Applicable for external driver,Aplicable para controlador externo. DocType: Sales Order Item,Used for Production Plan,Se utiliza para el plan de producción +DocType: BOM,Total Cost (Company Currency),Costo total (moneda de la compañía) DocType: Loan,Total Payment,Pago total apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,No se puede cancelar la transacción para la Orden de Trabajo completada. DocType: Manufacturing Settings,Time Between Operations (in mins),Tiempo entre operaciones (en minutos) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Notificar Otro DocType: Vital Signs,Blood Pressure (systolic),Presión Arterial (sistólica) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} es {2} DocType: Item Price,Valid Upto,Válido Hasta +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. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Cambios en {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,"Por favor, seleccione la empresa" DocType: Employee Skill,Employee Skill,Habilidad del empleado apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Cuenta para la Diferencia @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Factores de Riesgo DocType: Patient,Occupational Hazards and Environmental Factors,Riesgos Laborales y Factores Ambientales apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Entradas de Stock ya creadas para Órden de Trabajo apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Ver pedidos anteriores +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} conversaciones DocType: Vital Signs,Respiratory rate,Frecuencia Respiratoria apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Gestión de sub-contrataciones DocType: Vital Signs,Body Temperature,Temperatura Corporal @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Composición Registrada apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Hola apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Mover Elemento DocType: Employee Incentive,Incentive Amount,Monto de Incentivo +,Employee Leave Balance Summary,Resumen de saldo de licencia de empleado DocType: Serial No,Warranty Period (Days),Período de garantía (Días) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,La cantidad total de Crédito / Débito debe ser la misma que la entrada de diario vinculada DocType: Installation Note Item,Installation Note Item,Nota de instalación de elementos @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,Hinchado DocType: Salary Slip,Salary Slip Timesheet,Registro de Horas de Nómina apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,El almacén del proveedor es necesario para compras sub-contratadas DocType: Item Price,Valid From,Válido Desde +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Tu clasificación: DocType: Sales Invoice,Total Commission,Comisión total DocType: Tax Withholding Account,Tax Withholding Account,Cuenta de Retención de Impuestos DocType: Pricing Rule,Sales Partner,Socio de ventas @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Todas las Evaluac 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 +DocType: Item,Website Image,Imagen del sitio web apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,El Almacén de Destino en la fila {0} debe ser igual que la Órden de Trabajo apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Rango de Valoración es obligatorio si se ha ingresado una Apertura de Almacén 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 @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},E 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Complete su configuración de API Plaid antes de sincronizar su cuenta 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 DocType: Job Applicant,Resume Attachment,Adjunto curriculum vitae @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,Plan de Producción DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Herramienta de Apertura de Creación de Facturas DocType: Salary Component,Round to the Nearest Integer,Redondear al entero más cercano apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Devoluciones de ventas -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota: Las vacaciones totales asignadas {0} no debe ser inferior a las vacaciones ya aprobadas {1} para el período DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Establezca la cantidad en transacciones basadas en la entrada del Numero de Serie ,Total Stock Summary,Resumen de stock total apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Un apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Cantidad Principal DocType: Loan Application,Total Payable Interest,Interés Total a Pagar apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total Pendiente: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Contacto abierto DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Registro de Horas de Factura de Venta 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} @@ -1080,6 +1099,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Serie de Nomencaltura pred 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 DocType: Restaurant Reservation,Restaurant Reservation,Reserva de Restaurante +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Tus cosas apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Redacción de propuestas DocType: Payment Entry Deduction,Payment Entry Deduction,Deducción de Entrada de Pago DocType: Service Level Priority,Service Level Priority,Prioridad de nivel de servicio @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Serie de Número de Lote apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Existe otro vendedor {0} con el mismo ID de empleado DocType: Employee Advance,Claimed Amount,Cantidad Reclamada +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Caducar la asignación 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. @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,Nombre del lote DocType: Fee Validity,Max number of visit,Número máximo de visitas DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Obligatorio para la cuenta de pérdidas y ganancias ,Hotel Room Occupancy,Ocupación de la Habitación del Hotel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Tabla de Tiempo creada: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},"Por favor, defina la cuenta de bancos o caja predeterminados en el método de pago {0}" apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Inscribirse DocType: GST Settings,GST Settings,Configuración de GST @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),Porcentaje de comisión (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Seleccione el programa DocType: Project,Estimated Cost,Costo Estimado DocType: Request for Quotation,Link to material requests,Enlace a las solicitudes de materiales +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Publicar apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aeroespacial ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Ingreso de tarjeta de crédito @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Activo circulante apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} no es un artículo en existencia apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Por favor, comparta sus comentarios con la formación haciendo clic en ""Feedback de Entrenamiento"" y luego en ""Nuevo""" +DocType: Call Log,Caller Information,Información de la llamada DocType: Mode of Payment Account,Default Account,Cuenta predeterminada apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Seleccione primero Almacén de Retención de Muestras en la Configuración de Stock. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Seleccione el tipo de Programa de niveles múltiples para más de una reglas de recopilación. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Solicitudes de Material Automáticamente Generadas DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Horas de trabajo por debajo de las cuales se marca Medio día. (Cero para deshabilitar) DocType: Job Card,Total Completed Qty,Cantidad total completada +DocType: HR Settings,Auto Leave Encashment,Auto dejar cobro apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Perdido apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Usted no puede ingresar Comprobante Actual en la comumna 'Contra Contrada de Diario' DocType: Employee Benefit Application Detail,Max Benefit Amount,Monto de Beneficio Máximo @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Abonado DocType: Item Attribute Value,Item Attribute Value,Atributos del Producto apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,El Cambio de Moneda debe ser aplicable para comprar o vender. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Solo se puede cancelar la asignación vencida DocType: Item,Maximum sample quantity that can be retained,Cantidad máxima de muestra que se puede retener apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Fila {0}# El elemento {1} no puede transferirse más de {2} a la Orden de Compra {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Campañas de venta. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Llamador desconocido DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1400,6 +1425,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Horario de apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Nombre del documento DocType: Expense Claim Detail,Expense Claim Type,Tipo de gasto DocType: Shopping Cart Settings,Default settings for Shopping Cart,Ajustes por defecto para carrito de compras +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Guardar artículo apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Nuevo gasto apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignorar la existencia ordenada Qty apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Añadir Intervalos de Tiempo @@ -1412,6 +1438,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Invitación de Revisión enviada DocType: Shift Assignment,Shift Assignment,Asignación de Turno DocType: Employee Transfer Property,Employee Transfer Property,Propiedad de Transferencia del Empleado +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,El campo Equity / Liability Account no puede estar en blanco apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,"""Desde tiempo"" debe ser menos que ""Hasta tiempo""" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotecnología apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1493,11 +1520,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Del estad 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Calendario de cursos DocType: GSTR 3B Report,GSTR 3B Report,Informe GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Estado de la Cotización DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Estado de finalización +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},El monto total de los pagos no puede ser mayor que {} DocType: Daily Work Summary Group,Select Users,Seleccionar Usuarios 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 @@ -1535,6 +1564,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Cantidad DocType: Lab Test Template,Result Format,Formato del Resultado DocType: Expense Claim,Expenses,Gastos DocType: Service Level,Support Hours,Horas de Soporte +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Notas de Entrega DocType: Item Variant Attribute,Item Variant Attribute,Atributo de Variante de Producto ,Purchase Receipt Trends,Tendencias de recibos de compra DocType: Payroll Entry,Bimonthly,Bimensual @@ -1557,7 +1587,6 @@ DocType: Sales Team,Incentives,Incentivos DocType: SMS Log,Requested Numbers,Números solicitados DocType: Volunteer,Evening,Noche DocType: Quiz,Quiz Configuration,Configuración de cuestionario -DocType: Customer,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 @@ -1604,7 +1633,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Configu ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar la ranura de tiempo en los próximos {0} días para la operación {1} DocType: Work Order,Plan material for sub-assemblies,Plan de materiales para los subconjuntos 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 @@ -1619,9 +1647,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Debe habilitar el reordenamiento automático en la Configuración de inventario para mantener los niveles de reordenamiento. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar visitas {0} antes de cancelar la visita de mantenimiento DocType: Pricing Rule,Rate or Discount,Tarifa o Descuento +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Detalles del banco DocType: Vital Signs,One Sided,Unilateral apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Número de serie {0} no pertenece al producto {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Cant. Solicitada +DocType: Purchase Order Item Supplied,Required Qty,Cant. Solicitada DocType: Marketplace Settings,Custom Data,Datos Personalizados apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Complejos de depósito de transacciones existentes no se pueden convertir en el libro mayor. DocType: Service Day,Service Day,Día de servicio @@ -1649,7 +1678,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Divisa de cuenta DocType: Lab Test,Sample ID,Ejemplo de Identificacion apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,"Por favor, indique la cuenta que utilizará para el redondeo" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Rango DocType: Supplier,Default Payable Accounts,Cuentas por pagar por defecto apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,El empleado {0} no está activo o no existe @@ -1690,8 +1718,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Solicitud de información DocType: Course Activity,Activity Date,Fecha de actividad apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} de {} -,LeaderBoard,Tabla de Líderes DocType: Sales Invoice Item,Rate With Margin (Company Currency),Tasa con Margen (Moneda de la Compañía) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Categorías apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sincronizar Facturas DocType: Payment Request,Paid,Pagado DocType: Service Level,Default Priority,Prioridad predeterminada @@ -1726,11 +1754,11 @@ DocType: Agriculture Task,Agriculture Task,Tarea de Agricultura apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Ingresos indirectos DocType: Student Attendance Tool,Student Attendance Tool,Herramienta de asistencia de los estudiantes DocType: Restaurant Menu,Price List (Auto created),Lista de Precios (Creada Automáticamente) +DocType: Pick List Item,Picked Qty,Cantidad elegida DocType: Cheque Print Template,Date Settings,Ajustes de Fecha 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 -,Company Name,Nombre de compañía 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. @@ -1749,7 +1777,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Último intento 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} -DocType: BOM,Raw Material Cost(Company Currency),Costo de Materiales Sin Procesar (Divisa de la Compañía) 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 @@ -1816,6 +1843,7 @@ DocType: Travel Itinerary,Train,Entrenamiento ,Delayed Item Report,Informe de artículo retrasado apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC elegible DocType: Healthcare Service Unit,Inpatient Occupancy,Ocupación de pacientes hospitalizados +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Publica tus primeros artículos DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tiempo después del final del turno durante el cual se considera la salida para la asistencia. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Por favor especificar un {0} @@ -1931,6 +1959,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Todas las listas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Crear entrada de diario entre empresas DocType: Company,Parent Company,Empresa Matriz apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Las habitaciones de hotel del tipo {0} no están disponibles en {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Comparar listas de materiales para cambios en materias primas y operaciones apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,El documento {0} no se ha borrado correctamente DocType: Healthcare Practitioner,Default Currency,Divisa / modena predeterminada apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Conciliar esta cuenta @@ -1965,6 +1994,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detalle C -Form Factura DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Factura para reconciliación de pago DocType: Clinical Procedure,Procedure Template,Plantilla de Procedimiento +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publicar artículos apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Margen % apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Según las Configuraciones de Compras si el Pedido de Compra es Obligatorio == 'Si', para crear la Factura de Compra el usuario necesita crear el Pedido de Compra primero para el item {0}" ,HSN-wise-summary of outward supplies,HSN-wise-sumario de los suministros exteriores @@ -1977,7 +2007,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',"Por favor, establece ""Aplicar descuento adicional en""" DocType: Party Tax Withholding Config,Applicable Percent,Porcentaje Aplicable ,Ordered Items To Be Billed,Ordenes por facturar -DocType: Employee Checkin,Exit Grace Period Consequence,Salir del período de gracia Consecuencia apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Rango Desde tiene que ser menor que Rango Hasta DocType: Global Defaults,Global Defaults,Predeterminados globales apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Invitación a Colaboración de Proyecto @@ -1985,13 +2014,11 @@ DocType: Salary Slip,Deductions,Deducciones DocType: Setup Progress Action,Action Name,Nombre de la Acción apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Año de inicio apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Crear préstamo -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Fecha inicial del período de facturación DocType: Shift Type,Process Attendance After,Asistencia al proceso después ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Permiso / licencia sin goce de salario (LSS) DocType: Payment Request,Outward,Exterior -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Error en la planificación de capacidad apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Impuesto estatal / UT ,Trial Balance for Party,Balance de Terceros ,Gross and Net Profit Report,Informe de ganancias brutas y netas @@ -2010,7 +2037,6 @@ DocType: Payroll Entry,Employee Details,Detalles del Empleado 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} -DocType: Setup Progress Action,Domains,Dominios 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} @@ -2053,7 +2079,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Reunión t 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.","Modo de pago no está configurado. Por favor, compruebe, si la cuenta se ha establecido en el modo de pago o en el perfil del punto de venta." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,El mismo artículo no se puede introducir varias veces. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Las futuras cuentas se pueden crear bajo grupos, pero las entradas se crearán dentro de las subcuentas." -DocType: Email Campaign,Lead,Iniciativa +DocType: Call Log,Lead,Iniciativa DocType: Email Digest,Payables,Cuentas por pagar DocType: Amazon MWS Settings,MWS Auth Token,Token de Autenticación MWS DocType: Email Campaign,Email Campaign For ,Campaña de correo electrónico para @@ -2065,6 +2091,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Ordenes de compra por pagar 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 DocType: Purchase Invoice Item,Net Rate,Precio neto apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Seleccione un Cliente DocType: Leave Policy,Leave Allocations,Dejar asignaciones @@ -2078,6 +2105,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Cerrar Problema Después Días ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Debe ser un usuario con funciones de Administrador del sistema y Administrador de artículos para agregar usuarios a Marketplace. +DocType: Attendance,Early Exit,Salida Temprana DocType: Job Opening,Staffing Plan,Plan de Personal apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON solo se puede generar a partir de un documento enviado apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Impuestos y beneficios a empleados @@ -2098,6 +2126,7 @@ DocType: Maintenance Team Member,Maintenance Role,Rol de Mantenimiento apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Línea {0} duplicada con igual {1} DocType: Marketplace Settings,Disable Marketplace,Deshabilitar Marketplace DocType: Quality Meeting,Minutes,Minutos +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Tus artículos destacados ,Trial Balance,Balanza de Comprobación apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Mostrar completado apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Año fiscal {0} no encontrado @@ -2107,8 +2136,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Usuario de Reserva de Hot 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" 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- -DocType: Shift Type,Consequence,Consecuencia DocType: Subscription Settings,Subscription Settings,Configuración de Suscripción DocType: Purchase Invoice,Update Auto Repeat Reference,Actualizar la Referencia de Repetición Automática apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Lista de vacaciones opcional no establecida para el período de licencia {0} @@ -2119,7 +2148,6 @@ DocType: Maintenance Visit Purpose,Work Done,Trabajo Realizado apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,"Por favor, especifique al menos un atributo en la tabla" DocType: Announcement,All Students,Todos los estudiantes apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Elemento {0} debe ser un elemento de no-stock -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Datos bancarios apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Mostrar Libro Mayor DocType: Grading Scale,Intervals,intervalos DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transacciones Reconciliadas @@ -2155,6 +2183,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Oportunidad Artículo DocType: Quality Action,Quality Review,Revisión de calidad @@ -2181,7 +2210,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Obtener facturas pendientes de pago -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Orden de venta {0} no es válida +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Las órdenes de compra le ayudará a planificar y dar seguimiento a sus compras apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Prescripciones para pruebas de laboratorio @@ -2206,6 +2235,7 @@ DocType: Employee Onboarding,Notify users by email,Notificar a los usuarios por DocType: Travel Request,International,Internacional DocType: Training Event,Training Event,Evento de Capacitación DocType: Item,Auto re-order,Ordenar Automáticamente +DocType: Attendance,Late Entry,Entrada tardía apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Total Conseguido DocType: Employee,Place of Issue,Lugar de emisión. DocType: Promotional Scheme,Promotional Scheme Price Discount,Descuento del precio del plan promocional @@ -2252,6 +2282,7 @@ DocType: Serial No,Serial No Details,Detalles del numero de serie DocType: Purchase Invoice Item,Item Tax Rate,Tasa de impuesto del producto apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Del Nombre de la Parte apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Cantidad de salario neto +DocType: Pick List,Delivery against Sales Order,Entrega contra pedido de cliente DocType: Student Group Student,Group Roll Number,Grupo Número de rodillos apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Para {0}, sólo las cuentas de crédito se pueden vincular con un asiento de débito" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,La nota de entrega {0} no está validada @@ -2323,7 +2354,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Este valor se usa para el cálculo pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Necesita habilitar el carrito de compras DocType: Payment Entry,Writeoff,Pedir por escrito DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2337,6 +2367,7 @@ DocType: Delivery Trip,Total Estimated Distance,Distancia Total Estimada DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Cuentas por cobrar Cuenta impaga DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Explorar listas de materiales (LdM) +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},No se permite crear una dimensión contable para {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Actualice su estado para este evento de capacitación. DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Agregar o deducir @@ -2346,7 +2377,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Artículos de venta inactivos DocType: Quality Review,Additional Information,Información Adicional apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Valor Total del Pedido -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Restablecimiento del acuerdo de nivel de servicio. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Comida apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Rango de antigüedad 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalles del cupón de cierre de POS @@ -2393,6 +2423,7 @@ 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 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""" DocType: Healthcare Practitioner,Contacts and Address,Contactos y Dirección DocType: Shift Type,Determine Check-in and Check-out,Determinar el check-in y el check-out @@ -2412,7 +2443,6 @@ DocType: Student Admission,Eligibility and Details,Elegibilidad y Detalles apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Incluido en el beneficio bruto apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Cambio neto en activos fijos apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Cant. Requerida -DocType: Company,Client Code,Codigo del cliente apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Cambiar a tipo 'Actual' en la línea {0} no puede ser incluido en el precio apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Máximo: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Desde Fecha y Hora @@ -2480,6 +2510,7 @@ 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. 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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Se requiere al cliente para la cuenta por cobrar {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total impuestos y cargos (Divisa por defecto) DocType: Weather,Weather Parameter,Parámetro Meteorológico @@ -2542,6 +2573,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Umbral de horas de trabaj apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Puede haber un factor de recopilación de niveles múltiples basado en el total gastado. Pero el factor de conversión para el canje siempre será el mismo para todos los niveles. apps/erpnext/erpnext/config/help.py,Item Variants,Variantes del Producto apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Servicios +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Enviar Nómina al Empleado por Correo Electrónico DocType: Cost Center,Parent Cost Center,Centro de costos principal @@ -2552,7 +2584,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","S DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importar notas de entrega de Shopify en el envío apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Mostrar cerrada DocType: Issue Priority,Issue Priority,Prioridad de emisión -DocType: Leave Type,Is Leave Without Pay,Es una ausencia sin goce de salario +DocType: Leave Ledger Entry,Is Leave Without Pay,Es una ausencia sin goce de salario apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Categoría activo es obligatorio para la partida del activo fijo DocType: Fee Validity,Fee Validity,Validez de la Cuota @@ -2601,6 +2633,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Cantidad de lotes d apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Formato de impresión de actualización DocType: Bank Account,Is Company Account,Es la Cuenta de la Empresa apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Tipo de Licencia {0} no es encasillable +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},El límite de crédito ya está definido para la Compañía {0} DocType: Landed Cost Voucher,Landed Cost Help,Ayuda para costos de destino estimados DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Seleccione la dirección de envío @@ -2625,6 +2658,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Bidireccional DocType: Item,Manufacturers,Fabricantes @@ -2661,7 +2695,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Estados de conciliación bancarios DocType: Patient Encounter,Medical Coding,Codificación Médica DocType: Healthcare Settings,Reminder Message,Mensaje de Recordatorio -,Lead Name,Nombre de la iniciativa +DocType: Call Log,Lead Name,Nombre de la iniciativa ,POS,Punto de venta POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Prospección @@ -2693,12 +2727,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Almacén del proveedor DocType: Opportunity,Contact Mobile No,No. móvil de contacto apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Seleccionar Compañia ,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: 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- 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.,El usuario {0} no tiene ningún perfil POS predeterminado. Verifique el valor predeterminado en la fila {1} para este usuario. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Actas de reuniones de calidad +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveedor> Tipo de proveedor apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Recomendación de Empleados DocType: Student Group,Set 0 for no limit,Ajuste 0 indica sin límite apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,El día (s) en el que está solicitando la licencia son los días festivos. Usted no necesita solicitar la excedencia. @@ -2732,12 +2768,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Cambio Neto en efectivo DocType: Assessment Plan,Grading Scale,Escala de calificación apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidad de Medida (UdM) {0} se ha introducido más de una vez en la tabla de factores de conversión -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Ya completado apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock en Mano apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Agregue los beneficios restantes {0} a la aplicación como componente \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Establezca el Código Fiscal para la administración pública '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Solicitud de pago ya existe {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Costo de productos entregados DocType: Healthcare Practitioner,Hospital,Hospital apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},La cantidad no debe ser más de {0} @@ -2782,6 +2816,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Recursos humanos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Ingresos superior DocType: Item Manufacturer,Item Manufacturer,Fabricante del artículo +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Crear nuevo cliente potencial DocType: BOM Operation,Batch Size,Tamaño del lote apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Rechazar DocType: Journal Entry Account,Debit in Company Currency,Divisa por defecto de la cuenta de débito @@ -2802,9 +2837,11 @@ DocType: Bank Transaction,Reconciled,Reconciliado DocType: Expense Claim,Total Amount Reimbursed,Monto total reembolsado apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Esta basado en registros contra este Vehículo. Ver el cronograma debajo para más detalles apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,La fecha de la nómina no puede ser inferior a la fecha de incorporación del empleado +DocType: Pick List,Item Locations,Ubicaciones de artículos apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} creado apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Las Vacantes de Trabajo para la designación {0} ya están abiertas o la contratación se completó según el plan de dotación de personal {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Puede publicar hasta 200 elementos. DocType: Vital Signs,Constipated,Estreñido apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Contra factura de proveedor {0} con fecha{1} DocType: Customer,Default Price List,Lista de precios por defecto @@ -2896,6 +2933,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Shift Real Start DocType: Tally Migration,Is Day Book Data Imported,¿Se importan los datos del libro diario? apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,GASTOS DE PUBLICIDAD +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} unidades de {1} no están disponibles. ,Item Shortage Report,Reporte de productos con stock bajo 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 @@ -2918,6 +2956,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 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 DocType: Material Request,Transferred,Transferido DocType: Vehicle,Doors,puertas @@ -2997,7 +3036,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Código del producto para clien DocType: Stock Reconciliation,Stock Reconciliation,Reconciliación de inventarios DocType: Territory,Territory Name,Nombre Territorio DocType: Email Digest,Purchase Orders to Receive,Órdenes de compra para recibir -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Se requiere un almacén de trabajos en proceso antes de validar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Se requiere un almacén de trabajos en proceso antes de validar apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Solo puede tener Planes con el mismo ciclo de facturación en una Suscripción DocType: Bank Statement Transaction Settings Item,Mapped Data,Datos Mapeados DocType: Purchase Order Item,Warehouse and Reference,Almacén y Referencia @@ -3071,6 +3110,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Ajustes de Entrega apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Obtener Datos apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},La licencia máxima permitida en el tipo de permiso {0} es {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publicar 1 artículo DocType: SMS Center,Create Receiver List,Crear Lista de Receptores DocType: Student Applicant,LMS Only,Solo LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,La fecha de uso disponible debe ser posterior a la fecha de compra. @@ -3104,6 +3144,7 @@ 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 DocType: Vital Signs,Furry,Peludo apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Por favor, fije ""Ganancia/Pérdida en la venta de activos"" en la empresa {0}." +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} @@ -3115,6 +3156,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Ver todos los problemas de {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Mesa de reuniones de calidad +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/templates/pages/help.html,Visit the forums,Visita los foros DocType: Student,Student Mobile Number,Número móvil del Estudiante DocType: Item,Has Variants,Posee variantes @@ -3125,9 +3167,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Defina el nombre de la distribución mensual DocType: Quality Procedure Process,Quality Procedure Process,Proceso de procedimiento de calidad apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,El ID de lote es obligatorio +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Por favor seleccione Cliente primero DocType: Sales Person,Parent Sales Person,Persona encargada de ventas apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,No hay elementos para ser recibidos están vencidos apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,El vendedor y el comprador no pueden ser el mismo +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Sin vistas aún DocType: Project,Collect Progress,Recoge el Progreso DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Seleccione el Programa Primero @@ -3149,11 +3193,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Alcanzado DocType: Student Admission,Application Form Route,Ruta de Formulario de Solicitud apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,La fecha de finalización del acuerdo no puede ser inferior a la actual. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter para enviar DocType: Healthcare Settings,Patient Encounters in valid days,Encuentros de pacientes en días válidos apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,No se puede asignar el tipo de vacaciones {0} ya que se trata de vacaciones sin sueldo. 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},Línea {0}: la cantidad asignada {1} debe ser menor o igual al importe pendiente de factura {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,En palabras serán visibles una vez que guarde la factura de venta. DocType: Lead,Follow Up,Seguir +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Centro de coste: {0} no existe DocType: Item,Is Sales Item,Es un producto para venta apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Árbol de Productos apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,"El producto {0} no está configurado para utilizar Números de Serie, por favor revise el artículo maestro" @@ -3197,9 +3243,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Cant. Suministrada DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Requisición de Materiales del Producto -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Por favor cancele el recibo de compra {0} primero apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Árbol de las categorías de producto DocType: Production Plan,Total Produced Qty,Cantidad Total Producida +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Aún no hay comentarios apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,No se puede referenciar a una línea mayor o igual al numero de línea actual. DocType: Asset,Sold,Vendido ,Item-wise Purchase History,Historial de Compras @@ -3218,7 +3264,7 @@ DocType: Designation,Required Skills,Habilidades requeridas DocType: Inpatient Record,O Positive,O Positivo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,INVERSIONES DocType: Issue,Resolution Details,Detalles de la resolución -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Tipo de Transacción +DocType: Leave Ledger Entry,Transaction Type,Tipo de Transacción DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criterios de Aceptación apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Por favor, introduzca Las solicitudes de material en la tabla anterior" apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,No hay Reembolsos disponibles para Asiento Contable @@ -3259,6 +3305,7 @@ DocType: Bank Account,Bank Account No,Número de Cuenta Bancaria DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Presentación de Prueba de Exención Fiscal del Empleado DocType: Patient,Surgical History,Historia Quirúrgica DocType: Bank Statement Settings Item,Mapped Header,Encabezado Mapeado +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: 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. 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}" @@ -3326,7 +3373,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Agregar membrete DocType: Program Enrollment,Self-Driving Vehicle,Vehículo auto-manejado 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total de hojas asignadas {0} no puede ser inferior a las hojas ya aprobados {1} para el período DocType: Contract Fulfilment Checklist,Requirement,Requisito DocType: Journal Entry,Accounts Receivable,Cuentas por cobrar DocType: Quality Goal,Objectives,Objetivos @@ -3349,7 +3395,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Umbral de Transacció DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Este valor se actualiza en la Lista de Precios de venta predeterminada. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Tu carrito esta vacío DocType: Email Digest,New Expenses,Los nuevos gastos -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Cantidad de PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,No se puede optimizar la ruta porque falta la dirección del conductor. DocType: Shareholder,Shareholder,Accionista DocType: Purchase Invoice,Additional Discount Amount,Monto adicional de descuento @@ -3386,6 +3431,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Tarea de Mantenimiento apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Establezca el límite B2C en la configuración de GST. DocType: Marketplace Settings,Marketplace Settings,Configuración del Mercado DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Almacén en el cual se envian los productos rechazados +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Publicar {0} elementos 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,No se puede encontrar el tipo de cambio para {0} a {1} para la fecha clave {2}. Crea un registro de cambio de divisas manualmente DocType: POS Profile,Price List,Lista de Precios 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." @@ -3422,6 +3468,7 @@ DocType: Salary Component,Deduction,Deducción DocType: Item,Retain Sample,Conservar Muestra apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Fila {0}: Tiempo Desde y Tiempo Hasta es obligatorio. DocType: Stock Reconciliation Item,Amount Difference,Diferencia de monto +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Esta página realiza un seguimiento de los artículos que desea comprar a los vendedores. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Precio del producto añadido para {0} en Lista de Precios {1} DocType: Delivery Stop,Order Information,Información del Pedido apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Por favor, Introduzca ID de empleado para este vendedor" @@ -3450,6 +3497,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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**. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nombre del Plan de Evaluación apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detalles del objetivo apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Aplicable si la empresa es SpA, SApA o SRL" @@ -3502,7 +3550,6 @@ DocType: Company,Transactions Annual History,Historial Anual de Transacciones 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Arriba 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 @@ -3554,6 +3601,7 @@ DocType: Grading Scale,Grading Scale Intervals,Intervalos de Escala de Calificac 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Ganancias del Año 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 @@ -3607,12 +3655,10 @@ DocType: Supplier Scorecard,Scoring Setup,Configuración de Calificación apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electrónicos 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,No se encontró ningún GST No. para la Compañía. 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 DocType: Question,Single Correct Answer,Respuesta correcta única -DocType: Employee,Contact Details,Detalles de contacto DocType: C-Form,Received Date,Fecha de recepción DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Si ha creado una plantilla estándar de los impuestos y cargos de venta, seleccione uno y haga clic en el botón de abajo." DocType: BOM Scrap Item,Basic Amount (Company Currency),Importe Básico (divisa de la Compañía) @@ -3642,12 +3688,13 @@ DocType: BOM Website Operation,BOM Website Operation,Operación de Página Web d DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,Puntuación del Proveedor apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Programar Admisión +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,El monto total de la solicitud de pago no puede ser mayor que el monto de {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Umbral de Transacción Acumulativo DocType: Promotional Scheme Price Discount,Discount Type,Tipo de descuento -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Monto total facturado DocType: Purchase Invoice Item,Is Free Item,Es un artículo gratis +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Porcentaje que se le permite transferir más contra la cantidad solicitada. Por ejemplo: si ha pedido 100 unidades. y su asignación es del 10%, entonces puede transferir 110 unidades." DocType: Supplier,Warn RFQs,Avisar en Pedidos de Presupuesto (RFQs) -apps/erpnext/erpnext/templates/pages/home.html,Explore,Explorar +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Explorar DocType: BOM,Conversion Rate,Tasa de conversión apps/erpnext/erpnext/www/all-products/index.html,Product Search,Búsqueda de Producto ,Bank Remittance,Remesa bancaria @@ -3659,6 +3706,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Cantidad Total Pagada DocType: Asset,Insurance End Date,Fecha de Finalización del Seguro apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Seleccione la Admisión de Estudiante que es obligatoria para la Solicitud de Estudiante paga +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Lista de Presupuesto DocType: Campaign,Campaign Schedules,Horarios de campaña DocType: Job Card Time Log,Completed Qty,Cantidad completada @@ -3681,6 +3729,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Nueva Dir DocType: Quality Inspection,Sample Size,Tamaño de muestra apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,"Por favor, introduzca recepción de documentos" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Todos los artículos que ya se han facturado +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Hojas tomadas apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Por favor, especifique un numero de caso válido" 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,"Los centros de costos se pueden crear bajo grupos, pero las entradas se crearán dentro de las subcuentas." 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,Las Licencias asignadas totales son más días que la asignación máxima del Tipo de Licencia {0} para el Empleado {1} en el período @@ -3780,6 +3829,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Incluir tod 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 DocType: Leave Block List,Allow Users,Permitir que los usuarios 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: 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. @@ -3833,6 +3884,7 @@ DocType: Support Search Source,Result Title Field,Campo de título del resultado apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Resumen de llamadas DocType: Sample Collection,Collected Time,Hora de Cobro DocType: Employee Skill Map,Employee Skills,Habilidades de los empleados +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Gasto de combustible DocType: Company,Sales Monthly History,Historial Mensual de Ventas apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Establezca al menos una fila en la Tabla de impuestos y cargos DocType: Asset Maintenance Task,Next Due Date,Fecha de Vencimiento Siguiente @@ -3842,6 +3894,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Signos Vi DocType: Payment Entry,Payment Deductions or Loss,Deducciones de Pago o Pérdida DocType: Soil Analysis,Soil Analysis Criterias,Criterios de Análisis de Suelos apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Contrato estándar de términos y condiciones para ventas y compras. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Filas eliminadas en {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Comience el check-in antes de la hora de inicio del turno (en minutos) DocType: BOM Item,Item operation,Operación del artículo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Agrupar por recibo @@ -3867,11 +3920,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Nómina del empleado {0} ya creado para este periodo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmacéutico apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Solo puede enviar la Deuda por un monto de cobro válido +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Artículos por apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Costo de productos comprados DocType: Employee Separation,Employee Separation Template,Plantilla de Separación de Empleados DocType: Selling Settings,Sales Order Required,Orden de venta requerida apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Ser un Vendedor -DocType: Shift Type,The number of occurrence after which the consequence is executed.,El número de ocurrencia después del cual se ejecuta la consecuencia. ,Procurement Tracker,Rastreador de compras DocType: Purchase Invoice,Credit To,Acreditar en apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC invertido @@ -3884,6 +3937,7 @@ DocType: Quality Meeting,Agenda,Agenda DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalles del calendario de mantenimiento DocType: Supplier Scorecard,Warn for new Purchase Orders,Avisar para nuevas Órdenes de Compra DocType: Quality Inspection Reading,Reading 9,Lectura 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Conecte su cuenta de Exotel a ERPNext y rastree los registros de llamadas DocType: Supplier,Is Frozen,Se encuentra congelado(a) DocType: Tally Migration,Processed Files,Archivos procesados apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,No se permite seleccionar el almacén de nodos de grupo para operaciones @@ -3893,6 +3947,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Lista de materiales DocType: Upload Attendance,Attendance To Date,Asistencia a la Fecha 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 @@ -3917,7 +3972,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Solicitante apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Referencia Inválida {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Reglas para aplicar diferentes esquemas promocionales. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no puede ser mayor que la cantidad planificada ({2}) en la orden de producción {3} DocType: Shipping Rule,Shipping Rule Label,Etiqueta de regla de envío DocType: Journal Entry Account,Payroll Entry,Entrada de Nómina apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Ver Registros de Honorarios @@ -3929,6 +3983,7 @@ DocType: Contract,Fulfilment Status,Estado de Cumplimiento DocType: Lab Test Sample,Lab Test Sample,Muestra de Prueba de Laboratorio DocType: Item Variant Settings,Allow Rename Attribute Value,Permitir Cambiar el Nombre del Valor del Atributo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Asiento Contable Rápido +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Monto de pago futuro apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,No se puede cambiar el precio si existe una Lista de materiales (LdM) en el producto DocType: Restaurant,Invoice Series Prefix,Prefijo de la Serie de Facturas DocType: Employee,Previous Work Experience,Experiencia laboral previa @@ -3958,6 +4013,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Estado del proyecto DocType: UOM,Check this to disallow fractions. (for Nos),Marque esta opción para deshabilitar las fracciones. DocType: Student Admission Program,Naming Series (for Student Applicant),Serie de nomenclatura (por Estudiante Solicitante) +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/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 @@ -3973,6 +4029,7 @@ DocType: Fiscal Year,Year End Date,Fecha de Finalización de Año DocType: Task Depends On,Task Depends On,Tarea depende de apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Oportunidad DocType: Options,Option,Opción +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},No puede crear entradas contables en el período contable cerrado {0} DocType: Operation,Default Workstation,Estación de Trabajo por defecto DocType: Payment Entry,Deductions or Loss,Deducciones o Pérdida apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} está cerrado @@ -3981,6 +4038,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Verificar inventario actual DocType: Purchase Invoice,ineligible,inelegible apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Árbol de lista de materiales +DocType: BOM,Exploded Items,Artículos explotados DocType: Student,Joining Date,Dia de ingreso ,Employees working on a holiday,Empleados que trabajan en un día festivo ,TDS Computation Summary,Resumen de Computación TDS @@ -4013,6 +4071,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Precio base (según la DocType: SMS Log,No of Requested SMS,Número de SMS solicitados apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Permiso sin paga no coincide con los registros aprobados de la solicitud de permiso de ausencia apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Próximos pasos +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Artículos guardados DocType: Travel Request,Domestic,Nacional apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Por favor suministrar los elementos especificados en las mejores tasas posibles apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,La transferencia del empleado no se puede enviar antes de la fecha de transferencia @@ -4065,7 +4124,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Cuenta de categoría de activos apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,El valor {0} ya está asignado a un elemento existente {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Fila # {0} (Tabla de Pagos): la Cantidad debe ser positiva -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},No se puede producir una cantidad mayor del producto {0} que lo requerido en el pedido de venta {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},No se puede producir una cantidad mayor del producto {0} que lo requerido en el pedido de venta {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Nada está incluido en bruto apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill ya existe para este documento apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Seleccionar Valores de Atributo @@ -4100,12 +4159,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Habilitar diferentes consecuencias para la salida temprana ,Lab Test Report,Informe de Prueba de Laboratorio DocType: Employee Benefit Application,Employee Benefit Application,Solicitud de Beneficios para Empleados apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Componente salarial adicional existe. DocType: Purchase Invoice,Unregistered,No registrado -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Entregar primero la nota DocType: Student Applicant,Application Date,Fecha de aplicacion DocType: Salary Component,Amount based on formula,Cantidad basada en fórmula DocType: Purchase Invoice,Currency and Price List,Divisa y listas de precios @@ -4134,6 +4191,7 @@ DocType: Purchase Receipt,Time at which materials were received,Hora en que se r DocType: Products Settings,Products per Page,Productos por Pagina 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,La cantidad asignada no puede ser negativa DocType: Sales Order,Billing Status,Estado de facturación apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Informar una Incidencia @@ -4143,6 +4201,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90 o más 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,Fila #{0}: Asiento {1} no tiene cuenta {2} o ya compara con otro bono DocType: Supplier Scorecard Criteria,Criteria Weight,Peso del Criterio +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Cuenta: {0} no está permitido en Entrada de pago DocType: Production Plan,Ignore Existing Projected Quantity,Ignorar la cantidad proyectada existente apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Notificación de Autorización de Vacaciones DocType: Buying Settings,Default Buying Price List,Lista de precios por defecto @@ -4151,6 +4210,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,Tipo de pago apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Seleccione un lote para el artículo {0}. No se puede encontrar un solo lote que cumpla este requisito @@ -4179,6 +4239,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Ajustes de carrito de com DocType: Journal Entry,Accounting Entries,Asientos contables 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'." +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: Journal Entry,Paid Loan,Préstamo Pagado 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 @@ -4195,12 +4256,14 @@ DocType: Shopify Settings,Webhooks Details,Detalles de Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,No hay hojas de tiempo DocType: GoCardless Mandate,GoCardless Customer,Cliente GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,No se puede arrastrar el tipo de vacaciones {0}. +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 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"El programa de mantenimiento no se genera para todos los productos. Por favor, haga clic en 'Generar programación'" ,To Produce,Producir DocType: Leave Encashment,Payroll,Nómina de sueldos 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","Para la línea {0} en {1}. incluir {2} en la tasa del producto, las lineas {3} también deben ser incluidas" DocType: Healthcare Service Unit,Parent Service Unit,Unidad de Servicio para Padres DocType: Packing Slip,Identification of the package for the delivery (for print),La identificación del paquete para la entrega (para impresión) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Se restableció el acuerdo de nivel de servicio. DocType: Bin,Reserved Quantity,Cantidad Reservada apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Por favor ingrese una dirección de correo electrónico válida DocType: Volunteer Skill,Volunteer Skill,Habilidad del Voluntario @@ -4221,7 +4284,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Precio o descuento del producto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Para la fila {0}: ingrese cantidad planificada DocType: Account,Income Account,Cuenta de ingresos -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio DocType: Payment Request,Amount in customer's currency,Monto en divisa del cliente apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Entregar apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Asignando Estructuras ... @@ -4244,6 +4306,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Perderá registros de facturas generadas previamente. ¿Seguro que quieres reiniciar esta suscripción? @@ -4299,11 +4362,10 @@ DocType: Additional Salary,HR User,Usuario de recursos humanos DocType: Bank Guarantee,Reference Document Name,Nombre del Documento de Referencia DocType: Purchase Invoice,Taxes and Charges Deducted,Impuestos y cargos deducidos DocType: Support Settings,Issues,Incidencias -DocType: Shift Type,Early Exit Consequence after,Consecuencia de salida anticipada después DocType: Loyalty Program,Loyalty Program Name,Nombre del programa de lealtad apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},El estado debe ser uno de {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Recordatorio para actualizar GSTIN Enviado -DocType: Sales Invoice,Debit To,Debitar a +DocType: Discounted Invoice,Debit To,Debitar a DocType: Restaurant Menu Item,Restaurant Menu Item,Elemento del Menú del Restaurante DocType: Delivery Note,Required only for sample item.,Solicitado únicamente para muestra. DocType: Stock Ledger Entry,Actual Qty After Transaction,Cantidad real después de transacción @@ -4386,6 +4448,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Nombre del Parámetr apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,"Sólo se pueden presentar solicitudes de permiso con el status ""Aprobado"" y ""Rechazado""." apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Creando dimensiones ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Nombre de Grupo de Estudiantes es obligatorio en la fila {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Bypass credit limit_check DocType: Homepage,Products to be shown on website homepage,Productos que se muestran en la página de inicio de la página web DocType: HR Settings,Password Policy,Política de contraseñas apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Este es una categoría de cliente raíz (principal) y no se puede editar. @@ -4444,10 +4507,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Si e apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,"Por favor, configure el cliente predeterminado en la configuración del Restaurante" ,Salary Register,Registro de Salario DocType: Company,Default warehouse for Sales Return,Almacén predeterminado para devolución de ventas -DocType: Warehouse,Parent Warehouse,Almacén Padre +DocType: Pick List,Parent Warehouse,Almacén Padre DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definir varios tipos de préstamos DocType: Bin,FCFS Rate,Cambio FCFS @@ -4484,6 +4547,7 @@ DocType: Travel Itinerary,Lodging Required,Alojamiento Requerido DocType: Promotional Scheme,Price Discount Slabs,Losas de descuento de precio DocType: Stock Reconciliation Item,Current Serial No,Número de serie actual DocType: Employee,Attendance and Leave Details,Asistencia y detalles de licencia +,BOM Comparison Tool,Herramienta de comparación de lista de materiales ,Requested,Solicitado apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,No hay observaciones DocType: Asset,In Maintenance,En Mantenimiento @@ -4506,6 +4570,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Acuerdo de nivel de servicio predeterminado DocType: SG Creation Tool Course,Course Code,Código del curso apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Más de una selección para {0} no permitida +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,La cantidad de materias primas se decidirá en función de la cantidad del artículo de productos terminados DocType: Location,Parent Location,Ubicación Padre DocType: POS Settings,Use POS in Offline Mode,Usar POS en Modo sin Conexión apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,La prioridad se ha cambiado a {0}. @@ -4524,7 +4589,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Almacenamiento de Muestras de DocType: Company,Default Receivable Account,Cuenta por cobrar por defecto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Fórmula de cantidad proyectada DocType: Sales Invoice,Deemed Export,Exportación Considerada -DocType: Stock Entry,Material Transfer for Manufacture,Trasferencia de Material para Producción +DocType: Pick List,Material Transfer for Manufacture,Trasferencia de Material para Producción 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.,El porcentaje de descuento puede ser aplicado ya sea en una lista de precios o para todas las listas de precios. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Asiento contable para inventario DocType: Lab Test,LabTest Approver,Aprobador de Prueba de Laboratorio @@ -4567,7 +4632,6 @@ DocType: Training Event,Theory,Teoría apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Advertencia: La requisición de materiales es menor que la orden mínima establecida apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,La cuenta {0} está congelada DocType: Quiz Question,Quiz Question,Pregunta de prueba -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Proveedor> Tipo de proveedor 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" @@ -4598,6 +4662,7 @@ 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 DocType: Account,Expense Account,Cuenta de costos apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Color @@ -4635,6 +4700,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Administrar socios 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. DocType: Fee Validity,Visited yet,Visitado Todavía +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Puede presentar hasta 8 elementos. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Complejos de transacción existentes no pueden ser convertidos en grupo. 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? @@ -4642,7 +4708,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4667,7 +4732,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Conversión de UOM DocType: Contract,Signee Details,Detalles del Firmante apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} tiene actualmente un {1} Calificación de Proveedor en pie y las solicitudes de ofertas a este proveedor deben ser emitidas con precaución. DocType: Certified Consultant,Non Profit Manager,Gerente sin Fines de Lucro -DocType: BOM,Total Cost(Company Currency),Costo Total (Divisa de la Compañía) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Número de serie {0} creado DocType: Homepage,Company Description for website homepage,Descripción de la empresa para la página de inicio página web DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Para la comodidad de los clientes , estos códigos se pueden utilizar en formatos impresos como facturas y notas de entrega" @@ -4695,7 +4759,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Recibo de DocType: Amazon MWS Settings,Enable Scheduled Synch,Habilitar la sincronización programada apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Para fecha y hora apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Estatus de mensajes SMS entregados -DocType: Shift Type,Early Exit Consequence,Consecuencia de salida anticipada DocType: Accounts Settings,Make Payment via Journal Entry,Hace el pago vía entrada de diario apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,No cree más de 500 artículos a la vez. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Impreso en @@ -4752,6 +4815,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Límite Cruzado 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 +DocType: Plaid Settings,Plaid Secret,Secreto a cuadros DocType: Company,Date of Establishment,Fecha de Fundación apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Capital de Riesgo apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Un término académico con este 'Año Académico' {0} y 'Nombre de término' {1} ya existe. Por favor, modificar estas entradas y vuelva a intentarlo." @@ -4813,6 +4877,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Tipo de Cliente DocType: Compensatory Leave Request,Leave Allocation,Asignación de vacaciones DocType: Payment Request,Recipient Message And Payment Details,Mensaje receptor y formas de pago +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Por favor seleccione una nota de entrega DocType: Support Search Source,Source DocType,DocType Fuente apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Abra un nuevo ticket DocType: Training Event,Trainer Email,Correo electrónico del entrenador @@ -4933,6 +4998,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Desde la fecha' debe ser después de 'Hasta Fecha' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,No se encontraron planes de personal para esta designación apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,El lote {0} del elemento {1} está deshabilitado. @@ -4954,7 +5020,7 @@ DocType: Clinical Procedure,Patient,Paciente apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Omitir verificación de crédito en Orden de Venta DocType: Employee Onboarding Activity,Employee Onboarding Activity,Actividad de Incorporación del Empleado DocType: Location,Check if it is a hydroponic unit,Verifica si es una unidad hidropónica -DocType: Stock Reconciliation Item,Serial No and Batch,Número de serie y de lote +DocType: Pick List Item,Serial No and Batch,Número de serie y de lote DocType: Warranty Claim,From Company,Desde Compañía DocType: GSTR 3B Report,January,enero apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Suma de las puntuaciones de criterios de evaluación tiene que ser {0}. @@ -4978,7 +5044,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Descuent 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,No se ha encontrado {0} para Transacciones entre empresas. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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 @@ -5011,11 +5076,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centro de co 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Restante DocType: Appraisal,Appraisal,Evaluación DocType: Loan,Loan Account,Cuenta de Préstamo apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Los campos válidos desde y válidos hasta son obligatorios para el acumulado +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Para el artículo {0} en la fila {1}, el recuento de números de serie no coincide con la cantidad seleccionada" DocType: Purchase Invoice,GST Details,Detalles de GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Esto se basa en transacciones contra este profesional de la salud. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Correo electrónico enviado al proveedor {0} @@ -5079,6 +5146,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),El peso bruto del paquete. Peso + embalaje Normalmente material neto . (para impresión) DocType: Assessment Plan,Program,Programa DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Los usuarios con este rol pueden establecer cuentas congeladas y crear / modificar los asientos contables para las mismas +DocType: Plaid Settings,Plaid Environment,Ambiente a cuadros ,Project Billing Summary,Resumen de facturación del proyecto DocType: Vital Signs,Cuts,Cortes DocType: Serial No,Is Cancelled,Cancelado @@ -5140,7 +5208,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota : El sistema no verificará sobre-entregas y exceso de almacenamiento para el producto {0} ya que la cantidad es 0 DocType: Issue,Opening Date,Fecha de apertura apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Por favor guarde al paciente primero -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Hacer nuevo contacto apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,La asistencia ha sido marcada con éxito. DocType: Program Enrollment,Public Transport,Transporte Público DocType: Sales Invoice,GST Vehicle Type,Tipo de vehículo GST @@ -5166,6 +5233,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Listado de 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Primero agregue elementos en la tabla de ubicaciones de elementos DocType: Pricing Rule,Discount Amount,Descuento DocType: Pricing Rule,Period Settings,Configuraciones de período DocType: Purchase Invoice,Return Against Purchase Invoice,Devolución contra factura de compra @@ -5198,7 +5266,6 @@ DocType: Assessment Plan,Assessment Plan,Plan de Evaluación DocType: Travel Request,Fully Sponsored,Totalmente Patrocinado apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Invertir Entrada de Diario apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Crear tarjeta de trabajo -DocType: Shift Type,Consequence after,Consecuencia después DocType: Quality Procedure Process,Process Description,Descripción del proceso apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Se crea el Cliente {0}. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Actualmente no hay stock disponible en ningún almacén @@ -5233,6 +5300,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Fecha de liquidación DocType: Delivery Settings,Dispatch Notification Template,Plantilla de notificación de despacho apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Informe de evaluación apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Obtener Empleados +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 @@ -5326,7 +5394,6 @@ DocType: Stock Settings,Use Naming Series,Usar Series de Nomenclatura apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Ninguna acción apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Cargos de tipo de valoración no pueden marcado como Incluido DocType: POS Profile,Update Stock,Actualizar el Inventario -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Unidad de Medida diferente para elementos dará lugar a Peso Neto (Total) incorrecto. Asegúrese de que el peso neto de cada artículo esté en la misma Unidad de Medida. DocType: Certification Application,Payment Details,Detalles del Pago apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Coeficiente de la lista de materiales (LdM) @@ -5361,7 +5428,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Este es el vendedor principal y no se puede editar. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Si se selecciona, el valor especificado o calculado en este componente no contribuirá a las ganancias o deducciones. Sin embargo, su valor puede ser referenciado por otros componentes que se pueden agregar o deducir." -DocType: Asset Settings,Number of Days in Fiscal Year,Cantidad de Días en año Fiscal ,Stock Ledger,Mayor de Inventarios DocType: Company,Exchange Gain / Loss Account,Cuenta de Ganancias / Pérdidas en Cambio DocType: Amazon MWS Settings,MWS Credentials,Credenciales de MWS @@ -5396,6 +5462,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Columna en archivo bancario apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Dejar la aplicación {0} ya existe contra el estudiante {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,En cola para actualizar el último precio en todas las listas de materiales. Puede tomar algunos minutos. +DocType: Pick List,Get Item Locations,Obtener ubicaciones de artículos apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nombre de la nueva cuenta. Nota: Por favor no crear cuentas de clientes y proveedores DocType: POS Profile,Display Items In Stock,Mostrar Artículos en Stock apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Plantillas predeterminadas para un país en especial @@ -5419,6 +5486,7 @@ DocType: Crop,Materials Required,Materiales Necesarios apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,No se han encontrado estudiantes DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Exención HRA mensual DocType: Clinical Procedure,Medical Department,Departamento Médico +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Total de salidas tempranas DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Criterios de calificación de la tarjeta de puntaje del proveedor apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Fecha de la factura de envío apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Vender @@ -5430,11 +5498,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Elimine el empleado {0} \ para cancelar este documento" 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 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Tu perfil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Número de Depreciaciones Reservadas no puede ser mayor que el número total de Depreciaciones DocType: Purchase Order,Order Confirmation Date,Fecha de Confirmación del Pedido DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5528,7 +5595,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Hay inconsistencias entre la tasa, numero de acciones y la cantidad calculada" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Usted no está presente todos los días entre los días de solicitud de licencia compensatoria apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,"Por favor, vuelva a escribir nombre de la empresa para confirmar" -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Monto total pendiente DocType: Journal Entry,Printing Settings,Ajustes de impresión DocType: Payment Order,Payment Order Type,Tipo de orden de pago DocType: Employee Advance,Advance Account,Cuenta anticipada @@ -5617,7 +5683,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Nombre del Año apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Existen más vacaciones que días de trabajo en este mes. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Los siguientes elementos {0} no están marcados como {1} elemento. Puede habilitarlos como {1} elemento desde su Maestro de artículos -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Artículo del conjunto de productos DocType: Sales Partner,Sales Partner Name,Nombre de socio de ventas apps/erpnext/erpnext/hooks.py,Request for Quotations,Solicitud de Presupuestos @@ -5626,19 +5691,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Hojas +DocType: Leave Ledger Entry,Leaves,Hojas DocType: Student Language,Student Language,Idioma del Estudiante DocType: Cash Flow Mapping,Is Working Capital,Es Capital de Trabajo apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Enviar prueba apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Orden / Cotización % apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Registra las constantes vitales de los pacientes DocType: Fee Schedule,Institution,Institución -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: Asset,Partially Depreciated,Despreciables Parcialmente DocType: Issue,Opening Time,Hora de Apertura apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Desde y Hasta la fecha solicitada apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Cambios de valores y bienes -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Resumen de llamadas antes del {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Búsqueda de Documentos apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unidad de medida predeterminada para variante '{0}' debe ser la mismo que en la plantilla '{1}' DocType: Shipping Rule,Calculate Based On,Calculo basado en @@ -5684,6 +5747,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Valor Máximo Permitido 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 DocType: Lab Test Template,Sensitivity,Sensibilidad DocType: Plaid Settings,Plaid Settings,Configuración de cuadros apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,La sincronización se ha desactivado temporalmente porque se han excedido los reintentos máximos @@ -5701,6 +5765,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Por favor, seleccione fecha de publicación primero" apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Fecha de apertura debe ser antes de la Fecha de Cierre DocType: Travel Itinerary,Flight,Vuelo +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,De vuelta a casa DocType: Leave Control Panel,Carry Forward,Trasladar apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,El centro de costos con transacciones existentes no se puede convertir a libro mayor DocType: Budget,Applicable on booking actual expenses,Aplicable en la reserva de gastos reales @@ -5756,6 +5821,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Crear cotización apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Usted no está autorizado para aprobar ausencias en fechas bloqueadas apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Solicitud de {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Todos estos elementos ya fueron facturados +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,No se encontraron facturas pendientes para el {0} {1} que califican los filtros que ha especificado. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Establecer nueva Fecha de Lanzamiento DocType: Company,Monthly Sales Target,Objetivo Mensual de Ventas apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,No se encontraron facturas pendientes @@ -5802,6 +5868,7 @@ DocType: Water Analysis,Type of Sample,Tipo de Muestra DocType: Batch,Source Document Name,Nombre del documento de origen DocType: Production Plan,Get Raw Materials For Production,Obtener Materias Primas para Producción DocType: Job Opening,Job Title,Título del trabajo +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Ref. De pago futuro apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} indica que {1} no proporcionará una cita, pero todos los elementos \ han sido citados. Actualización del estado de cotización RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Las muestras máximas - {0} ya se han conservado para el lote {1} y el elemento {2} en el lote {3}. @@ -5812,12 +5879,10 @@ 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: Company,Product Code,Código de producto DocType: Quality Review Table,Objective,Objetivo DocType: Supplier Scorecard,Per Month,Por Mes DocType: Education Settings,Make Academic Term Mandatory,Hacer el término académico obligatorio -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,La cantidad a producir debe ser mayor que 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Calcular el Cronograma de Depreciación Prorrateada según el Año Fiscal +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,La cantidad a producir debe ser mayor que 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Reporte de visitas para mantenimiento DocType: Stock Entry,Update Rate and Availability,Actualización de tarifas y disponibilidad 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.,"El porcentaje que ud. tiene permitido para recibir o enviar mas de la cantidad ordenada. Por ejemplo: Si ha pedido 100 unidades, y su asignación es del 10%, entonces tiene permitido recibir hasta 110 unidades." @@ -5828,7 +5893,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,La fecha de lanzamiento debe ser en el futuro DocType: BOM,Website Description,Descripción del Sitio Web apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Cambio en el Patrimonio Neto -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Por favor primero cancele la Factura de Compra {0} apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,No permitido. Deshabilite el Tipo de Unidad de Servicio apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Dirección de correo electrónico debe ser única, ya existe para {0}" DocType: Serial No,AMC Expiry Date,Fecha de caducidad de CMA (Contrato de Mantenimiento Anual) @@ -5872,6 +5936,7 @@ DocType: Pricing Rule,Price Discount Scheme,Esquema de descuento de precio apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,El Estado de Mantenimiento debe ser Cancelado o Completado para Enviar DocType: Amazon MWS Settings,US,Estados Unidos DocType: Holiday List,Add Weekly Holidays,Añadir Vacaciones Semanales +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Reportar articulo DocType: Staffing Plan Detail,Vacancies,Vacantes DocType: Hotel Room,Hotel Room,Habitación de Hotel apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},La cuenta {0} no pertenece a la compañía {1} @@ -5923,12 +5988,15 @@ DocType: Email Digest,Open Quotations,Cotizaciones Abiertas 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Elimine el empleado {0} \ para cancelar este documento" 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 @@ -5942,6 +6010,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Vacante DocType: Patient,Alcohol Past Use,Uso Pasado de Alcohol DocType: Fertilizer Content,Fertilizer Content,Contenido de Fertilizante +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Sin descripción apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cred DocType: Tax Rule,Billing State,Región de facturación DocType: Quality Goal,Monitoring Frequency,Frecuencia de monitoreo @@ -5959,6 +6028,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,La fecha de finalización no puede ser anterior a la fecha del próximo contacto. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Entradas por lotes DocType: Journal Entry,Pay To / Recd From,Pagar a / Recibido de +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Artículo no publicado DocType: Naming Series,Setup Series,Configurar secuencias DocType: Payment Reconciliation,To Invoice Date,Fecha para Factura DocType: Bank Account,Contact HTML,HTML de Contacto @@ -5980,6 +6050,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Ventas al por menor DocType: Student Attendance,Absent,Ausente DocType: Staffing Plan,Staffing Plan Detail,Detalle del plan de personal DocType: Employee Promotion,Promotion Date,Fecha de Promoción +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,La asignación de permisos% s está vinculada con la solicitud de permisos% s 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} @@ -6014,9 +6085,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,La factura {0} ya no existe DocType: Guardian Interest,Guardian Interest,Interés del Tutor DocType: Volunteer,Availability,Disponibilidad +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,La solicitud de licencia está vinculada con las asignaciones de licencia {0}. La solicitud de licencia no se puede configurar como licencia sin paga apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Configurar los valores predeterminados para facturas de POS DocType: Employee Training,Training,Formación DocType: Project,Time to send,Hora de Enviar +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Esta página realiza un seguimiento de sus artículos en los que los compradores han mostrado cierto interés. DocType: Timesheet,Employee Detail,Detalle de los Empleados 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 @@ -6112,12 +6185,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valor de Apertura DocType: Salary Component,Formula,Fórmula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial #. -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: 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/setup/doctype/company/company.py,Sales Account,Cuenta de Ventas DocType: Purchase Invoice Item,Total Weight,Peso Total +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}" @@ -6141,6 +6214,7 @@ DocType: Company,Default Employee Advance Account,Cuenta Predeterminada de Antic apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Elemento de Búsqueda (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Cuenta con transacción existente no se puede eliminar +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,¿Por qué cree que este artículo debería eliminarse? DocType: Vehicle,Last Carbon Check,Último control de Carbono apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,GASTOS LEGALES apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,"Por favor, seleccione la cantidad en la fila" @@ -6160,6 +6234,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Desglose DocType: Travel Itinerary,Vegetarian,Vegetariano DocType: Patient Encounter,Encounter Date,Fecha de Encuentro +DocType: Work Order,Update Consumed Material Cost In Project,Actualizar el costo del material consumido en el proyecto apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con divisa: {1} no puede ser seleccionada DocType: Bank Statement Transaction Settings Item,Bank Data,Datos Bancarios DocType: Purchase Receipt Item,Sample Quantity,Cantidad de Muestra @@ -6214,7 +6289,7 @@ DocType: GSTR 3B Report,April,abril 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Nota : El producto {0} ha sido ingresado varias veces +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Nota : El producto {0} ha sido ingresado varias veces apps/erpnext/erpnext/config/buying.py,All Contacts.,Todos los Contactos. DocType: Accounting Period,Closed Documents,Documentos Cerrados 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 @@ -6296,9 +6371,7 @@ DocType: Member,Membership Type,Tipo de Membresía ,Reqd By Date,Fecha de solicitud apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Acreedores DocType: Assessment Plan,Assessment Name,Nombre de la Evaluación -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Mostrar Cheque Postdatado en Imprimir apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Fila #{0}: El número de serie es obligatorio -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,No se encontraron facturas pendientes para el {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detalle de Impuestos DocType: Employee Onboarding,Job Offer,Oferta de Trabajo apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abreviatura del Instituto @@ -6356,6 +6429,7 @@ DocType: Serial No,Out of Warranty,Fuera de garantía DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Tipo de Datos Asignados DocType: BOM Update Tool,Replace,Reemplazar apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,No se encuentran productos +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Publica más artículos apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Este Acuerdo de nivel de servicio es específico para el Cliente {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} contra la factura de ventas {1} DocType: Antibiotic,Laboratory User,Usuario del Laboratorio @@ -6378,7 +6452,6 @@ DocType: Payment Order Reference,Bank Account Details,Detalles de cuenta bancari DocType: Purchase Order Item,Blanket Order,Orden de la Manta 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},La Orden de Producción ha sido {0} DocType: BOM Item,BOM No,Lista de materiales (LdM) No. 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 @@ -6451,6 +6524,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Suministros gravables al exterior (tasa cero) DocType: BOM,Materials Required (Exploded),Materiales Necesarios (Despiece) 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/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 @@ -6508,7 +6582,6 @@ DocType: Pricing Rule,Same Item,Mismo articulo DocType: Stock Ledger Entry,Stock Ledger Entry,Entradas en el mayor de inventarios DocType: Quality Action Resolution,Quality Action Resolution,Resolución de acción de calidad apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} estará ausente medio día en {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,El mismo artículo se ha introducido varias veces DocType: Department,Leave Block List,Dejar lista de bloqueo DocType: Purchase Invoice,Tax ID,ID de impuesto apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,"El producto {0} no está configurado para utilizar Números de Serie, la columna debe permanecer en blanco" @@ -6546,7 +6619,7 @@ DocType: Cheque Print Template,Distance from top edge,Distancia desde el borde s 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 DocType: Purchase Invoice,Return,Retornar -DocType: Accounting Dimension,Disable,Desactivar +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 DocType: Task,Pending Review,Pendiente de revisar apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Edite en la página completa para obtener más opciones como activos, números de serie, lotes, etc." @@ -6659,7 +6732,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,La porción combinada de la factura debe ser igual al 100% DocType: Item Default,Default Expense Account,Cuenta de gastos por defecto DocType: GST Account,CGST Account,Cuenta CGST -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 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,ID de Correo Electrónico de Estudiante DocType: Employee,Notice (days),Aviso (días) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Facturas de cupones de cierre de POS @@ -6670,6 +6742,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Seleccione artículos para guardar la factura DocType: Employee,Encashment Date,Fecha de Cobro DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Información del vendedor DocType: Special Test Template,Special Test Template,Plantilla de Prueba Especial DocType: Account,Stock Adjustment,Ajuste de existencias apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Existe una actividad de costo por defecto para la actividad del tipo - {0} @@ -6681,7 +6754,6 @@ 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 -DocType: Company,Bank Remittance Settings,Configuración de remesas bancarias apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tasa Promedio 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" @@ -6709,6 +6781,7 @@ DocType: Grading Scale Interval,Threshold,Límite apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtrar por empleados (Opcional) DocType: BOM Update Tool,Current BOM,Lista de materiales (LdM) actual apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Balance (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Cantidad de artículos terminados apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Agregar No. de serie DocType: Work Order Item,Available Qty at Source Warehouse,Cantidad Disponible en Almacén Fuente apps/erpnext/erpnext/config/support.py,Warranty,Garantía @@ -6787,7 +6860,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aquí usted puede ingresar la altura, el peso, alergias, problemas médicos, etc." apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Creando Cuentas ... DocType: Leave Block List,Applies to Company,Se aplica a la empresa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,No se puede cancelar debido a que existe una entrada en el almacén {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,No se puede cancelar debido a que existe una entrada en el almacén {0} DocType: Loan,Disbursement Date,Fecha de desembolso DocType: Service Level Agreement,Agreement Details,Detalles del acuerdo apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,La fecha de inicio del acuerdo no puede ser mayor o igual que la fecha de finalización. @@ -6796,6 +6869,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Registro Médico DocType: Vehicle,Vehicle,Vehículo DocType: Purchase Invoice,In Words,En palabras +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Hasta la fecha debe ser anterior a la fecha apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Ingrese el nombre del banco o institución de crédito antes de enviarlo. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} debe enviarse DocType: POS Profile,Item Groups,Grupos de productos @@ -6867,7 +6941,6 @@ DocType: Customer,Sales Team Details,Detalles del equipo de ventas. apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Eliminar de forma permanente? DocType: Expense Claim,Total Claimed Amount,Total reembolso apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Oportunidades de venta. -DocType: Plaid Settings,Link a new bank account,Vincular una nueva cuenta bancaria apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} es un estado de asistencia no válido. DocType: Shareholder,Folio no.,Folio Nro. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},No válida {0} @@ -6883,7 +6956,6 @@ DocType: Production Plan,Material Requested,Material Solicitado DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Cantidad reservada para Subcontrato DocType: Patient Service Unit,Patinet Service Unit,Unidad de Servicio al Paciente -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Generar archivo de texto DocType: Sales Invoice,Base Change Amount (Company Currency),Importe de Cambio Base (Divisa de la Empresa) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,No hay asientos contables para los siguientes almacenes apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Solo {0} en stock para el artículo {1} @@ -6897,6 +6969,7 @@ DocType: Item,No of Months,Número de Meses DocType: Item,Max Discount (%),Descuento máximo (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Los Días de Crédito no pueden ser negativos apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Subir una declaración +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Reportar este artículo DocType: Purchase Invoice Item,Service Stop Date,Fecha de Finalización del Servicio apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Monto de la última orden DocType: Cash Flow Mapper,e.g Adjustments for:,"por ejemplo, Ajustes para:" @@ -6990,16 +7063,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Categoría de Exención Fiscal del Empleado apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,La cantidad no debe ser menor que cero. DocType: Sales Invoice,C-Form Applicable,C -Forma Aplicable -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},El tiempo de operación debe ser mayor que 0 para {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},El tiempo de operación debe ser mayor que 0 para {0} DocType: Support Search Source,Post Route String,Publicar cadena de ruta apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Almacén es Obligatorio apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Error al crear el sitio web DocType: Soil Analysis,Mg/K,Mg/K DocType: UOM Conversion Detail,UOM Conversion Detail,Detalles de conversión de unidad de medida (UdM) apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Admisión e Inscripción -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Entrada de Inventario de Retención ya creada o Cantidad de muestra no proporcionada +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Entrada de Inventario de Retención ya creada o Cantidad de muestra no proporcionada DocType: Program,Program Abbreviation,Abreviatura del Programa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,La orden de producción no se puede asignar a una plantilla de producto apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Agrupar por Voucher (Consolidado) DocType: HR Settings,Encrypt Salary Slips in Emails,Cifrar recibos de sueldo en correos electrónicos DocType: Question,Multiple Correct Answer,Respuesta correcta múltiple @@ -7046,7 +7118,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Está nulo o exento DocType: Employee,Educational Qualification,Formación académica DocType: Workstation,Operating Costs,Costos operativos apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Moneda para {0} debe ser {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Consecuencia del período de gracia de entrada DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Marque la asistencia basada en 'Registro de empleados' para los empleados asignados a este turno. DocType: Asset,Disposal Date,Fecha de eliminación DocType: Service Level,Response and Resoution Time,Tiempo de respuesta y respuesta @@ -7094,6 +7165,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Fecha de finalización DocType: Purchase Invoice Item,Amount (Company Currency),Importe (Divisa por defecto) DocType: Program,Is Featured,Es destacado +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Atractivo... DocType: Agriculture Analysis Criteria,Agriculture User,Usuario de Agricultura apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,La fecha de vencimiento no puede ser anterior a la fecha de la transacción apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unidades de {1} necesaria en {2} sobre {3} {4} {5} para completar esta transacción. @@ -7126,7 +7198,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Monto total pagado 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 @@ -7150,6 +7221,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anónimo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Recibido de 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: 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} @@ -7264,7 +7336,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Sincronización de Impuesto 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,BOM por defecto para {0} no encontrado +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Toca los elementos para agregarlos aquí @@ -7298,7 +7370,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Fecha de Mantenimiento DocType: Purchase Invoice Item,Rejected Serial No,No. de serie rechazado apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Fecha de inicio de año o fecha de finalización de año está traslapando con {0}. Para evitar porfavor establezca empresa -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Por favor mencione el nombre principal en la iniciativa {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},La fecha de inicio debe ser menor que la fecha de finalización para el producto {0} DocType: Shift Type,Auto Attendance Settings,Configuraciones de asistencia automática @@ -7309,9 +7380,11 @@ DocType: Upload Attendance,Upload Attendance,Subir Asistencia apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Se requiere la lista de materiales (LdM) y cantidad a manufacturar. apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Rango de antigüedad 2 DocType: SG Creation Tool Course,Max Strength,Fuerza Máx +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","La cuenta {0} ya existe en la empresa secundaria {1}. Los siguientes campos tienen valores diferentes, deben ser los mismos:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instalación de Presets DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},No se ha seleccionado ninguna Nota de Entrega para el Cliente {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Filas agregadas en {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,El Empleado {0} no tiene una cantidad de beneficio máximo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Seleccionar Elementos según la Fecha de Entrega DocType: Grant Application,Has any past Grant Record,Tiene algún registro de subvención anterior @@ -7355,6 +7428,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Detalles del Estudiante DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Esta es la UOM predeterminada utilizada para artículos y pedidos de ventas. El UOM alternativo es "Nos". DocType: Purchase Invoice Item,Stock Qty,Cantidad de existencias +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 DocType: Loan,Repayment Period in Months,Plazo de devolución en Meses @@ -7383,6 +7457,7 @@ DocType: Authorization Rule,Customerwise Discount,Descuento de Cliente apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Tabla de Tiempo para las tareas. DocType: Purchase Invoice,Against Expense Account,Contra la Cuenta de Gastos apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,La nota de instalación {0} ya se ha validado +DocType: BOM,Raw Material Cost (Company Currency),Costo de materia prima (moneda de la empresa) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Alquiler de casa pagado días superpuestos con {0} DocType: GSTR 3B Report,October,octubre DocType: Bank Reconciliation,Get Payment Entries,Obtener registros de pago @@ -7429,15 +7504,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Disponible para la fecha de uso es obligatorio DocType: Request for Quotation,Supplier Detail,Detalle del proveedor apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Error Fórmula o Condición: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Cantidad facturada +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Cantidad facturada apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Los pesos de los criterios deben sumar hasta el 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Asistencia apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Artículos en stock DocType: Sales Invoice,Update Billed Amount in Sales Order,Actualizar el Importe Facturado en la Orden de Venta +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Contacte al vendedor 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,La cantidad en palabras será visible una vez que guarde la orden de compra. @@ -7451,6 +7528,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Configuracion de las listas de precios DocType: Task,Review Date,Fecha de Revisión DocType: BOM,Allow Alternative Item,Permitir Elemento Alternativo +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,El recibo de compra no tiene ningún artículo para el que esté habilitada la opción Conservar muestra. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Factura Gran Total DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Series para la Entrada de Depreciación de Activos (Entrada de Diario) DocType: Membership,Member Since,Miembro Desde @@ -7460,6 +7538,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Sobre el total neto 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},Valor del atributo {0} debe estar dentro del rango de {1} a {2} en los incrementos de {3} para el artículo {4} DocType: Pricing Rule,Product Discount Scheme,Esquema de descuento de producto +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,La persona que llama no ha planteado ningún problema. DocType: Restaurant Reservation,Waitlisted,En Lista de Espera DocType: Employee Tax Exemption Declaration Category,Exemption Category,Categoría de Exención apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,El tipo de moneda/divisa no se puede cambiar después de crear la entrada contable @@ -7473,7 +7552,6 @@ DocType: Customer Group,Parent Customer Group,Categoría principal de cliente apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON solo se puede generar a partir de la factura de ventas apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,¡Intentos máximos para este cuestionario alcanzado! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Suscripción -DocType: Purchase Invoice,Contact Email,Correo electrónico de contacto apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Creación de Cuotas Pendientes DocType: Project Template Task,Duration (Days),Duración (Días) DocType: Appraisal Goal,Score Earned,Puntuación Obtenida. @@ -7498,7 +7576,6 @@ DocType: Landed Cost Item,Landed Cost Item,Costos de destino estimados 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","El monto para una transacción individual excede el monto máximo permitido, cree una orden de pago separada dividiendo las transacciones" 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 @@ -7666,6 +7743,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Dispo DocType: Quality Inspection Reading,Reading 3,Lectura 3 DocType: Stock Entry,Source Warehouse Address,Dirección del Almacén de Origen DocType: GL Entry,Voucher Type,Tipo de Comprobante +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Pagos futuros 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 @@ -7692,6 +7770,7 @@ DocType: Travel Request,Identification Document Number,Numero de Documento de Id 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." DocType: Sales Invoice,Customer GSTIN,GSTIN del Cliente DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Lista de enfermedades detectadas en el campo. Cuando se selecciona, agregará automáticamente una lista de tareas para lidiar con la enfermedad" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Esta es una unidad de servicio de atención de salud raíz y no se puede editar. DocType: Asset Repair,Repair Status,Estado de Reparación 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." @@ -7706,6 +7785,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Cuenta para Monto de Cambio DocType: QuickBooks Migrator,Connecting to QuickBooks,Conectando a QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Ganancia / Pérdida Total +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Crear lista de selección apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Línea {0}: Socio / Cuenta no coincide con {1} / {2} en {3} {4} DocType: Employee Promotion,Employee Promotion,Promoción del Empleado DocType: Maintenance Team Member,Maintenance Team Member,Miembro del Equipo de Mantenimiento @@ -7788,6 +7868,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,El salario neto no puede ser negativo @@ -7819,7 +7900,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Objetivo de calidad DocType: BOM,Item to be manufactured or repacked,Producto a manufacturar o re-empacar apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Error de sintaxis en la condición: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,No hay problema planteado por el cliente. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Principales / Asignaturas Optativas apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,"Por favor, configure el grupo de proveedores en las configuraciones de compra." @@ -7912,8 +7992,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Días de Crédito apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Seleccione Paciente para obtener Pruebas de Laboratorio DocType: Exotel Settings,Exotel Settings,Configuraciones de Exotel -DocType: Leave Type,Is Carry Forward,Es un traslado +DocType: Leave Ledger Entry,Is Carry Forward,Es un traslado DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Horas de trabajo por debajo de las cuales se marca Ausente. (Cero para deshabilitar) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Enviar un mensaje apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Obtener productos desde lista de materiales (LdM) 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 diff --git a/erpnext/translations/es_pe.csv b/erpnext/translations/es_pe.csv index cb9afdb613..e858cfb176 100644 --- a/erpnext/translations/es_pe.csv +++ b/erpnext/translations/es_pe.csv @@ -57,7 +57,7 @@ DocType: Email Digest,New Sales Orders,Nueva Órden de Venta DocType: Work Order Operation,Updated via 'Time Log',Actualizado a través de 'Hora de Registro' DocType: Naming Series,Series List for this Transaction,Lista de series para esta transacción DocType: Delivery Note Item,Against Sales Invoice Item,Contra la Factura de Venta de Artículos -DocType: Delivery Stop,Contact Name,Nombre del Contacto +DocType: Call Log,Contact Name,Nombre del Contacto 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}: Por favor, consulte ""¿Es Avance 'contra la Cuenta {1} si se trata de una entrada con antelación." apps/erpnext/erpnext/stock/utils.py,Warehouse {0} does not belong to company {1},Almacén {0} no pertenece a la empresa {1} DocType: Stock Reconciliation Item,Stock Reconciliation Item,Articulo de Reconciliación de Inventario @@ -70,7 +70,7 @@ DocType: Territory,Set Item Group-wise budgets on this Territory. You can also i DocType: Maintenance Schedule,Generate Schedule,Generar Horario apps/erpnext/erpnext/config/crm.py,Manage Sales Person Tree.,Vista en árbol para la administración de las categoría de vendedores DocType: Item,Synced With Hub,Sincronizado con Hub -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',La cantidad completada no puede ser mayor que la cantidad a producir +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',La cantidad completada no puede ser mayor que la cantidad a producir DocType: Period Closing Voucher,Closing Account Head,Cuenta de cierre principal DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificarme por Email cuando se genere una nueva solicitud de materiales apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery Note,Notas de Entrega @@ -179,7 +179,7 @@ DocType: Purchase Taxes and Charges,On Previous Row Total,En la Anterior Fila To apps/erpnext/erpnext/public/js/setup_wizard.js,The name of your company for which you are setting up this system.,El nombre de su empresa para la que va a configurar el sistema. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Purchase Receipt,Recibos de Compra apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Número de orden {0} no pertenece al elemento {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Cant. Necesaria +DocType: Purchase Order Item Supplied,Required Qty,Cant. Necesaria DocType: Bank Reconciliation,Account Currency,Moneda de la Cuenta apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,"Por favor, indique la cuenta que utilizará para el redondeo--" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Empleado {0} no está activo o no existe @@ -229,7 +229,7 @@ DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary DocType: Tally Migration,UOMs,Unidades de Medida apps/erpnext/erpnext/stock/utils.py,{0} valid serial nos for Item {1},{0} No. de serie válidos para el producto {1} apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Cost Center For Item with Item Code ',Centro de Costos para artículo con Código del artículo ' -DocType: Email Campaign,Lead,Iniciativas +DocType: Call Log,Lead,Iniciativas apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila # {0}: Rechazado Cantidad no se puede introducir en la Compra de Retorno ,Purchase Order Items To Be Billed,Ordenes de Compra por Facturar DocType: Purchase Invoice Item,Net Rate,Tasa neta @@ -366,7 +366,7 @@ DocType: Employee,Leave Encashed?,Vacaciones Descansadas? apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,There is not enough leave balance for Leave Type {0},No hay suficiente saldo para Tipo de Vacaciones {0} DocType: Sales Invoice Item,Customer's Item Code,Código de artículo del Cliente DocType: Stock Reconciliation,Stock Reconciliation,Reconciliación de Inventario -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Se requiere un Almacen de Trabajo en Proceso antes de Enviar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Se requiere un Almacen de Trabajo en Proceso antes de Enviar DocType: Supplier,Statutory info and other general information about your Supplier,Información legal y otra información general acerca de su proveedor apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Against Journal Entry {0} does not have any unmatched {1} entry,Contra la Entrada de Diario {0} no tiene ninguna {1} entrada que vincular apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Duplicate Serial No entered for Item {0},Duplicar Serie No existe para la partida {0} @@ -429,7 +429,6 @@ apps/erpnext/erpnext/hooks.py,Shipments,Los envíos DocType: Purchase Invoice,In Words (Company Currency),En palabras (Moneda Local) DocType: Bank Guarantee,Supplier,Proveedores apps/erpnext/erpnext/controllers/stock_controller.py,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Cuenta de Gastos o Diferencia es obligatorio para el elemento {0} , ya que impacta el valor del stock" -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Mayor DocType: Leave Application,Total Leave Days,Total Vacaciones apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,{0} is mandatory for Item {1},{0} es obligatorio para el producto {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Sales Order required for Item {0},Orden de Venta requerida para el punto {0} @@ -445,8 +444,6 @@ DocType: Purchase Invoice Item,Weight UOM,Peso Unidad de Medida DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Los usuarios que pueden aprobar las solicitudes de licencia de un empleado específico apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electrónica DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Enviar solicitud de materiales cuando se alcance un nivel bajo el stock -DocType: Employee,Contact Details,Datos del Contacto -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Total Monto Facturado DocType: Cashier Closing,To Time,Para Tiempo apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Payable account,Crédito a la cuenta debe ser una cuenta por pagar DocType: Job Card Time Log,Completed Qty,Cant. Completada @@ -483,7 +480,6 @@ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalle de Cale DocType: Supplier,Is Frozen,Está Inactivo DocType: Payment Gateway Account,Payment Account,Pago a cuenta apps/erpnext/erpnext/setup/doctype/company/company.js,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, asegúrese que realmente desea borrar todas las transacciones de esta compañía. Sus datos maestros permanecerán intactos. Esta acción no se puede deshacer." -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no puede ser mayor que cantidad planificada ({2}) en la Orden de Producción {3} DocType: Shipping Rule,Shipping Rule Label,Regla Etiqueta de envío apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Raw Materials cannot be blank.,Materias primas no pueden estar en blanco. apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,No se puede cambiar la tasa si hay una Solicitud de Materiales contra cualquier artículo @@ -506,7 +502,6 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Stock Entry apps/erpnext/erpnext/config/accounting.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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Primero la nota de entrega DocType: Purchase Invoice,Currency and Price List,Divisa y Lista de precios apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js,Row {0}:Start Date must be before End Date,Fila {0}: Fecha de inicio debe ser anterior Fecha de finalización DocType: Purchase Receipt,Time at which materials were received,Momento en que se recibieron los materiales @@ -561,7 +556,7 @@ DocType: Quotation,Rate at which customer's currency is converted to company's b DocType: Purchase Invoice Item,Net Rate (Company Currency),Tasa neta (Moneda Local) apps/erpnext/erpnext/config/crm.py,Manage Territory Tree.,Vista en árbol para la administración de los territorios DocType: Journal Entry Account,Party Balance,Saldo de socio -DocType: Stock Entry,Material Transfer for Manufacture,Trasferencia de Material para Manufactura +DocType: Pick List,Material Transfer for Manufacture,Trasferencia de Material para Manufactura apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Asiento contable de inventario DocType: Sales Invoice,Sales Team1,Team1 Ventas DocType: Account,Root Type,Tipo Root @@ -579,7 +574,6 @@ 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. -DocType: BOM,Exploded_items,Vista detallada 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 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Número de orden {0} creado @@ -613,6 +607,7 @@ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py,Material Re apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Lower Income,Ingreso Bajo apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Source and target warehouse cannot be same for row {0},Fuente y el almacén de destino no pueden ser la misma para la fila {0} apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,Purchase Order number required for Item {0},Número de la Orden de Compra se requiere para el elemento {0} +DocType: Leave Allocation,Carry Forwarded Leaves,Mover ausencias reenviadas apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Desde fecha' debe ser después de 'Hasta Fecha' ,Stock Projected Qty,Cantidad de Inventario Proyectada apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Customer {0} does not belong to project {1},Cliente {0} no pertenece a proyectar {1} @@ -678,7 +673,6 @@ DocType: POS Item Group,Item Group,Grupo de artículos DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impuestos y Cargos Añadidos (Moneda Local) 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Monto Total Soprepasado apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Automotive,Automotor DocType: Cashier Closing,From Time,Desde fecha apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Investment Banking,Banca de Inversión @@ -803,7 +797,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Piecework DocType: Task,Actual Time (in Hours),Tiempo actual (En horas) DocType: Department,Leave Block List,Lista de Bloqueo de Vacaciones DocType: Purchase Invoice,Return,Retorno -DocType: Accounting Dimension,Disable,Inhabilitar +DocType: Account,Disable,Inhabilitar apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Órden de Venta {0} no esta presentada DocType: Purchase Order Item,Last Purchase Rate,Tasa de Cambio de la Última Compra apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Stock cannot exist for Item {0} since has variants,Inventario no puede existir para el punto {0} ya tiene variantes @@ -876,7 +870,6 @@ DocType: Purchase Invoice Item,Amount (Company Currency),Importe (Moneda Local) apps/erpnext/erpnext/config/retail.py,Point-of-Sale Profile,Perfiles del Punto de Venta POS DocType: Cost Center,Cost Center Name,Nombre Centro de Costo DocType: Maintenance Schedule Detail,Scheduled Date,Fecha prevista -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Total Pagado Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Los mensajes de más de 160 caracteres se dividirá en varios mensajes ,Serial No Service Contract Expiry,Número de orden de servicio Contrato de caducidad DocType: Naming Series,Help HTML,Ayuda HTML @@ -979,7 +972,7 @@ DocType: Manufacturing Settings,Allow Production on Holidays,Permitir Producció apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Capital Stock,Capital Social DocType: Packing Slip,Package Weight Details,Peso Detallado del Paquete apps/erpnext/erpnext/config/projects.py,Project master.,Proyecto maestro -DocType: Leave Type,Is Carry Forward,Es llevar adelante +DocType: Leave Ledger Entry,Is Carry Forward,Es llevar adelante apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Obtener elementos de la Solicitud de Materiales apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Lead Time Days,Tiempo de Entrega en Días apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Bill of Materials,Lista de materiales (LdM) diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv index 5e8d1255bb..325ef968d8 100644 --- a/erpnext/translations/et.csv +++ b/erpnext/translations/et.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Teavita tarnija apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Palun valige Party Type esimene DocType: Item,Customer Items,Kliendi Esemed +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Kohustused DocType: Project,Costing and Billing,Kuluarvestus ja arvete apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Ettemaksukonto valuuta peaks olema sama kui ettevõtte valuuta {0} DocType: QuickBooks Migrator,Token Endpoint,Tokeni lõpp-punkt @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Vaikemõõtühik DocType: SMS Center,All Sales Partner Contact,Kõik Sales Partner Kontakt DocType: Department,Leave Approvers,Jäta approvers DocType: Employee,Bio / Cover Letter,Bio / kaaskirjaga +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Üksuste otsimine ... DocType: Patient Encounter,Investigations,Uuringud DocType: Restaurant Order Entry,Click Enter To Add,"Klõpsake nuppu Lisa, et lisada" apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Puudub parool, API-võti või Shopify URL-i väärtus" DocType: Employee,Rented,Üürikorter apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Kõik kontod apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Tööandja ei saa üle kanda olekuga vasakule -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Tootmise lõpetanud tellimust ei ole võimalik tühistada, ummistust kõigepealt tühistama" DocType: Vehicle Service,Mileage,kilometraaž apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Kas tõesti jäägid see vara? DocType: Drug Prescription,Update Schedule,Värskendage ajakava @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Klienditeenindus DocType: Purchase Receipt Item,Required By,Nõutud DocType: Delivery Note,Return Against Delivery Note,Tagasi Against Saateleht DocType: Asset Category,Finance Book Detail,Finantsraamatu üksikasjad +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Kõik amortisatsioonid on broneeritud DocType: Purchase Order,% Billed,% Maksustatakse apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Palganumber apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),"Vahetuskurss peab olema sama, {0} {1} ({2})" @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Partii Punkt lõppemine staatus apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Pangaveksel DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Hiline kanne kokku DocType: Mode of Payment Account,Mode of Payment Account,Makseviis konto apps/erpnext/erpnext/config/healthcare.py,Consultation,Konsulteerimine DocType: Accounts Settings,Show Payment Schedule in Print,Kuva maksegraafik Prindis @@ -121,8 +124,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,La apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Peamised kontaktandmed apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Avatud küsimused DocType: Production Plan Item,Production Plan Item,Tootmise kava toode +DocType: Leave Ledger Entry,Leave Ledger Entry,Jäta pearaamatu kanne 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} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},Välja {0} suurus on {1} piiratud 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 @@ -140,6 +143,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Mak DocType: Purchase Invoice Item,Item Weight Details,Artikli kaal detailid DocType: Asset Maintenance Log,Periodicity,Perioodilisus apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Fiscal Year {0} on vajalik +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Puhaskasum / -kahjum DocType: Employee Group Table,ERPNext User ID,ERPNext kasutaja ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimaalne vahemaa taimede ridade vahel optimaalse kasvu jaoks apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Määratud protseduuri saamiseks valige patsient @@ -167,10 +171,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Müügi hinnakiri DocType: Patient,Tobacco Current Use,Tubaka praegune kasutamine apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Müügihind -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Enne uue konto lisamist salvestage dokument 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 ... 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 @@ -233,6 +237,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Pens DocType: Exchange Rate Revaluation Account,Gain/Loss,Kasum / kahjum DocType: Crop,Perennial,Mitmeaastane DocType: Program,Is Published,Avaldatakse +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Kuva saatelehed apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",Ülearvelduse lubamiseks värskendage konto seadetes või üksuses jaotist "Üle arvelduse hüvitis". DocType: Patient Appointment,Procedure,Menetlus DocType: Accounts Settings,Use Custom Cash Flow Format,Kasutage kohandatud rahavoogude vormingut @@ -262,7 +267,6 @@ 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} DocType: Leave Policy,Leave Policy Details,Jäta poliitika üksikasjad DocType: BOM,Item Image (if not slideshow),Punkt Image (kui mitte slideshow) -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} on kohustuslik rahaülekannete tegemiseks, määrake väli ja proovige uuesti" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tunnihind / 60) * Tegelik tööaeg apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rida # {0}: võrdlusdokumendi tüüp peab olema kulukuse või ajakirja sisestamise üks apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Vali Bom @@ -282,6 +286,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Tagastama Üle perioodide arv apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Toodetav kogus ei või olla väiksem kui Null DocType: Stock Entry,Additional Costs,Lisakulud +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> kliendigrupp> territoorium apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Konto olemasolevate tehing ei ole ümber rühm. DocType: Lead,Product Enquiry,Toode Luure DocType: Education Settings,Validate Batch for Students in Student Group,Kinnita Partii üliõpilastele Student Group @@ -293,7 +298,9 @@ DocType: Employee Education,Under Graduate,Under koolilõpetaja apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,"Palun määrake vaikimisi malli, kui jätate oleku märguande menüüsse HR-seaded." apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Target On DocType: BOM,Total Cost,Total Cost +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Jaotus on aegunud! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maksimaalne edastatud lehtede arv DocType: Salary Slip,Employee Loan,töötaja Loan DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY.-. MM.- DocType: Fee Schedule,Send Payment Request Email,Saada maksetellingu e-posti aadress @@ -303,6 +310,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Kinnis apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Kontoteatis apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmaatsia DocType: Purchase Invoice Item,Is Fixed Asset,Kas Põhivarade +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Kuva tulevased maksed DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,See pangakonto on juba sünkroonitud DocType: Homepage,Homepage Section,Kodulehe jaotis @@ -348,7 +356,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Väetis apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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" -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Vähemalt üks makseviis on vajalik POS arve. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Partii nr on partiiga {0} vajalik DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Pangakonto tehingu arve kirje @@ -423,6 +430,7 @@ DocType: Job Offer,Select Terms and Conditions,Vali Tingimused apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,välja väärtus DocType: Bank Statement Settings Item,Bank Statement Settings Item,Pangakonto sätete punkt DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce seaded +DocType: Leave Ledger Entry,Transaction Name,Tehingu nimi DocType: Production Plan,Sales Orders,Müügitellimuste apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Kliendile leitud mitmekordne lojaalsusprogramm. Palun vali käsitsi. DocType: Purchase Taxes and Charges,Valuation,Väärtustamine @@ -457,6 +465,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Kuva ainult nende kliendirühmade klient DocType: Sales Invoice,Is Opening Entry,Avab Entry @@ -465,8 +474,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Nimetatakse mittestandardsete saadaoleva arvesse kohaldatavat 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 DocType: Supplier Scorecard,Criteria Setup,Kriteeriumide seadistamine -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Sest Warehouse on vaja enne Esita +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 DocType: Codification Table,Medical Code,Meditsiinikood apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Ühendage Amazon ERPNextiga @@ -482,7 +492,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Pangakontod on lisatud -DocType: Delivery Stop,Contact Name,kontaktisiku nimi +DocType: Call Log,Contact Name,kontaktisiku nimi DocType: Plaid Settings,Synchronize all accounts every hour,Sünkroonige kõik kontod iga tund DocType: Course Assessment Criteria,Course Assessment Criteria,Muidugi Hindamiskriteeriumid DocType: Pricing Rule Detail,Rule Applied,Rakendatud reegel @@ -526,7 +536,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Tundmatu number DocType: Website Filter Field,Website Filter Field,Veebisaidi filtri väli apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Toite tüüp DocType: Material Request Item,Min Order Qty,Min Tellimus Kogus @@ -554,7 +563,6 @@ DocType: Salary Slip,Total Principal Amount,Põhisumma kokku DocType: Student Guardian,Relation,Seos DocType: Quiz Result,Correct,Õige DocType: Student Guardian,Mother,ema -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Esmalt lisage saidi_konfig.json kehtivad ruudulised api võtmed DocType: Restaurant Reservation,Reservation End Time,Reserveerimise lõpuaeg DocType: Crop,Biennial,Biennaal ,BOM Variance Report,BOM Variance Report @@ -570,6 +578,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Makse vastu {0} {1} ei saa olla suurem kui tasumata summa {2} @@ -617,12 +626,14 @@ DocType: POS Profile,Offline POS Settings,Võrguühenduseta POS-seaded DocType: Stock Entry Detail,Reference Purchase Receipt,Võrdlusostu kviitung DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variant Of -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Valminud Kogus ei saa olla suurem kui "Kogus et Tootmine" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Valminud Kogus ei saa olla suurem kui "Kogus et Tootmine" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Periood põhineb DocType: Period Closing Voucher,Closing Account Head,Konto sulgemise Head DocType: Employee,External Work History,Väline tööandjad apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Ringviide viga apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Õpilase aruanne apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,PIN-koodist +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Kuva müügiinimene DocType: Appointment Type,Is Inpatient,On statsionaarne apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Nimi DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Sõnades (Export) ilmuvad nähtavale kui salvestate saateleht. @@ -636,6 +647,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Mõõtme nimi apps/erpnext/erpnext/healthcare/setup.py,Resistant,Vastupidav apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Palun määrake hotelli hinnatase () +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: Journal Entry,Multi Currency,Multi Valuuta DocType: Bank Statement Transaction Invoice Item,Invoice Type,Arve Type apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Kehtiv alates kuupäevast peab olema väiksem kehtivast kuupäevast @@ -655,6 +667,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Tunnistas DocType: Workstation,Rent Cost,Üürile Cost 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Sündmuste kalender apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variant Atribuudid @@ -742,7 +755,6 @@ DocType: Request for Quotation,Request for Quotation,Hinnapäring 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Kuva müügipersonal trükitud kujul 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 @@ -750,7 +762,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Loo uus klient apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Aegumine on apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Kui mitu Hinnakujundusreeglid jätkuvalt ülekaalus, kasutajate palutakse määrata prioriteedi käsitsi lahendada konflikte." -DocType: Purchase Invoice,Scan Barcode,Skaneeri vöötkood apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Loo Ostutellimuste ,Purchase Register,Ostu Registreeri apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Patsient ei leitud @@ -809,6 +820,7 @@ DocType: Lead,Channel Partner,Channel Partner DocType: Account,Old Parent,Vana Parent apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Kohustuslik väli - Academic Year apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} ei ole seotud {2} {3} +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} @@ -850,6 +862,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Palk Component töögraafik põhineb palgal. DocType: Driver,Applicable for external driver,Kohaldatakse väline draiver DocType: Sales Order Item,Used for Production Plan,Kasutatakse tootmise kava +DocType: BOM,Total Cost (Company Currency),Kogumaksumus (ettevõtte valuuta) DocType: Loan,Total Payment,Kokku tasumine apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Tühistama tehingut lõpetatud töökorralduse jaoks. DocType: Manufacturing Settings,Time Between Operations (in mins),Aeg toimingute vahel (in minutit) @@ -871,6 +884,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Teata muudest DocType: Vital Signs,Blood Pressure (systolic),Vererõhk (süstoolne) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} on {2} DocType: Item Price,Valid Upto,Kehtib Upto +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. @@ -888,6 +902,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} muudatused apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Palun valige Company DocType: Employee Skill,Employee Skill,Töötaja oskus apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Erinevus konto @@ -931,6 +946,7 @@ DocType: Patient,Risk Factors,Riskifaktorid DocType: Patient,Occupational Hazards and Environmental Factors,Kutsealased ohud ja keskkonnategurid apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Tööpakkumiste jaoks juba loodud laoseisud apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Varasemate tellimuste vaatamine +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} vestlust DocType: Vital Signs,Respiratory rate,Hingamissagedus apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Tegevjuht Alltöövõtt DocType: Vital Signs,Body Temperature,Keha temperatuur @@ -972,6 +988,7 @@ DocType: Purchase Invoice,Registered Composition,Registreeritud koostis apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Tere apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Liiguta punkti DocType: Employee Incentive,Incentive Amount,Stimuleeriv summa +,Employee Leave Balance Summary,Töötaja lahkumisbilansi kokkuvõte DocType: Serial No,Warranty Period (Days),Garantii (päevades) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,"Krediit- ja deebetkaardi kogus peaks olema sama, mis seotud ajakirja kandmisega" DocType: Installation Note Item,Installation Note Item,Paigaldamine Märkus Punkt @@ -985,6 +1002,7 @@ DocType: Vital Signs,Bloated,Paisunud DocType: Salary Slip,Salary Slip Timesheet,Palgatõend Töögraafik apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Tarnija Warehouse kohustuslik allhanked ostutšekk DocType: Item Price,Valid From,Kehtib alates +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Sinu hinnang: DocType: Sales Invoice,Total Commission,Kokku Komisjoni DocType: Tax Withholding Account,Tax Withholding Account,Maksu kinnipidamise konto DocType: Pricing Rule,Sales Partner,Müük Partner @@ -992,6 +1010,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Kõik tarnija sko 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 +DocType: Item,Website Image,Veebisaidi pilt apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Lahtri sihtrida reas {0} peab olema sama kui töökorraldus apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Hindamine Rate on kohustuslik, kui algvaru sisestatud" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Salvestusi ei leitud Arvel tabelis @@ -1026,8 +1045,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},T 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Enne oma konto sünkroonimist täitke Plaid API konfiguratsioon 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 DocType: Job Applicant,Resume Attachment,Jätka Attachment @@ -1039,7 +1058,6 @@ DocType: Production Plan,Production Plan,Tootmisplaan DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Arve koostamise tööriista avamine DocType: Salary Component,Round to the Nearest Integer,Ümarda lähima täisarvuni apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Müügitulu -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Märkus: Kokku eraldatakse lehed {0} ei tohiks olla väiksem kui juba heaks lehed {1} perioodiks DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Määrake tehingute arv järjekorranumbriga ,Total Stock Summary,Kokku Stock kokkuvõte apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1067,6 +1085,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Loo apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,põhisumma DocType: Loan Application,Total Payable Interest,Kokku intressikulusid apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Kokku tasumata: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Avage kontakt DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Müügiarve Töögraafik 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 @@ -1076,6 +1095,7 @@ 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 DocType: Restaurant Reservation,Restaurant Reservation,Restorani broneering +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Teie esemed apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Ettepanek kirjutamine DocType: Payment Entry Deduction,Payment Entry Deduction,Makse Entry mahaarvamine DocType: Service Level Priority,Service Level Priority,Teenuse taseme prioriteet @@ -1084,6 +1104,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Partii number seeria apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Teine Sales Person {0} on olemas sama Töötaja id DocType: Employee Advance,Claimed Amount,Nõutud summa +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Aegumise jaotus 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" @@ -1152,7 +1173,6 @@ DocType: Student Batch Name,Batch Name,partii Nimi DocType: Fee Validity,Max number of visit,Maksimaalne külastuse arv DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Kohustuslik kasumiaruande jaoks ,Hotel Room Occupancy,Hotelli toa majutus -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Töögraafik on loodud: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Palun määra vaikimisi Raha või pangakonto makseviis {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,registreerima DocType: GST Settings,GST Settings,GST Seaded @@ -1283,6 +1303,7 @@ DocType: Sales Invoice,Commission Rate (%),Komisjoni Rate (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Palun valige Program DocType: Project,Estimated Cost,Hinnanguline maksumus DocType: Request for Quotation,Link to material requests,Link materjali taotlusi +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Avalda apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace ,Fichier des Ecritures Comptables [FEC],Ficier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Krediitkaart Entry @@ -1309,6 +1330,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Käibevara apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} ei ole laotoode apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Jagage oma koolituse kohta tagasisidet, klõpsates "Treening Tagasiside" ja seejärel "Uus"" +DocType: Call Log,Caller Information,Helistaja teave DocType: Mode of Payment Account,Default Account,Vaikimisi konto apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Esitage kõigepealt proovi võttehoidla varude seadistustes apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Palun valige mitme tasandi programmi tüüp rohkem kui ühe kogumise reeglite jaoks. @@ -1333,6 +1355,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Auto Material Taotlused Loodud DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Tööaeg, millest allapoole on märgitud pool päeva. (Null keelata)" DocType: Job Card,Total Completed Qty,Kokku valminud kogus +DocType: HR Settings,Auto Leave Encashment,Automaatne lahkumise krüpteerimine apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Kaotsi läinud apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Sa ei saa sisestada praegune voucher in "Against päevikusissekanne veerus DocType: Employee Benefit Application Detail,Max Benefit Amount,Maksimaalne hüvitise summa @@ -1362,9 +1385,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Abonent DocType: Item Attribute Value,Item Attribute Value,Punkt omadus Value apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valuutavahetus tuleb kohaldada ostmise või müügi suhtes. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Ainult aegunud jaotust saab tühistada DocType: Item,Maximum sample quantity that can be retained,"Maksimaalne proovikogus, mida on võimalik säilitada" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rida {0} # Item {1} ei saa üle anda {2} ostutellimuse vastu {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Müügikampaaniad. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Tundmatu helistaja DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1396,6 +1421,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Tervishoiu apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc nimi DocType: Expense Claim Detail,Expense Claim Type,Kuluhüvitussüsteeme Type DocType: Shopping Cart Settings,Default settings for Shopping Cart,Vaikimisi seaded Ostukorv +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Salvesta üksus apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Uus kulu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignoreeri olemasolevat tellitud kogust apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Lisage ajapilusid @@ -1408,6 +1434,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Vaadake saadetud saadetud kviitungi DocType: Shift Assignment,Shift Assignment,Shift Assignment DocType: Employee Transfer Property,Employee Transfer Property,Töötaja ülekande vara +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Välja omakapitali / kohustuste konto väli ei tohi olla tühi apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Ajast peaks olema vähem kui ajani apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotehnoloogia apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1489,11 +1516,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kursuse ajakava DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B aruanne DocType: Request for Quotation Supplier,Quote Status,Tsiteerin staatus DocType: GoCardless Settings,Webhooks Secret,Webhooks salajane DocType: Maintenance Visit,Completion Status,Lõpetamine staatus +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Maksete kogusumma ei tohi olla suurem kui {} DocType: Daily Work Summary Group,Select Users,Valige Kasutajad DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotelli toa hinnakujundus DocType: Loyalty Program Collection,Tier Name,Tase Nimi @@ -1531,6 +1560,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST sum DocType: Lab Test Template,Result Format,Tulemusvorming DocType: Expense Claim,Expenses,Kulud DocType: Service Level,Support Hours,Toetus tunde +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Tarne märkused DocType: Item Variant Attribute,Item Variant Attribute,Punkt Variant Oskus ,Purchase Receipt Trends,Ostutšekk Trends DocType: Payroll Entry,Bimonthly,kaks korda kuus @@ -1553,7 +1583,6 @@ DocType: Sales Team,Incentives,Soodustused DocType: SMS Log,Requested Numbers,Taotletud numbrid DocType: Volunteer,Evening,Õhtul DocType: Quiz,Quiz Configuration,Viktoriini seadistamine -DocType: Customer,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 @@ -1600,7 +1629,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Valuuta ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Ei leia Time Slot järgmisel {0} päeva Operation {1} DocType: Work Order,Plan material for sub-assemblies,Plan materjali sõlmed 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 @@ -1615,9 +1643,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Uue tellimuse taseme säilitamiseks peate laoseisutes lubama automaatse ümberkorralduse. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Tühista Material Külastusi {0} enne tühistades selle Hooldus Külasta DocType: Pricing Rule,Rate or Discount,Hind või soodustus +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Panga andmed DocType: Vital Signs,One Sided,Ühepoolne apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serial No {0} ei kuulu Punkt {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Nõutav Kogus +DocType: Purchase Order Item Supplied,Required Qty,Nõutav Kogus DocType: Marketplace Settings,Custom Data,Kohandatud andmed apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Laod olemasolevate tehing ei ole ümber pearaamatu. DocType: Service Day,Service Day,Teenistuspäev @@ -1645,7 +1674,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Konto Valuuta DocType: Lab Test,Sample ID,Proovi ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Palume mainida ümardada konto Company -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Range DocType: Supplier,Default Payable Accounts,Vaikimisi on tasulised kontod apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Töötaja {0} ei ole aktiivne või ei ole olemas @@ -1686,8 +1714,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Teabenõue DocType: Course Activity,Activity Date,Tegevuse kuupäev apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} {} -,LeaderBoard,LEADERBOARD DocType: Sales Invoice Item,Rate With Margin (Company Currency),Rate koos marginaaliga (ettevõtte valuuta) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategooriad apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline arved DocType: Payment Request,Paid,Makstud DocType: Service Level,Default Priority,Vaikimisi prioriteet @@ -1722,11 +1750,11 @@ DocType: Agriculture Task,Agriculture Task,Põllumajandusülesanne apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Kaudne tulu DocType: Student Attendance Tool,Student Attendance Tool,Student osavõtt Tool DocType: Restaurant Menu,Price List (Auto created),Hinnakiri (loodud automaatselt) +DocType: Pick List Item,Picked Qty,Valitud kogus DocType: Cheque Print Template,Date Settings,kuupäeva seaded 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 -,Company Name,firma nimi 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. @@ -1745,7 +1773,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Viimane katse 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} -DocType: BOM,Raw Material Cost(Company Currency),Tooraine hind (firma Valuuta) 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 @@ -1812,6 +1839,7 @@ DocType: Travel Itinerary,Train,Rong ,Delayed Item Report,Viivitatud üksuse aruanne apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Abikõlblik ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Statsionaarne elukoht +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Avaldage oma esimesed üksused DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Aeg pärast vahetuse lõppu, mille jooksul kaalutakse väljaregistreerimist osalemiseks." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Palun täpsusta {0} @@ -1927,6 +1955,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Kõik BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Looge ettevõtetevahelise ajakirja kirje DocType: Company,Parent Company,Emaettevõte apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotellitüübid {0} ei ole saadaval {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Võrrelge BOM-e toorainete ja toimingute muutuste osas apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokumendi {0} tühjendamine õnnestus DocType: Healthcare Practitioner,Default Currency,Vaikimisi Valuuta apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Ühendage see konto @@ -1961,6 +1990,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Arve Detail DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Makse leppimise Arve DocType: Clinical Procedure,Procedure Template,Protseduuri mall +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Avalda üksusi apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Panus% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Nagu iga ostmine Seaded kui ostutellimuse sobiv == "JAH", siis luua ostuarve, kasutaja vaja luua ostutellimuse esmalt toode {0}" ,HSN-wise-summary of outward supplies,HSN-i arukas kokkuvõte välistarnetest @@ -1973,7 +2003,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Palun määra "Rakenda Täiendav soodustust" DocType: Party Tax Withholding Config,Applicable Percent,Kohaldatav protsent ,Ordered Items To Be Billed,Tellitud esemed arve -DocType: Employee Checkin,Exit Grace Period Consequence,Lahkumisaja lõppemise tagajärg apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Siit Range peab olema väiksem kui levikuala DocType: Global Defaults,Global Defaults,Global Vaikeväärtused apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Projektikoostööd Kutse @@ -1981,13 +2010,11 @@ DocType: Salary Slip,Deductions,Mahaarvamised DocType: Setup Progress Action,Action Name,Tegevus nimega apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Start Aasta apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Loo laen -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Arve makseperioodi alguskuupäev DocType: Shift Type,Process Attendance After,Protsesside osalemine pärast ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Palgata puhkust DocType: Payment Request,Outward,Väljapoole -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Capacity Planning viga apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Riik / TÜ maks ,Trial Balance for Party,Trial Balance Party ,Gross and Net Profit Report,Bruto - ja puhaskasumi aruanne @@ -2006,7 +2033,6 @@ DocType: Payroll Entry,Employee Details,Töötaja üksikasjad 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 -DocType: Setup Progress Action,Domains,Domeenid 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} @@ -2049,7 +2075,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Vanemate k 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.","Makserežiimi ei ole seadistatud. Palun kontrollige, kas konto on seadistatud režiim maksed või POS profiili." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Sama objekt ei saa sisestada mitu korda. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Lisaks kontod saab rühma all, kuid kanded saab teha peale mitte-Groups" -DocType: Email Campaign,Lead,Lead +DocType: Call Log,Lead,Lead DocType: Email Digest,Payables,Võlad DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,E-posti kampaania @@ -2061,6 +2087,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Ostutellimuse punkte arve 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 DocType: Purchase Invoice Item,Net Rate,Efektiivne intressimäär apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Valige klient DocType: Leave Policy,Leave Allocations,Jätke eraldamised @@ -2074,6 +2101,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Sule Issue Pärast päevi ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,"Kasutajate lisamiseks turuplatsile peate olema kasutaja, kellel on System Manager ja Item Manager." +DocType: Attendance,Early Exit,Varane väljapääs DocType: Job Opening,Staffing Plan,Personaliplaan apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSONi saab genereerida ainult esitatud dokumendist apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Töötaja maks ja hüvitised @@ -2094,6 +2122,7 @@ DocType: Maintenance Team Member,Maintenance Role,Hooldusroll apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Duplicate rida {0} on sama {1} DocType: Marketplace Settings,Disable Marketplace,Keela turuplats DocType: Quality Meeting,Minutes,Protokollid +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Teie esiletõstetud üksused ,Trial Balance,Proovibilanss apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Saade lõpetatud apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Eelarveaastal {0} ei leitud @@ -2103,8 +2132,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotelli broneeringu kasut 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 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- -DocType: Shift Type,Consequence,Tagajärg DocType: Subscription Settings,Subscription Settings,Tellimuse seaded DocType: Purchase Invoice,Update Auto Repeat Reference,Värskenda automaatse korduse viide apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},"Vabatahtlik Puhkusloetelu, mis pole määratud puhkuseperioodiks {0}" @@ -2115,7 +2144,6 @@ DocType: Maintenance Visit Purpose,Work Done,Töö apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Palun täpsustage vähemalt üks atribuut atribuudid tabelis DocType: Announcement,All Students,Kõik õpilased apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Punkt {0} peab olema mitte-laoartikkel -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Pangatädid apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Vaata Ledger DocType: Grading Scale,Intervals,intervallid DocType: Bank Statement Transaction Entry,Reconciled Transactions,Kooskõlastatud tehingud @@ -2151,6 +2179,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Opportunity toode DocType: Quality Action,Quality Review,Kvaliteedi ülevaade @@ -2177,7 +2206,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Võta Tasumata arved -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Sales Order {0} ei ole kehtiv +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Ostutellimuste aidata teil planeerida ja jälgida oma ostud apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab katsestavad retseptid @@ -2202,6 +2231,7 @@ DocType: Employee Onboarding,Notify users by email,Kasutajaid teavitage e-posti DocType: Travel Request,International,Rahvusvaheline DocType: Training Event,Training Event,koolitus Sündmus DocType: Item,Auto re-order,Auto ümber korraldada +DocType: Attendance,Late Entry,Hiline sisenemine apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Kokku Saavutatud DocType: Employee,Place of Issue,Väljaandmise koht DocType: Promotional Scheme,Promotional Scheme Price Discount,Sooduskava hinnasoodustus @@ -2248,6 +2278,7 @@ DocType: Serial No,Serial No Details,Serial No Üksikasjad DocType: Purchase Invoice Item,Item Tax Rate,Punkt Maksumäär apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Partei nime järgi apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Netopalgasumma +DocType: Pick List,Delivery against Sales Order,Kohaletoimetamine müügitellimuse alusel DocType: Student Group Student,Group Roll Number,Group Roll arv apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Sest {0}, ainult krediitkaardi kontod võivad olla seotud teise vastu deebetkanne" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Toimetaja märkus {0} ei ole esitatud @@ -2319,7 +2350,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Seda väärtust kasutatakse pro rata temporis arvutamiseks apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Sa pead lubama Ostukorv DocType: Payment Entry,Writeoff,Maha kirjutama DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2333,6 +2363,7 @@ DocType: Delivery Trip,Total Estimated Distance,Kogu prognoositud vahemaa DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Arved saadaolevad tasumata konto DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Bom Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},{0} raamatupidamismõõdet ei tohi luua apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Palun uuendage seda koolitusüritust DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Lisa või Lahutada @@ -2342,7 +2373,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Passiivsed müügiartiklid DocType: Quality Review,Additional Information,Lisainformatsioon apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Kokku tellimuse maksumus -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Teenuse taseme lepingu lähtestamine. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Toit apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Vananemine Range 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-i sulgemise kupongi üksikasjad @@ -2389,6 +2419,7 @@ 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 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" DocType: Healthcare Practitioner,Contacts and Address,Kontaktid ja aadress DocType: Shift Type,Determine Check-in and Check-out,Määrake sisse- ja väljaregistreerimine @@ -2408,7 +2439,6 @@ DocType: Student Admission,Eligibility and Details,Abikõlblikkus ja üksikasjad apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Kuulub brutokasumisse apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Net Change põhivarade apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Kliendikood apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Laadige tüüp "Tegelik" in real {0} ei saa lisada Punkt Rate apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Siit Date @@ -2476,6 +2506,7 @@ DocType: Journal Entry Account,Account Balance,Kontojääk apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Klient on kohustatud vastu võlgnevus konto {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Kokku maksud ja tasud (firma Valuuta) DocType: Weather,Weather Parameter,Ilmaparameeter @@ -2538,6 +2569,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Tööaja lävi puudumisel apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Tervete kulutuste põhjal võib olla mitu astmelist kogumistegurit. Kuid tagasivõtmise ümberarvestustegur on alati kõigil tasanditel sama. apps/erpnext/erpnext/config/help.py,Item Variants,Punkt variandid apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Teenused +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,2. pomm DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,E palgatõend töötajate DocType: Cost Center,Parent Cost Center,Parent Cost Center @@ -2548,7 +2580,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","V DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Impordi tarneteabe saatmine firmalt Shopify saadetisest apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Näita suletud DocType: Issue Priority,Issue Priority,Väljaandmise prioriteet -DocType: Leave Type,Is Leave Without Pay,Kas palgata puhkust +DocType: Leave Ledger Entry,Is Leave Without Pay,Kas palgata puhkust apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Põhivarakategoori on kohustuslik põhivara objektile DocType: Fee Validity,Fee Validity,Tasu kehtivus @@ -2597,6 +2629,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Saadaval Partii Kog apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Uuenda Print Format DocType: Bank Account,Is Company Account,Kas ettevõtte konto apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Väljastusviis {0} ei ole kaarekitav +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Krediidilimiit on ettevõttele juba määratletud {0} DocType: Landed Cost Voucher,Landed Cost Help,Maandus Cost Abi DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Vali Shipping Address @@ -2621,6 +2654,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Kahesuunaline DocType: Item,Manufacturers,Tootjad @@ -2657,7 +2691,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Bank Kooskõlastusõiendid DocType: Patient Encounter,Medical Coding,Meditsiiniline kodeerimine DocType: Healthcare Settings,Reminder Message,Meelespea sõnum -,Lead Name,Plii nimi +DocType: Call Log,Lead Name,Plii nimi ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Uurimine @@ -2689,12 +2723,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Tarnija Warehouse DocType: Opportunity,Contact Mobile No,Võta Mobiilne pole apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Vali ettevõte ,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: 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- 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.,Kasutajal {0} pole POS-i vaikeprofiili. Kontrollige selle kasutaja vaikeväärtust real {1}. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kvaliteedi koosoleku protokollid +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tarnija> Tarnija tüüp apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Töötaja suunamine DocType: Student Group,Set 0 for no limit,Määra 0 piiranguid pole apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Päev (ad), millal te taotlete puhkuse puhkepäevadel. Sa ei pea taotlema puhkust." @@ -2728,12 +2764,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Net muutus Cash DocType: Assessment Plan,Grading Scale,hindamisskaala apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mõõtühik {0} on kantud rohkem kui üks kord Conversion Factor tabel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,juba lõpetatud apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock In Hand apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Palun lisage rakendusele ülejäänud hüvitised {0} kui \ pro-rata komponent apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Palun määrake avaliku halduse maksukood „% s” -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Maksenõudekäsule juba olemas {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Kulud Väljastatud Esemed DocType: Healthcare Practitioner,Hospital,Haigla apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Kogus ei tohi olla rohkem kui {0} @@ -2778,6 +2812,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Inimressursid apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Ülemine tulu DocType: Item Manufacturer,Item Manufacturer,toode Tootja +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Loo uus plii DocType: BOM Operation,Batch Size,Partii suurus apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,tagasi lükkama DocType: Journal Entry Account,Debit in Company Currency,Deebetkaart Company Valuuta @@ -2798,9 +2833,11 @@ DocType: Bank Transaction,Reconciled,Leppinud DocType: Expense Claim,Total Amount Reimbursed,Hüvitatud kogusummast apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,See põhineb palke vastu Vehicle. Vaata ajakava allpool lähemalt apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Palgaarvestuse kuupäev ei saa olla väiksem kui töötaja liitumise kuupäev +DocType: Pick List,Item Locations,Üksuse asukohad apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} loodud apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Ametikohtade loetelud {0} juba avatud või töölevõtmise kohta vastavalt personaliplaanile {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Saate avaldada kuni 200 üksust. DocType: Vital Signs,Constipated,Kõhukinnisus apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Vastu Tarnija Arve {0} dateeritud {1} DocType: Customer,Default Price List,Vaikimisi hinnakiri @@ -2892,6 +2929,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Tõstuklahvi tegelik algus DocType: Tally Migration,Is Day Book Data Imported,Kas päevaraamatu andmeid imporditakse apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Turundus kulud +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} ühikut {1} pole saadaval. ,Item Shortage Report,Punkt Puuduse aruanne 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 @@ -2914,6 +2952,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 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 DocType: Material Request,Transferred,üle DocType: Vehicle,Doors,Uksed @@ -2993,7 +3032,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Kliendi Kood DocType: Stock Reconciliation,Stock Reconciliation,Stock leppimise DocType: Territory,Territory Name,Territoorium nimi DocType: Email Digest,Purchase Orders to Receive,Ostutellimused saada -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Lõpetamata Progress Warehouse on vaja enne Esita +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Lõpetamata Progress Warehouse on vaja enne Esita apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,"Tellimusel on võimalik vaid Planeeringuid, millel on sama arveldustsükkel" DocType: Bank Statement Transaction Settings Item,Mapped Data,Märgitud andmed DocType: Purchase Order Item,Warehouse and Reference,Lao- ja seletused @@ -3066,6 +3105,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Tarne seaded apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Andmete hankimine apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Puhkerežiimis lubatud maksimaalne puhkus {0} on {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Avaldage 1 üksus DocType: SMS Center,Create Receiver List,Loo vastuvõtja loetelu DocType: Student Applicant,LMS Only,Ainult LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Kasutatav kasutuskuupäev peaks toimuma pärast ostukuupäeva @@ -3099,6 +3139,7 @@ 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" DocType: Vital Signs,Furry,Karvane apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Palun määra "kasum / kahjum konto kohta varade realiseerimine" Company {0} +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} @@ -3110,6 +3151,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Vaadake kõiki numbreid saidilt {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kvaliteedikohtumiste tabel +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/templates/pages/help.html,Visit the forums,Külasta foorumeid DocType: Student,Student Mobile Number,Student Mobile arv DocType: Item,Has Variants,Omab variandid @@ -3120,9 +3162,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Nimi Kuu Distribution DocType: Quality Procedure Process,Quality Procedure Process,Kvaliteediprotseduuri protsess apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Partii nr on kohustuslik +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Valige kõigepealt klient DocType: Sales Person,Parent Sales Person,Parent Sales Person apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Ükski saadetis ei ole tähtajaks tasutud apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Müüja ja ostja ei saa olla sama +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Pole veel ühtegi vaadet DocType: Project,Collect Progress,Koguge Progressi DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-YYYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Valige kõigepealt programm @@ -3144,11 +3188,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Saavutatud DocType: Student Admission,Application Form Route,Taotlusvormi Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Lepingu lõppkuupäev ei saa olla lühem kui täna. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter esitamiseks DocType: Healthcare Settings,Patient Encounters in valid days,Patsiendikontaktid kehtivatel päevadel apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Jäta tüüp {0} ei saa jaotada, sest see on palgata puhkust" 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},Row {0}: Eraldatud summa {1} peab olema väiksem või võrdne arve tasumata summa {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Sõnades on nähtav, kui salvestate müügiarve." DocType: Lead,Follow Up,Jälgige üles +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Kulukeskus: {0} pole olemas DocType: Item,Is Sales Item,Kas Sales toode apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Punkt Group Tree apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Punkt {0} ei ole setup Serial nr. Saate Punkt master @@ -3192,9 +3238,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Komplektis Kogus DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Materjal taotlus toode -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Esmalt tühjendage ostukviitung {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Tree of Punkt grupid. DocType: Production Plan,Total Produced Qty,Kogutoodang +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Veel arvustusi pole apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Kas ei viita rea number on suurem või võrdne praeguse rea number selle Charge tüübist DocType: Asset,Sold,müüdud ,Item-wise Purchase History,Punkt tark ost ajalugu @@ -3213,7 +3259,7 @@ DocType: Designation,Required Skills,Vajalikud oskused DocType: Inpatient Record,O Positive,O Positiivne apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investeeringud DocType: Issue,Resolution Details,Resolutsioon Üksikasjad -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Tehingu tüüp +DocType: Leave Ledger Entry,Transaction Type,Tehingu tüüp DocType: Item Quality Inspection Parameter,Acceptance Criteria,Vastuvõetavuse kriteeriumid apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Palun sisesta Materjal taotlused ülaltoodud tabelis apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Ajakirjanikele tagasimakseid pole saadaval @@ -3254,6 +3300,7 @@ DocType: Bank Account,Bank Account No,Pangakonto nr DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Töötaja maksuvabastuse tõendamine DocType: Patient,Surgical History,Kirurgiajalugu DocType: Bank Statement Settings Item,Mapped Header,Maksepeaga +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: 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. 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} @@ -3321,7 +3368,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Lisa kirjapea DocType: Program Enrollment,Self-Driving Vehicle,Isesõitva Sõiduki 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Kokku eraldatakse lehed {0} ei saa olla väiksem kui juba heaks lehed {1} perioodiks DocType: Contract Fulfilment Checklist,Requirement,Nõue DocType: Journal Entry,Accounts Receivable,Arved DocType: Quality Goal,Objectives,Eesmärgid @@ -3344,7 +3390,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Ühe tehingu künnis DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Seda väärtust uuendatakse Vaikimüügi hinnakirjas. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Teie ostukorv on tühi DocType: Email Digest,New Expenses,uus kulud -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC summa apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Teekonda ei saa optimeerida, kuna juhi aadress puudub." DocType: Shareholder,Shareholder,Aktsionär DocType: Purchase Invoice,Additional Discount Amount,Täiendav Allahindluse summa @@ -3381,6 +3426,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Hooldusülesanne apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Palun määra B2C piirang GST-i seadetes. DocType: Marketplace Settings,Marketplace Settings,Turuplatsi seaded DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Ladu, kus hoiad varu tagasi teemad" +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Avalda {0} üksust 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,Ei leia Vahetuskurss {0} kuni {1} peamiste kuupäeva {2}. Looge Valuutavahetus rekord käsitsi DocType: POS Profile,Price List,Hinnakiri 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. @@ -3417,6 +3463,7 @@ DocType: Salary Component,Deduction,Kinnipeetav DocType: Item,Retain Sample,Jätke proov apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Rida {0}: From ajal ja aeg on kohustuslik. DocType: Stock Reconciliation Item,Amount Difference,summa vahe +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"Sellel lehel hoitakse silma peal üksustel, mida soovite müüjatelt osta." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Toode Hind lisatud {0} Hinnakirjas {1} DocType: Delivery Stop,Order Information,Telli informatsioon apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Palun sisestage Töötaja Id selle müügi isik @@ -3445,6 +3492,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Hindamiskava nimetus apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Sihtkoha üksikasjad apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Kohaldatakse juhul, kui ettevõte on SpA, SApA või SRL" @@ -3497,7 +3545,6 @@ DocType: Company,Transactions Annual History,Tehingute aastane ajalugu 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Kohal 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 @@ -3549,6 +3596,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Aasta kasum 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 @@ -3602,12 +3650,10 @@ DocType: Supplier Scorecard,Scoring Setup,Hindamise seadistamine apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektroonika 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Ettevõtte jaoks ei leitud GST-numbrit. 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 DocType: Question,Single Correct Answer,Üksik õige vastus -DocType: Employee,Contact Details,Kontaktandmed DocType: C-Form,Received Date,Vastatud kuupäev DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Kui olete loonud standard malli Müük maksud ja tasud Mall, valige neist üks ja klõpsa nuppu allpool." DocType: BOM Scrap Item,Basic Amount (Company Currency),Põhisumma (firma Valuuta) @@ -3637,12 +3683,13 @@ DocType: BOM Website Operation,BOM Website Operation,Bom Koduleht operatsiooni DocType: Bank Statement Transaction Payment Item,outstanding_amount,tasumata summa DocType: Supplier Scorecard,Supplier Score,Tarnija skoor apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Ajakava Sissepääs +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Maksetaotluse kogusumma ei tohi olla suurem kui {0} summa DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kumulatiivne tehingu künnis DocType: Promotional Scheme Price Discount,Discount Type,Soodustuse tüüp -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Kokku arve Amt DocType: Purchase Invoice Item,Is Free Item,On tasuta üksus +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Protsent, mida teil on lubatud tellitud koguse suhtes rohkem üle kanda. Näiteks: kui olete tellinud 100 ühikut. ja teie toetus on 10%, siis on teil lubatud 110 ühikut üle kanda." DocType: Supplier,Warn RFQs,Hoiata RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,uurima +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,uurima DocType: BOM,Conversion Rate,tulosmuuntokertoimella apps/erpnext/erpnext/www/all-products/index.html,Product Search,Tooteotsing ,Bank Remittance,Pangaülekanne @@ -3654,6 +3701,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Kogusumma tasutud DocType: Asset,Insurance End Date,Kindlustuse lõppkuupäev apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Palun valige Student Admission, mis on tasuline üliõpilaspidaja kohustuslik" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK -YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Eelarve nimekiri DocType: Campaign,Campaign Schedules,Kampaania ajakavad DocType: Job Card Time Log,Completed Qty,Valminud Kogus @@ -3676,6 +3724,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,New Addre DocType: Quality Inspection,Sample Size,Valimi suurus apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Palun sisesta laekumine Dokumendi apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Kõik esemed on juba arve +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Lehed võetud apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Palun täpsustage kehtiv "From Juhtum nr" 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,"Lisaks kuluallikad on võimalik teha rühma all, kuid kanded saab teha peale mitte-Groups" 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,Välja eraldatud lehed on rohkem kui {0} puhkuse maksimaalne jaotamine töötaja jaoks {1} perioodil @@ -3775,6 +3824,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Lisage kõi 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 DocType: Leave Block List,Allow Users,Luba kasutajatel 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: 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. @@ -3828,6 +3879,7 @@ DocType: Support Search Source,Result Title Field,Tulemus Tiitelvälja apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Kõnede kokkuvõte DocType: Sample Collection,Collected Time,Kogutud aeg DocType: Employee Skill Map,Employee Skills,Töötaja oskused +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Kütuse kulu DocType: Company,Sales Monthly History,Müügi kuu ajalugu apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Seadke maksude ja maksude tabelisse vähemalt üks rida DocType: Asset Maintenance Task,Next Due Date,Järgmine tähtaeg @@ -3837,6 +3889,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Elutähts DocType: Payment Entry,Payment Deductions or Loss,Tasu vähendamisega või kaotus DocType: Soil Analysis,Soil Analysis Criterias,Mullanalüüsi kriteeriumid apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Lepingu tüüptingimused Müük või ost. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},{0} -st eemaldatud read DocType: Shift Type,Begin check-in before shift start time (in minutes),Alustage registreerimist enne vahetuse algusaega (minutites) DocType: BOM Item,Item operation,Üksuse toiming apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Grupi poolt Voucher @@ -3862,11 +3915,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Palgatõend töötaja {0} on juba loodud selleks perioodiks apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Pharmaceutical apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,"Saate sisestada ainult sissekande lahtioleku kohta, milleks on kehtiv kogusumma" +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Kaupade autorid apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kulud ostetud esemed DocType: Employee Separation,Employee Separation Template,Töötaja eraldamise mall DocType: Selling Settings,Sales Order Required,Sales Order Nõutav apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Hakka Müüja -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Juhtumite arv, mille järel tagajärg täidetakse." ,Procurement Tracker,Hangete jälgija DocType: Purchase Invoice,Credit To,Krediidi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC tagurpidi @@ -3879,6 +3932,7 @@ DocType: Quality Meeting,Agenda,Päevakord DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Hoolduskava Detail DocType: Supplier Scorecard,Warn for new Purchase Orders,Hoiata uute ostutellimuste eest DocType: Quality Inspection Reading,Reading 9,Lugemine 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Ühendage oma Exoteli konto ERPNextiga ja jälgige kõnelogi DocType: Supplier,Is Frozen,Kas Külmutatud DocType: Tally Migration,Processed Files,Töödeldud failid apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Group sõlme lattu ei tohi valida tehingute @@ -3888,6 +3942,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Bom No. jaoks Lõpp DocType: Upload Attendance,Attendance To Date,Osalemine kuupäev 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 @@ -3912,7 +3967,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Taotleja apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Vale viite {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Erinevate reklaamiskeemide rakenduseeskirjad. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ei saa olla suurem kui planeeritud kogus({2}) tootmis tellimused Tellimus {3} DocType: Shipping Rule,Shipping Rule Label,Kohaletoimetamine Reegel Label DocType: Journal Entry Account,Payroll Entry,Palgaarvestuse sissekanne apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Vaadake tasusid Records @@ -3924,6 +3978,7 @@ DocType: Contract,Fulfilment Status,Täitmise olek DocType: Lab Test Sample,Lab Test Sample,Lab prooviproov DocType: Item Variant Settings,Allow Rename Attribute Value,Luba ümbernimetamise atribuudi väärtus apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Quick päevikusissekanne +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Tulevaste maksete summa apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Sa ei saa muuta kiirust kui Bom mainitud agianst tahes kirje DocType: Restaurant,Invoice Series Prefix,Arve seeria prefiks DocType: Employee,Previous Work Experience,Eelnev töökogemus @@ -3953,6 +4008,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Projekti staatus DocType: UOM,Check this to disallow fractions. (for Nos),Vaata seda keelata fraktsioonid. (NOS) DocType: Student Admission Program,Naming Series (for Student Applicant),Nimetamine seeria (Student taotleja) +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/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Boonuse maksmise kuupäev ei saa olla varasem kuupäev DocType: Travel Request,Copy of Invitation/Announcement,Kutse / teate koopia DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Praktikute teenindusüksuse ajakava @@ -3968,6 +4024,7 @@ DocType: Fiscal Year,Year End Date,Aasta lõpp kuupäev DocType: Task Depends On,Task Depends On,Task sõltub apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Võimalus DocType: Options,Option,Võimalus +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Suletud arvestusperioodil {0} raamatupidamiskirjeid luua ei saa. DocType: Operation,Default Workstation,Vaikimisi Workstation DocType: Payment Entry,Deductions or Loss,Mahaarvamisi või kaotus apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} on suletud @@ -3976,6 +4033,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Võta Laoseis DocType: Purchase Invoice,ineligible,sobimatu apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Tree of Bill of Materials +DocType: BOM,Exploded Items,Plahvatanud esemed DocType: Student,Joining Date,Liitumine kuupäev ,Employees working on a holiday,Töötajat puhkusele ,TDS Computation Summary,TDSi arvutuste kokkuvõte @@ -4008,6 +4066,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (ühe Stock DocType: SMS Log,No of Requested SMS,Ei taotletud SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Palgata puhkust ei ühti heaks Jäta ostusoov arvestust apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Järgmised sammud +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Salvestatud üksused DocType: Travel Request,Domestic,Riigisisesed apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Esitada määratud objekte parima võimaliku määr apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Töötaja ülekandmist ei saa esitada enne ülekande kuupäeva @@ -4060,7 +4119,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Põhivarakategoori konto apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Väärtus {0} on juba olemasolevale üksusele {2} määratud. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Row # {0} (maksetabel): summa peab olema positiivne -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Ei suuda toota rohkem Punkt {0} kui Sales Order koguse {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Ei suuda toota rohkem Punkt {0} kui Sales Order koguse {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Mitu ei sisaldu brutosummas apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill on selle dokumendi jaoks juba olemas apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Vali Atribuudi väärtused @@ -4095,12 +4154,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Lubage varajase lahkumise korral erinev tagajärg ,Lab Test Report,Lab katsearuanne DocType: Employee Benefit Application,Employee Benefit Application,Töövõtja hüvitise taotlus apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Täiendav palgakomponent on olemas. DocType: Purchase Invoice,Unregistered,Registreerimata -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Palun saateleht esimene DocType: Student Applicant,Application Date,Esitamise kuupäev DocType: Salary Component,Amount based on formula,Põhinev summa valem DocType: Purchase Invoice,Currency and Price List,Valuuta ja hinnakiri @@ -4129,6 +4186,7 @@ DocType: Purchase Receipt,Time at which materials were received,"Aeg, mil materj DocType: Products Settings,Products per Page,Tooteid lehel 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Eraldatud summa ei saa olla negatiivne DocType: Sales Order,Billing Status,Arved staatus apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Teata probleemist @@ -4136,6 +4194,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-Above 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,Rida # {0}: päevikusissekanne {1} ei ole arvesse {2} või juba võrreldakse teise kviitungi DocType: Supplier Scorecard Criteria,Criteria Weight,Kriteeriumide kaal +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Konto: {0} pole makse sisestamise korral lubatud DocType: Production Plan,Ignore Existing Projected Quantity,Ignoreeri olemasolevat projekteeritud kogust apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Jäta heakskiidu teatis DocType: Buying Settings,Default Buying Price List,Vaikimisi ostmine hinnakiri @@ -4144,6 +4203,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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" DocType: Payment Entry,Payment Type,Makse tüüp apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Palun valige partii Oksjoni {0}. Ei leia ühe partii, mis vastab sellele nõudele" @@ -4172,6 +4232,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Ostukorv Seaded DocType: Journal Entry,Accounting Entries,Raamatupidamise kanded 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"." +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: Journal Entry,Paid Loan,Tasuline laen 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 @@ -4188,12 +4249,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooksi üksikasjad apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Pole aega lehed DocType: GoCardless Mandate,GoCardless Customer,GoCardless klient apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Jäta tüüp {0} ei saa läbi-edasi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kauba kood> esemerühm> kaubamärk apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Hoolduskava ei loodud kõik esemed. Palun kliki "Loo Ajakava" ,To Produce,Toota DocType: Leave Encashment,Payroll,palgafond 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","Juba rida {0} on {1}. Lisada {2} Punkti kiirus, rida {3} peab olema ka" DocType: Healthcare Service Unit,Parent Service Unit,Vanemate teenindusüksus DocType: Packing Slip,Identification of the package for the delivery (for print),Identifitseerimine pakett sünnitust (trüki) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Teenuse taseme leping lähtestati. DocType: Bin,Reserved Quantity,Reserveeritud Kogus apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Sisestage kehtiv e-posti aadress DocType: Volunteer Skill,Volunteer Skill,Vabatahtlik oskus @@ -4214,7 +4277,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Hind või toote allahindlus apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Rida {0}: sisestage kavandatud kogus DocType: Account,Income Account,Tulukonto -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> kliendigrupp> territoorium DocType: Payment Request,Amount in customer's currency,Summa kliendi valuuta apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Tarne apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Struktuuride määramine ... @@ -4237,6 +4299,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,"Kaotad varem koostatud arvete andmed. Kas olete kindel, et soovite selle tellimuse uuesti käivitada?" @@ -4292,11 +4355,10 @@ DocType: Additional Salary,HR User,HR Kasutaja DocType: Bank Guarantee,Reference Document Name,Viide dokumendi nimi DocType: Purchase Invoice,Taxes and Charges Deducted,Maksude ja tasude maha DocType: Support Settings,Issues,Issues -DocType: Shift Type,Early Exit Consequence after,Varase lahkumise tagajärg pärast DocType: Loyalty Program,Loyalty Program Name,Lojaalsusprogrammi nimi apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Status peab olema üks {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Meeldetuletus GSTIN-i saadetud saatmiseks -DocType: Sales Invoice,Debit To,Kanne +DocType: Discounted Invoice,Debit To,Kanne DocType: Restaurant Menu Item,Restaurant Menu Item,Restorani menüüpunkt DocType: Delivery Note,Required only for sample item.,Vajalik ainult proovi objekt. DocType: Stock Ledger Entry,Actual Qty After Transaction,Tegelik Kogus Pärast Tehing @@ -4379,6 +4441,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Parameetri nimi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Ainult Jäta rakendusi staatuse "Kinnitatud" ja "Tõrjutud" saab esitada apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Mõõtmete loomine ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Student Group Nimi on kohustuslik järjest {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Krediidilimiidi kontrollist mööda hiilimine DocType: Homepage,Products to be shown on website homepage,Tooted näidatavad veebilehel kodulehekülg DocType: HR Settings,Password Policy,Paroolipoliitika apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,See on just klientide rühma ja seda ei saa muuta. @@ -4425,10 +4488,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Kui apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Tehke vaikeseaded restoranis seaded ,Salary Register,palk Registreeri DocType: Company,Default warehouse for Sales Return,Vaikeladu müügi tagastamiseks -DocType: Warehouse,Parent Warehouse,Parent Warehouse +DocType: Pick List,Parent Warehouse,Parent Warehouse DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},Vaikimisi Bom ei leitud Oksjoni {0} ja Project {1} +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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Määrake erinevate Laenuliigid DocType: Bin,FCFS Rate,FCFS Rate @@ -4465,6 +4528,7 @@ DocType: Travel Itinerary,Lodging Required,Kohtumine on vajalik DocType: Promotional Scheme,Price Discount Slabs,Hinnasoodustusplaadid DocType: Stock Reconciliation Item,Current Serial No,Praegune seerianumber DocType: Employee,Attendance and Leave Details,Osavõtt ja puhkuse üksikasjad +,BOM Comparison Tool,BOM-i võrdlusriist ,Requested,Taotletud apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,No Märkused DocType: Asset,In Maintenance,Hoolduses @@ -4487,6 +4551,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Vaiketeenuse taseme leping DocType: SG Creation Tool Course,Course Code,Kursuse kood apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Rohkem kui üks valik {0} jaoks pole lubatud +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Toorainete kogus otsustatakse valmistoodangu koguse järgi DocType: Location,Parent Location,Vanemlik asukoht DocType: POS Settings,Use POS in Offline Mode,Kasutage POS-i võrguühendusrežiimis apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prioriteet on muudetud väärtuseks {0}. @@ -4505,7 +4570,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Proovide säilitamise ladu DocType: Company,Default Receivable Account,Vaikimisi võlgnevus konto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Prognoositav kogusevalem DocType: Sales Invoice,Deemed Export,Kaalutud eksport -DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer tootmine +DocType: Pick List,Material Transfer for Manufacture,Material Transfer tootmine 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.,Soodus protsent võib rakendada kas vastu Hinnakiri või kõigi hinnakiri. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Raamatupidamine kirjet Stock DocType: Lab Test,LabTest Approver,LabTest heakskiitja @@ -4548,7 +4613,6 @@ DocType: Training Event,Theory,teooria apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Hoiatus: Materjal Taotletud Kogus alla Tellimuse Miinimum Kogus apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Konto {0} on külmutatud DocType: Quiz Question,Quiz Question,Viktoriiniküsimus -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tarnija> Tarnija tüüp 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" @@ -4579,6 +4643,7 @@ 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 DocType: Account,Expense Account,Ärikohtumisteks apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Tarkvara apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Värv @@ -4616,6 +4681,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Manage Sales Partn 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 DocType: Fee Validity,Visited yet,Külastatud veel +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Saate Featureerida kuni 8 eset. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Laod olemasolevate tehing ei ole ümber rühmitada. 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. @@ -4623,7 +4689,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4648,7 +4713,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOMi konversioon t DocType: Contract,Signee Details,Signee üksikasjad apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} praegu on tarnija tulemuskaart {1} ja selle tarnija RFQ peaks olema ettevaatlik. DocType: Certified Consultant,Non Profit Manager,Mittetulundusjuht -DocType: BOM,Total Cost(Company Currency),Kogumaksumus (firma Valuuta) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serial No {0} loodud DocType: Homepage,Company Description for website homepage,Firma kirjeldus veebisaidi avalehel DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","For mugavuse klientidele, neid koode saab kasutada print formaadid nagu arved ja Saatekirjad" @@ -4676,7 +4740,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Ostutšek DocType: Amazon MWS Settings,Enable Scheduled Synch,Lubatud Scheduled Synch apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Et Date apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Logid säilitamiseks sms tarneseisust -DocType: Shift Type,Early Exit Consequence,Varajase lahkumise tagajärg DocType: Accounts Settings,Make Payment via Journal Entry,Tee makse kaudu päevikusissekanne apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Ärge looge rohkem kui 500 eset korraga apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,trükitud @@ -4733,6 +4796,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Crossed 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 +DocType: Plaid Settings,Plaid Secret,Plaid saladus DocType: Company,Date of Establishment,Asutamise kuupäev apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akadeemilise perspektiivis selle "Academic Year '{0} ja" Term nimi "{1} on juba olemas. Palun muuda neid sissekandeid ja proovi uuesti. @@ -4794,6 +4858,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Kliendi tüüp DocType: Compensatory Leave Request,Leave Allocation,Jäta jaotamine DocType: Payment Request,Recipient Message And Payment Details,Saaja sõnum ja makse detailid +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Valige saateleht DocType: Support Search Source,Source DocType,Allikas DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Avage uus pilet DocType: Training Event,Trainer Email,treener Post @@ -4914,6 +4979,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""Alates kuupäevast"" peab olema pärast ""Kuni kuupäevani""" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Selle nimetuse jaoks pole leitud personaliplaane apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Partii {1} partii {0} on keelatud. @@ -4935,7 +5001,7 @@ DocType: Clinical Procedure,Patient,Patsient apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Möödaviiklaenude kontroll müügikorralduses DocType: Employee Onboarding Activity,Employee Onboarding Activity,Töötajate töölerakendamine DocType: Location,Check if it is a hydroponic unit,"Kontrollige, kas see on hüdropooniline seade" -DocType: Stock Reconciliation Item,Serial No and Batch,Järjekorra number ja partii +DocType: Pick List Item,Serial No and Batch,Järjekorra number ja partii DocType: Warranty Claim,From Company,Allikas: Company DocType: GSTR 3B Report,January,Jaanuaril apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summa hulgaliselt Hindamiskriteeriumid peab olema {0}. @@ -4959,7 +5025,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Soodustu 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Firma Inter-tehingute jaoks ei leitud {0}. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,krediidi_märkus_amt 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/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Krediidi konto peab olema bilansis @@ -4992,11 +5057,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kulukeskus j 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,ülejäänud DocType: Appraisal,Appraisal,Hinnang DocType: Loan,Loan Account,Laenukonto apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Kehtivad ja kehtivad kuni väljad on kumulatiivse jaoks kohustuslikud +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",Rea {1} kauba {0} korral ei ühti seerianumbrite arv valitud kogusega DocType: Purchase Invoice,GST Details,GST üksikasjad apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,See põhineb selle tervishoiu praktiseerijaga tehtavatel tehingutel. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E saadetakse tarnija {0} @@ -5060,6 +5127,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Brutokaal pakendis. Tavaliselt netokaal + pakkematerjali kaal. (trüki) DocType: Assessment Plan,Program,programm DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Kasutajad seda rolli on lubatud kehtestada külmutatud kontode ja luua / muuta raamatupidamiskirjeteks vastu külmutatud kontode +DocType: Plaid Settings,Plaid Environment,Plaid keskkond ,Project Billing Summary,Projekti arvelduse kokkuvõte DocType: Vital Signs,Cuts,Kärped DocType: Serial No,Is Cancelled,Kas Tühistatud @@ -5121,7 +5189,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Märkus: Süsteem ei kontrolli üle-tarne ja üle-broneerimiseks Punkt {0}, kuna maht või kogus on 0" DocType: Issue,Opening Date,Avamise kuupäev apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Palun salvestage patsient kõigepealt -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Uue kontakti loomine apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Osavõtt on märgitud edukalt. DocType: Program Enrollment,Public Transport,Ühistransport DocType: Sales Invoice,GST Vehicle Type,GST sõidukitüüp @@ -5146,6 +5213,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Arveid tõs 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Esmalt lisage üksused tabelisse Üksuste asukohad DocType: Pricing Rule,Discount Amount,Soodus summa DocType: Pricing Rule,Period Settings,Perioodi seaded DocType: Purchase Invoice,Return Against Purchase Invoice,Tagasi Against ostuarve @@ -5177,7 +5245,6 @@ DocType: Assessment Plan,Assessment Plan,hindamise kava DocType: Travel Request,Fully Sponsored,Täielikult sponsor apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Pöördteadaande kande number apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Looge töökaart -DocType: Shift Type,Consequence after,Tagajärg pärast DocType: Quality Procedure Process,Process Description,Protsessi kirjeldus apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Klient {0} on loodud. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Praegu pole ühtegi ladu saadaval @@ -5212,6 +5279,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Kliirens kuupäev DocType: Delivery Settings,Dispatch Notification Template,Dispatch Notification Template apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Hindamisaruanne apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Hankige töötajaid +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 @@ -5305,7 +5373,6 @@ DocType: Stock Settings,Use Naming Series,Kasutage nimeserverit apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Tegevust pole apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Hindamine tüübist tasu ei märgitud Inclusive DocType: POS Profile,Update Stock,Värskenda Stock -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Erinevad UOM objekte viib vale (kokku) Net Weight väärtus. Veenduge, et Net Weight iga objekt on sama UOM." DocType: Certification Application,Payment Details,Makse andmed apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Bom Rate @@ -5340,7 +5407,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,See on root müügi isik ja seda ei saa muuta. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Kui valitud, määratud väärtus või arvutatakse see komponent ei aita kaasa tulu või mahaarvamised. Kuid see väärtus võib viidata teiste komponentide, mida saab lisada või maha." -DocType: Asset Settings,Number of Days in Fiscal Year,Päevade arv eelarveaastal ,Stock Ledger,Laožurnaal DocType: Company,Exchange Gain / Loss Account,Exchange kasum / kahjum konto DocType: Amazon MWS Settings,MWS Credentials,MWS volikirjad @@ -5375,6 +5441,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Veerg pangatoimikus apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Jäta rakendus {0} juba õpilase vastu {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Kõigi materjalide nimekirja värskendamise järjekorras. See võib võtta paar minutit. +DocType: Pick List,Get Item Locations,Hankige üksuse asukohad apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nimi uue konto. Märkus: Palun ärge kontosid luua klientide ja hankijate DocType: POS Profile,Display Items In Stock,Näita kaupa laos apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Riik tark default Aadress Templates @@ -5398,6 +5465,7 @@ DocType: Crop,Materials Required,Nõutavad materjalid apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,No õpilased Leitud DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Igakuine HRA-vabastus DocType: Clinical Procedure,Medical Department,Meditsiini osakond +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Varajane lahkumine kokku DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Tarnijate tulemuskaardi hindamise kriteeriumid apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Arve Postitamise kuupäev apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,müüma @@ -5409,11 +5477,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Selle dokumendi tühistamiseks kustutage töötaja {0} \" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Out of AMC DocType: Opportunity,Opportunity Amount,Võimaluse summa +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Sinu profiil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Arv Amortisatsiooniaruanne Broneeritud ei saa olla suurem kui koguarv Amortisatsiooniaruanne DocType: Purchase Order,Order Confirmation Date,Tellimuse kinnitamise kuupäev DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5507,7 +5574,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Maksumäära, aktsiate arvu ja arvutatud summa vahel on vastuolud" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Te ei viibi hüvitamisele kuuluvate puhkusepäevade kogu päeva (päevade vahel) apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Palun ümber kirjutada firma nime kinnitamiseks -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Kokku Tasumata Amt DocType: Journal Entry,Printing Settings,Printing Settings DocType: Payment Order,Payment Order Type,Maksekorralduse tüüp DocType: Employee Advance,Advance Account,Ettemaksekonto @@ -5594,7 +5660,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Aasta nimi apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Seal on rohkem puhkuse kui tööpäeva sel kuul. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Üksused {0} ei ole tähistatud {1} elemendina. Võite neid lubada punktist {1} elemendina -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Toote Bundle toode DocType: Sales Partner,Sales Partner Name,Müük Partner nimi apps/erpnext/erpnext/hooks.py,Request for Quotations,Taotlus tsitaadid @@ -5603,19 +5668,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Lehed +DocType: Leave Ledger Entry,Leaves,Lehed DocType: Student Language,Student Language,Student keel DocType: Cash Flow Mapping,Is Working Capital,Kas käibekapital apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Esita tõend apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Tellimus / Caster% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Salvesta patsiendil Vitals DocType: Fee Schedule,Institution,Institutsioon -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: Asset,Partially Depreciated,osaliselt Amortiseerunud DocType: Issue,Opening Time,Avamine aeg apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Ja sealt soovitud vaja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Väärtpaberite ja kaubabörsil -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Kõne kokkuvõte: {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Dokumentide otsing apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Vaikimisi mõõtühik Variant "{0}" peab olema sama, Mall "{1}"" DocType: Shipping Rule,Calculate Based On,Arvuta põhineb @@ -5661,6 +5724,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimaalne lubatud väärtus 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 DocType: Lab Test Template,Sensitivity,Tundlikkus DocType: Plaid Settings,Plaid Settings,Plaidi seaded apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Sünkroonimine on ajutiselt keelatud, sest maksimaalseid kordusi on ületatud" @@ -5678,6 +5742,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Palun valige Postitamise kuupäev esimest apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Avamise kuupäev peaks olema enne sulgemist kuupäev DocType: Travel Itinerary,Flight,Lend +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Tagasi koju DocType: Leave Control Panel,Carry Forward,Kanda apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Cost Center olemasolevate tehingut ei saa ümber arvestusraamatust DocType: Budget,Applicable on booking actual expenses,Kohaldatakse broneeringu tegelike kulude suhtes @@ -5733,6 +5798,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Loo Tsitaat apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Teil ei ole kiita lehed Block kuupäevad apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} {1} taotlus apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Kõik need teemad on juba arve +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Teie {0} {1} jaoks ei leitud ühtegi tasumata arvet, mis vastaksid teie määratud filtritele." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Määra uus väljalaske kuupäev DocType: Company,Monthly Sales Target,Kuu müügi sihtmärk apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Tasumata arveid ei leitud @@ -5779,6 +5845,7 @@ DocType: Water Analysis,Type of Sample,Proovi tüüp DocType: Batch,Source Document Name,Allikas Dokumendi nimi DocType: Production Plan,Get Raw Materials For Production,Hankige toorainet tootmiseks DocType: Job Opening,Job Title,Töö nimetus +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Tulevaste maksete ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} näitab, et {1} ei anna hinnapakkumist, kuid kõik esemed \ on tsiteeritud. RFQ tsiteeritud oleku värskendamine." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Suurimad proovid - {0} on partii {1} ja pootise {2} jaoks juba paketi {3} jaoks juba salvestatud. @@ -5789,12 +5856,10 @@ 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: Company,Product Code,Toote kood DocType: Quality Review Table,Objective,Objektiivne DocType: Supplier Scorecard,Per Month,Kuus DocType: Education Settings,Make Academic Term Mandatory,Tehke akadeemiline tähtaeg kohustuslikuks -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Kogus et Tootmine peab olema suurem kui 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,"Arvestada prognoositud amortisatsiooni ajakava, mis põhineb eelarveaastal" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Kogus et Tootmine peab olema suurem kui 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Külasta aruande hooldus kõne. DocType: Stock Entry,Update Rate and Availability,Värskenduskiirus ja saadavust 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.,"Osakaal teil on lubatud vastu võtta või pakkuda rohkem vastu tellitav kogus. Näiteks: Kui olete tellinud 100 ühikut. ja teie toetus on 10%, siis on lubatud saada 110 ühikut." @@ -5805,7 +5870,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Väljalaskekuupäev peab olema tulevikus DocType: BOM,Website Description,Koduleht kirjeldus apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Net omakapitali -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Palun tühistada ostuarve {0} esimene apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Ei ole lubatud. Palun blokeerige teenuseüksuse tüüp apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-posti aadress peab olema unikaalne, juba olemas {0}" DocType: Serial No,AMC Expiry Date,AMC Aegumisaja @@ -5849,6 +5913,7 @@ DocType: Pricing Rule,Price Discount Scheme,Hinnaalandusskeem apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Hoolduse staatus tuleb tühistada või lõpetada esitamiseks DocType: Amazon MWS Settings,US,USA DocType: Holiday List,Add Weekly Holidays,Lisage iganädalasi pühi +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Aruande üksus DocType: Staffing Plan Detail,Vacancies,Vabad töökohad DocType: Hotel Room,Hotel Room,Hotellituba apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Konto {0} ei kuuluv ettevõte {1} @@ -5900,12 +5965,15 @@ DocType: Email Digest,Open Quotations,Avatud tsitaadid 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Selle dokumendi tühistamiseks kustutage töötaja {0} \" 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 @@ -5919,6 +5987,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Vaba DocType: Patient,Alcohol Past Use,Alkoholi varasem kasutamine DocType: Fertilizer Content,Fertilizer Content,Väetise sisu +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Kirjeldust pole apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Kr DocType: Tax Rule,Billing State,Arved riik DocType: Quality Goal,Monitoring Frequency,Sageduse jälgimine @@ -5936,6 +6005,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Lõpeb Kuupäeval ei saa olla enne järgmist kontaktandmet. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Partii kirjed DocType: Journal Entry,Pay To / Recd From,Pay / KONTOLE From +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Tühista üksuse avaldamine DocType: Naming Series,Setup Series,Setup Series DocType: Payment Reconciliation,To Invoice Date,Et arve kuupäevast DocType: Bank Account,Contact HTML,Kontakt HTML @@ -5957,6 +6027,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Jaekaubandus DocType: Student Attendance,Absent,Puuduv DocType: Staffing Plan,Staffing Plan Detail,Personaliplaani detailne kirjeldus DocType: Employee Promotion,Promotion Date,Edutamise kuupäev +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Puhkuse eraldamine% s on seotud puhkuse taotlusega% s 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} @@ -5991,9 +6062,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Arve {0} enam ei eksisteeri DocType: Guardian Interest,Guardian Interest,Guardian Intress DocType: Volunteer,Availability,Kättesaadavus +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Puhkusetaotlus on seotud puhkuseeraldistega {0}. Puhkusetaotlust ei saa seada palgata puhkuseks apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS-arvete vaikeväärtuste seadistamine DocType: Employee Training,Training,koolitus DocType: Project,Time to send,Aeg saata +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Sellel lehel saate jälgida teie üksusi, mille vastu ostjad on huvi üles näidanud." DocType: Timesheet,Employee Detail,töötaja Detail 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 @@ -6089,12 +6162,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Seis DocType: Salary Component,Formula,valem apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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: 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/setup/doctype/company/company.py,Sales Account,Müügikonto DocType: Purchase Invoice Item,Total Weight,Kogukaal +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}" @@ -6118,6 +6191,7 @@ DocType: Company,Default Employee Advance Account,Vaikimisi töötaja eelkonto apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Otsi üksust (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Konto olemasolevate tehingu ei saa kustutada +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Miks tuleks see punkt eemaldada? DocType: Vehicle,Last Carbon Check,Viimati Carbon Check apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Kohtukulude apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Palun valige kogus real @@ -6137,6 +6211,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Lagunema DocType: Travel Itinerary,Vegetarian,Taimetoitlane DocType: Patient Encounter,Encounter Date,Sündmuse kuupäev +DocType: Work Order,Update Consumed Material Cost In Project,Uuendage projekti kulutatud materjali maksumust apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konto: {0} valuuta: {1} ei saa valida DocType: Bank Statement Transaction Settings Item,Bank Data,Pangaandmed DocType: Purchase Receipt Item,Sample Quantity,Proovi kogus @@ -6191,7 +6266,7 @@ DocType: GSTR 3B Report,April,Aprillil DocType: Plant Analysis,Collection Datetime,Kogumiskuupäev DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Tegevuse kogukuludest -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Märkus: Punkt {0} sisestatud mitu korda +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Märkus: Punkt {0} sisestatud mitu korda apps/erpnext/erpnext/config/buying.py,All Contacts.,Kõik kontaktid. DocType: Accounting Period,Closed Documents,Suletud dokumendid 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 @@ -6273,9 +6348,7 @@ DocType: Member,Membership Type,Liikmelisuse tüüp ,Reqd By Date,Reqd By Date apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Võlausaldajad DocType: Assessment Plan,Assessment Name,Hinnang Nimi -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Kuva PDC prindis apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Serial No on kohustuslik -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Konto {0} {1} jaoks ei leitud ühtegi tasumata arvet. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Punkt Wise Maksu- Detail DocType: Employee Onboarding,Job Offer,Tööpakkumine apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Instituut lühend @@ -6333,6 +6406,7 @@ DocType: Serial No,Out of Warranty,Out of Garantii DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Kopeeritud andmete tüüp DocType: BOM Update Tool,Replace,Vahetage apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Tooteid ei leidu. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Avalda rohkem üksusi apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},See teenusetaseme leping on konkreetne kliendi {0} jaoks apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} vastu müügiarve {1} DocType: Antibiotic,Laboratory User,Laboratoorsed kasutajad @@ -6355,7 +6429,6 @@ DocType: Payment Order Reference,Bank Account Details,Pangakonto andmed DocType: Purchase Order Item,Blanket Order,Tšeki tellimine 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Tootmise Tellimuse olnud {0} DocType: BOM Item,BOM No,Bom pole 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 @@ -6428,6 +6501,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Välised maksustatavad tarned (nullmääraga) DocType: BOM,Materials Required (Exploded),Vajalikud materjalid (Koostejoonis) 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/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 @@ -6485,7 +6559,6 @@ DocType: Pricing Rule,Same Item,Sama üksus DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry DocType: Quality Action Resolution,Quality Action Resolution,Kvaliteedimeetmete resolutsioon apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} poole päeva jooksul Jäta {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Sama toode on kantud mitu korda DocType: Department,Leave Block List,Jäta Block loetelu DocType: Purchase Invoice,Tax ID,Maksu- ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Punkt {0} ei ole setup Serial nr. Kolonn peab olema tühi @@ -6523,7 +6596,7 @@ 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 DocType: Purchase Invoice,Return,Tagasipöördumine -DocType: Accounting Dimension,Disable,Keela +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 DocType: Task,Pending Review,Kuni Review apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Muutke täislehelt rohkem võimalusi, nagu vara, seerianumbrid, partiid jne" @@ -6636,7 +6709,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Kombineeritud arveosa peab olema 100% DocType: Item Default,Default Expense Account,Vaikimisi ärikohtumisteks DocType: GST Account,CGST Account,CGST konto -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kauba kood> esemerühm> kaubamärk apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student E-ID DocType: Employee,Notice (days),Teade (päeva) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS sulgemisveokeri arve @@ -6647,6 +6719,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Valige objekt, et salvestada arve" DocType: Employee,Encashment Date,Inkassatsioon kuupäev DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Teave müüja kohta DocType: Special Test Template,Special Test Template,Erimudeli mall DocType: Account,Stock Adjustment,Stock reguleerimine apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Vaikimisi Tegevus Maksumus olemas Tegevuse liik - {0} @@ -6658,7 +6731,6 @@ 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 -DocType: Company,Bank Remittance Settings,Pangaülekande seaded apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Keskmine määr 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” @@ -6686,6 +6758,7 @@ DocType: Grading Scale Interval,Threshold,künnis apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Töötajate filtreerimine (valikuline) DocType: BOM Update Tool,Current BOM,Praegune Bom apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Tasakaal (dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Valmistoodete kogus apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Lisa Järjekorranumber DocType: Work Order Item,Available Qty at Source Warehouse,Saadaval Kogus tekkekohas Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Garantii @@ -6764,7 +6837,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Siin saate säilitada pikkus, kaal, allergia, meditsiini muresid etc" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Kontode loomine ... DocType: Leave Block List,Applies to Company,Kehtib Company -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Ei saa tühistada, sest esitatud Stock Entry {0} on olemas" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Ei saa tühistada, sest esitatud Stock Entry {0} on olemas" DocType: Loan,Disbursement Date,Väljamakse kuupäev DocType: Service Level Agreement,Agreement Details,Lepingu üksikasjad apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Lepingu alguskuupäev ei või olla suurem või võrdne lõppkuupäevaga. @@ -6773,6 +6846,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Meditsiiniline kirje DocType: Vehicle,Vehicle,sõiduk DocType: Purchase Invoice,In Words,Sõnades +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Tänaseks peab olema kuupäevast varem apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Enne esitamist sisestage panga või krediidiasutuse nimi. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} tuleb esitada DocType: POS Profile,Item Groups,Punkt Groups @@ -6844,7 +6918,6 @@ DocType: Customer,Sales Team Details,Sales Team Üksikasjad apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Kustuta jäädavalt? DocType: Expense Claim,Total Claimed Amount,Kokku nõutav summa apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potentsiaalne võimalusi müüa. -DocType: Plaid Settings,Link a new bank account,Linkige uus pangakonto apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} on sobimatu osalemise olek. DocType: Shareholder,Folio no.,Folio nr apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Vale {0} @@ -6860,7 +6933,6 @@ DocType: Production Plan,Material Requested,Taotletud materjal DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Reserveeritud alltöövõtulepingu kogus DocType: Patient Service Unit,Patinet Service Unit,Patinet teenindusüksus -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Loo tekstifail DocType: Sales Invoice,Base Change Amount (Company Currency),Põhimuutus summa (firma Valuuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,No raamatupidamise kanded järgmiste laod apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Ainult {0} on kaupa {1} @@ -6874,6 +6946,7 @@ DocType: Item,No of Months,Kuude arv DocType: Item,Max Discount (%),Max Discount (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Krediitpäevade arv ei saa olla negatiivne apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Laadige avaldus üles +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Teata sellest elemendist DocType: Purchase Invoice Item,Service Stop Date,Teenuse lõpetamise kuupäev apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Viimati tellimuse summa DocType: Cash Flow Mapper,e.g Adjustments for:,nt korrigeerimised: @@ -6967,16 +7040,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Töötaja maksuvabastuse kategooria apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Summa ei tohiks olla väiksem kui null. DocType: Sales Invoice,C-Form Applicable,C-kehtival kujul -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Tööaeg peab olema suurem kui 0 operatsiooni {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Tööaeg peab olema suurem kui 0 operatsiooni {0} DocType: Support Search Source,Post Route String,Postitage marsruudi string apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Ladu on kohustuslik apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Veebisaidi loomine ebaõnnestus DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Conversion Detail apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Sissepääs ja registreerimine -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry on juba loodud või Proovi Kogus pole esitatud +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry on juba loodud või Proovi Kogus pole esitatud DocType: Program,Program Abbreviation,programm lühend -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Tootmine tellimust ei ole võimalik vastu tekitatud Punkt Mall apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupp vautšeri järgi (konsolideeritud) DocType: HR Settings,Encrypt Salary Slips in Emails,Krüpti palgaklaasid meilides DocType: Question,Multiple Correct Answer,Mitu õiget vastust @@ -7023,7 +7095,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Kas see on null või on DocType: Employee,Educational Qualification,Haridustsensus DocType: Workstation,Operating Costs,Tegevuskulud apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Valuuta eest {0} peab olema {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Sisenemise ajapikenduse tagajärg DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Märkige sellele vahetusele määratud töötajate osalemine vastavalt töötajate registreerimisele. DocType: Asset,Disposal Date,müügikuupäevaga DocType: Service Level,Response and Resoution Time,Reageerimise ja taaselustamise aeg @@ -7071,6 +7142,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Lõppkuupäev DocType: Purchase Invoice Item,Amount (Company Currency),Summa (firma Valuuta) DocType: Program,Is Featured,On esiletõstetud +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Toomine ... DocType: Agriculture Analysis Criteria,Agriculture User,Põllumajanduslik kasutaja apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Kehtib kuni kuupäevani ei saa olla enne tehingu kuupäeva apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} ühikut {1} vaja {2} kohta {3} {4} ja {5} tehingu lõpuleviimiseks. @@ -7103,7 +7175,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Kokku Paide Amt 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 @@ -7127,6 +7198,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonüümne apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Saadud DocType: Lead,Converted,Converted DocType: Item,Has Serial No,Kas Serial No +DocType: Stock Entry Detail,PO Supplied Item,PO tarnitud toode 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} @@ -7241,7 +7313,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Maksude ja tasude sünkroon 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Vaikimisi Bom {0} ei leitud +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Puuduta Toodete lisamiseks neid siin @@ -7275,7 +7347,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Hooldus kuupäev DocType: Purchase Invoice Item,Rejected Serial No,Tagasilükatud Järjekorranumber apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,"Aasta algus- või lõppkuupäev kattub {0}. Et vältida, määrake ettevõte" -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Palun mainige juhtiva nime juhtimisel {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Alguskuupäev peab olema väiksem kui lõppkuupäev Punkt {0} DocType: Shift Type,Auto Attendance Settings,Automaatse osalemise seaded @@ -7285,9 +7356,11 @@ DocType: Upload Attendance,Upload Attendance,Laadi Osavõtt apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Bom ja tootmine Kogus on vajalik apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Vananemine Range 2 DocType: SG Creation Tool Course,Max Strength,max Strength +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Konto {0} on juba lapseettevõttes {1} olemas. Järgmistel väljadel on erinevad väärtused, need peaksid olema samad:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Eelseadistuste installimine DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Kliendi jaoks pole valitud tarne märkust {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},{0} lisatud read apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Töötaja {0} ei ole maksimaalse hüvitise suurust apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,"Valige üksused, mis põhinevad kohaletoimetamise kuupäeval" DocType: Grant Application,Has any past Grant Record,Kas on minevikus Grant Record @@ -7331,6 +7404,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Õpilase üksikasjad DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".","See on vaikimisi kasutatav UOM, mida kasutatakse üksuste ja müügitellimuste jaoks. Varu UOM on "Nos"." DocType: Purchase Invoice Item,Stock Qty,stock Kogus +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 DocType: Loan,Repayment Period in Months,Tagastamise tähtaeg kuudes @@ -7359,6 +7433,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Soodus apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Töögraafik ülesannete. DocType: Purchase Invoice,Against Expense Account,Vastu ärikohtumisteks apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Paigaldamine Märkus {0} on juba esitatud +DocType: BOM,Raw Material Cost (Company Currency),Tooraine maksumus (ettevõtte valuuta) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Maja üür tasutud päevad kattuvad {0} -ga DocType: GSTR 3B Report,October,Oktoobril DocType: Bank Reconciliation,Get Payment Entries,Saada maksmine Sissekanded @@ -7405,15 +7480,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Kasutatav kasutuskuupäev on vajalik DocType: Request for Quotation,Supplier Detail,tarnija Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Viga valemis või seisund: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Arve kogusumma +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Arve kogusumma apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kriteeriumide kaalud peavad sisaldama kuni 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Osavõtt apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,stock Kirjed DocType: Sales Invoice,Update Billed Amount in Sales Order,Makse tellimuse summa uuendamine +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Võta ühendust Müüjaga 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Sõnades on nähtav, kui salvestate tellimusele." @@ -7427,6 +7504,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Hinnakiri kapten. DocType: Task,Review Date,Review Date DocType: BOM,Allow Alternative Item,Luba alternatiivne üksus +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Ostukviitungil pole ühtegi eset, mille jaoks on proovide säilitamine lubatud." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Arve suur kokku DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Varade amortisatsiooni kanne (ajakirja kandmine) DocType: Membership,Member Since,Liige alates @@ -7436,6 +7514,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,On Net kokku 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},Väärtus Oskus {0} peab olema vahemikus {1} kuni {2} on juurdekasvuga {3} jaoks Punkt {4} DocType: Pricing Rule,Product Discount Scheme,Toote allahindluste skeem +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Ühtegi küsimust pole helistaja tõstatanud. DocType: Restaurant Reservation,Waitlisted,Ootati DocType: Employee Tax Exemption Declaration Category,Exemption Category,Erandkategooria apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valuuta ei saa muuta pärast kande tegemiseks kasutada mõne muu valuuta @@ -7449,7 +7528,6 @@ DocType: Customer Group,Parent Customer Group,Parent Kliendi Group apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSONi saab luua ainult müügiarvest apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Selle viktoriini maksimaalsed katsed on saavutatud! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Tellimine -DocType: Purchase Invoice,Contact Email,Kontakt E- apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Tasu loomine ootel DocType: Project Template Task,Duration (Days),Kestus (päevades) DocType: Appraisal Goal,Score Earned,Skoor Teenitud @@ -7474,7 +7552,6 @@ DocType: Landed Cost Item,Landed Cost Item,Maandus kuluartikkel 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Ühe tehingu summa ületab maksimaalse lubatud summa, looge eraldi maksekorraldus tehingute jagamise teel" 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 @@ -7642,6 +7719,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,saada DocType: Quality Inspection Reading,Reading 3,Lugemine 3 DocType: Stock Entry,Source Warehouse Address,Allika Warehouse Aadress DocType: GL Entry,Voucher Type,Voucher Type +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Tulevased maksed 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 @@ -7668,6 +7746,7 @@ DocType: Travel Request,Identification Document Number,Identifitseerimisdokumend 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." DocType: Sales Invoice,Customer GSTIN,Kliendi GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Valdkonnas tuvastatud haiguste loetelu. Kui see on valitud, lisab see haigusjuhtumite loendisse automaatselt nimekirja" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,1. pomm apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,See on root-tervishoiuteenuse üksus ja seda ei saa muuta. DocType: Asset Repair,Repair Status,Remondi olek 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." @@ -7682,6 +7761,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Konto muutuste summa DocType: QuickBooks Migrator,Connecting to QuickBooks,Ühendamine QuickBooksiga DocType: Exchange Rate Revaluation,Total Gain/Loss,Kasumi / kahjumi kogusumma +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Koosta valiknimekiri apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Pidu / konto ei ühti {1} / {2} on {3} {4} DocType: Employee Promotion,Employee Promotion,Töötajate edendamine DocType: Maintenance Team Member,Maintenance Team Member,Hooldus meeskonna liige @@ -7764,6 +7844,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netopalk ei tohi olla negatiivne @@ -7795,7 +7876,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Kvaliteetne eesmärk DocType: BOM,Item to be manufactured or repacked,Punkt tuleb toota või ümber apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Süntaksiviga tingimusel: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Ühtegi kliendi tõstatatud küsimust pole. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Major / Valik apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Palun määrake seaded ostjate grupile. @@ -7888,8 +7968,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Krediidi päeva apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Palun valige laboratsete testide saamiseks patsient DocType: Exotel Settings,Exotel Settings,Exoteli seaded -DocType: Leave Type,Is Carry Forward,Kas kanda +DocType: Leave Ledger Entry,Is Carry Forward,Kas kanda DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Tööaeg, millest allapoole on märgitud puudumine. (Null keelata)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Saada sõnum apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Võta Kirjed Bom 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 diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv index 9e99ca31cb..c64b3fdd34 100644 --- a/erpnext/translations/fa.csv +++ b/erpnext/translations/fa.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,اطلاع رسانی کننده apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,لطفا ابتدا حزب نوع را انتخاب کنید DocType: Item,Customer Items,آیتم های مشتری +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,بدهی DocType: Project,Costing and Billing,هزینه یابی و حسابداری apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},پول حساب پیشنهادی باید به صورت پولی شرکت باشد {0} DocType: QuickBooks Migrator,Token Endpoint,نقطه پایانی توکن @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,واحد اندازه گیری پیش فر DocType: SMS Center,All Sales Partner Contact,اطلاعات تماس تمام شرکای فروش DocType: Department,Leave Approvers,ترک Approvers DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,جستجوی موارد ... DocType: Patient Encounter,Investigations,تحقیقات DocType: Restaurant Order Entry,Click Enter To Add,برای افزودن کلیک کنید apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL",مقدار نامعتبر برای رمز عبور، کلید API یا Shopify URL DocType: Employee,Rented,اجاره apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,همه حسابها apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,انتقال کارمند با وضعیت چپ امکان پذیر نیست -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",متوقف سفارش تولید نمی تواند لغو شود، آن را اولین Unstop برای لغو DocType: Vehicle Service,Mileage,مسافت پیموده شده apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,آیا شما واقعا می خواهید به قراضه این دارایی؟ DocType: Drug Prescription,Update Schedule,به روز رسانی برنامه @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,مشتری DocType: Purchase Receipt Item,Required By,مورد نیاز DocType: Delivery Note,Return Against Delivery Note,بازگشت علیه تحویل توجه داشته باشید DocType: Asset Category,Finance Book Detail,جزئیات مالی امور مالی +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,همه استهلاک ها رزرو شده اند DocType: Purchase Order,% Billed,٪ صورتحساب شد apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,شماره حقوق و دستمزد apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),نرخ ارز باید به همان صورت {0} {1} ({2}) @@ -95,6 +97,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,دسته ای مورد وضعیت انقضاء apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,حواله بانکی DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV- .YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,کل ورودی های دیررس DocType: Mode of Payment Account,Mode of Payment Account,نحوه حساب پرداخت apps/erpnext/erpnext/config/healthcare.py,Consultation,مشاوره DocType: Accounts Settings,Show Payment Schedule in Print,نمایش برنامه پرداخت در چاپ @@ -122,6 +125,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,د apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,اطلاعات تماس اولیه apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,مسائل باز DocType: Production Plan Item,Production Plan Item,تولید مورد طرح +DocType: Leave Ledger Entry,Leave Ledger Entry,ورود ورود به سیستم را ترک کنید 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,سرب ایجاد کنید @@ -140,6 +144,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,ح DocType: Purchase Invoice Item,Item Weight Details,مورد وزن جزئیات DocType: Asset Maintenance Log,Periodicity,تناوب apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,سال مالی {0} مورد نیاز است +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,سود / ضرر خالص DocType: Employee Group Table,ERPNext User ID,شناسه کاربر ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,حداقل فاصله بین ردیف گیاهان برای رشد مطلوب apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,لطفاً بیمار را دریافت کنید تا روش تجویز شده را دریافت کنید @@ -166,10 +171,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,لیست قیمت فروش DocType: Patient,Tobacco Current Use,مصرف فعلی توتون و تنباکو apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,قیمت فروش -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,لطفا قبل از اضافه کردن حساب جدید ، سند خود را ذخیره کنید 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 ...,جستجوی هر چیزی ... DocType: Company,Phone No,تلفن DocType: Delivery Trip,Initial Email Notification Sent,هشدار ایمیل اولیه ارسال شد DocType: Bank Statement Settings,Statement Header Mapping,اعلامیه سرصفحه بندی @@ -232,6 +237,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,صن DocType: Exchange Rate Revaluation Account,Gain/Loss,به دست آوردن / از دست دادن DocType: Crop,Perennial,چند ساله DocType: Program,Is Published,منتشر شده است +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,نمایش یادداشت های تحویل apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",برای اجازه بیش از صدور صورت حساب ، "بیش از کمک هزینه صورتحساب" را در تنظیمات حساب یا مورد به روز کنید. DocType: Patient Appointment,Procedure,روش DocType: Accounts Settings,Use Custom Cash Flow Format,از فرم سفارشی جریان جریان استفاده کنید @@ -280,6 +286,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,بازپرداخت تعداد بیش از دوره های apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,مقدار تولید نمی تواند کمتر از صفر باشد DocType: Stock Entry,Additional Costs,هزینه های اضافی +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,مشتری> گروه مشتری> سرزمین apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,حساب با معامله موجود می تواند به گروه تبدیل نمی کند. DocType: Lead,Product Enquiry,پرس و جو محصولات DocType: Education Settings,Validate Batch for Students in Student Group,اعتبارسنجی دسته ای برای دانش آموزان در گروه های دانشجویی @@ -291,7 +298,9 @@ DocType: Employee Education,Under Graduate,مقطع apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,لطفا قالب پیش فرض برای اعلام وضعیت وضعیت ترک در تنظیمات HR تعیین کنید. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,هدف در DocType: BOM,Total Cost,هزینه کل +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,تخصیص منقضی شده است! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,حداکثر برگهای حمل شده DocType: Salary Slip,Employee Loan,کارمند وام DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS- .YY-. MM.- DocType: Fee Schedule,Send Payment Request Email,ارسال درخواست پرداخت درخواست @@ -301,6 +310,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,عقا apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,بیانیه ای از حساب apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,داروسازی DocType: Purchase Invoice Item,Is Fixed Asset,است دارائی های ثابت +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,نمایش پرداختهای آینده DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT- .YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,این حساب بانکی در حال حاضر هماهنگ شده است DocType: Homepage,Homepage Section,بخش صفحه @@ -346,7 +356,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,کود apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",می توانید تحویل توسط Serial No را تضمین نکنید \ Item {0} با و بدون تأیید تحویل توسط \ سریال اضافه می شود -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,لطفاً سیستم نامگذاری مربی را در آموزش و پرورش> تنظیمات آموزش تنظیم کنید apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,باید حداقل یک حالت پرداخت برای فاکتور POS مورد نیاز است. DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,بیانیه بانکی صورت حساب صورتحساب تراکنش DocType: Salary Detail,Tax on flexible benefit,مالیات بر سود انعطاف پذیر @@ -420,6 +429,7 @@ DocType: Job Offer,Select Terms and Conditions,انتخاب شرایط و ضوا apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,ارزش از DocType: Bank Statement Settings Item,Bank Statement Settings Item,اظهارنامه تنظیمات بانک DocType: Woocommerce Settings,Woocommerce Settings,تنظیمات Woocommerce +DocType: Leave Ledger Entry,Transaction Name,نام معاملات DocType: Production Plan,Sales Orders,سفارشات فروش apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,برنامه وفاداری چندگانه برای مشتری. لطفا به صورت دستی انتخاب کنید DocType: Purchase Taxes and Charges,Valuation,ارزیابی @@ -454,6 +464,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: 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,به روز رسانی ایمیل گروه DocType: POS Profile,Only show Customer of these Customer Groups,فقط مشتری این گروه های مشتری را نشان دهید DocType: Sales Invoice,Is Opening Entry,باز ورودی @@ -462,8 +473,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,اگر حساب دریافتنی ذکر غیر استاندارد قابل اجرا 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,در حال حاضر ورود سهام در برابر این لیست انتخاب ایجاد شده است DocType: Supplier Scorecard,Criteria Setup,معیارهای تنظیم -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,ذخیره سازی قبل از ارسال مورد نیاز است +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,دریافت در DocType: Codification Table,Medical Code,کد پزشکی apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,آمازون را با ERPNext وصل کنید @@ -479,7 +491,7 @@ DocType: Restaurant Order Entry,Add Item,این مورد را اضافه کنی DocType: Party Tax Withholding Config,Party Tax Withholding Config,پیکربندی استرداد مالیات حزبی DocType: Lab Test,Custom Result,نتیجه سفارشی apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,حسابهای بانکی اضافه شد -DocType: Delivery Stop,Contact Name,تماس با نام +DocType: Call Log,Contact Name,تماس با نام DocType: Plaid Settings,Synchronize all accounts every hour,همگام سازی همه حساب ها در هر ساعت DocType: Course Assessment Criteria,Course Assessment Criteria,معیارهای ارزیابی دوره DocType: Pricing Rule Detail,Rule Applied,قانون اعمال می شود @@ -523,7 +535,6 @@ 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,فاکتور فروش بدون -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,شماره ناشناخته DocType: Website Filter Field,Website Filter Field,فیلترینگ وب سایت apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,نوع عرضه DocType: Material Request Item,Min Order Qty,حداقل تعداد سفارش @@ -551,7 +562,6 @@ DocType: Salary Slip,Total Principal Amount,مجموع کل اصل DocType: Student Guardian,Relation,ارتباط DocType: Quiz Result,Correct,درست DocType: Student Guardian,Mother,مادر -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,لطفاً ابتدا کلیدهای api معتبر Plaid را در site_config.json اضافه کنید DocType: Restaurant Reservation,Reservation End Time,زمان پایان رزرو DocType: Crop,Biennial,دوسالانه ,BOM Variance Report,گزارش تنوع BOM @@ -567,6 +577,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,کلید عمومی Plaid DocType: Payment Term,Payment Term Name,نام و نام خانوادگی پرداخت DocType: Healthcare Settings,Create documents for sample collection,اسناد را برای جمع آوری نمونه ایجاد کنید apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},پرداخت در مقابل {0} {1} نمی تواند بیشتر از برجسته مقدار {2} @@ -614,12 +625,14 @@ DocType: POS Profile,Offline POS Settings,تنظیمات POS آفلاین DocType: Stock Entry Detail,Reference Purchase Receipt,رسید خرید مرجع DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO- .YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,نوع از -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',تکمیل تعداد نمی تواند بیشتر از 'تعداد برای تولید' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',تکمیل تعداد نمی تواند بیشتر از 'تعداد برای تولید' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,دوره بر اساس DocType: Period Closing Voucher,Closing Account Head,بستن سر حساب DocType: Employee,External Work History,سابقه کار خارجی apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,خطا مرجع مدور apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,گزارش کارت دانشجویی apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,از کد پین +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,نمایش شخص فروش DocType: Appointment Type,Is Inpatient,بستری است apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,نام Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,به عبارت (صادرات) قابل مشاهده خواهد بود یک بار شما را تحویل توجه را نجات دهد. @@ -633,6 +646,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,نام ابعاد apps/erpnext/erpnext/healthcare/setup.py,Resistant,مقاوم apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},لطفا قیمت اتاق هتل را برای {} تنظیم کنید +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,لطفاً سریال های شماره گذاری را برای حضور از طریق تنظیم> سری شماره گذاری تنظیم کنید DocType: Journal Entry,Multi Currency,چند ارز DocType: Bank Statement Transaction Invoice Item,Invoice Type,فاکتور نوع apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,اعتبار آن از تاریخ باید کمتر از تاریخ معتبر باشد @@ -651,6 +665,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,پذیرفته DocType: Workstation,Rent Cost,اجاره هزینه 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,مقدار پس از استهلاک apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,تقویم رویدادهای آینده apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,صفات نوع @@ -736,7 +751,6 @@ DocType: Request for Quotation,Request for Quotation,درخواست برای ن 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,نمایش شخص فروش در چاپ 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,استحکام @@ -744,7 +758,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,ایجاد یک مشتری جدید apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,در حال پایان است apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",اگر چند در قوانین قیمت گذاری ادامه غالب است، از کاربران خواسته به تنظیم اولویت دستی برای حل و فصل درگیری. -DocType: Purchase Invoice,Scan Barcode,اسکن بارکد apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,ایجاد سفارشات خرید ,Purchase Register,خرید ثبت نام apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,بیمار یافت نشد @@ -802,6 +815,7 @@ DocType: Lead,Channel Partner,کانال شریک DocType: Account,Old Parent,قدیمی مرجع apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,فیلد اجباری - سال تحصیلی apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} با {2} {3} ارتباط ندارد +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} @@ -843,6 +857,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,کامپوننت حقوق و دستمزد حقوق و دستمزد بر اساس برنامه زمانی برای. DocType: Driver,Applicable for external driver,قابل اجرا برای راننده خارجی DocType: Sales Order Item,Used for Production Plan,مورد استفاده برای طرح تولید +DocType: BOM,Total Cost (Company Currency),هزینه کل (ارز شرکت) DocType: Loan,Total Payment,مبلغ کل قابل پرداخت apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,معامله برای سفارش کار کامل لغو نمی شود. DocType: Manufacturing Settings,Time Between Operations (in mins),زمان بین عملیات (در دقیقه) @@ -862,6 +877,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_pro DocType: Supplier Scorecard Standing,Notify Other,اطلاع دیگر DocType: Vital Signs,Blood Pressure (systolic),فشار خون (سیستولیک) DocType: Item Price,Valid Upto,معتبر تا حد +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.,لیست تعداد کمی از مشتریان خود را. آنها می تواند سازمان ها یا افراد. @@ -922,6 +938,7 @@ DocType: Patient,Risk Factors,عوامل خطر DocType: Patient,Occupational Hazards and Environmental Factors,خطرات کاری و عوامل محیطی apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,مقالات موجود برای سفارش کار ایجاد شده است apps/erpnext/erpnext/templates/pages/cart.html,See past orders,سفارشات گذشته را مشاهده کنید +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} مکالمه DocType: Vital Signs,Respiratory rate,نرخ تنفس apps/erpnext/erpnext/config/help.py,Managing Subcontracting,مدیریت مقاطعه کاری فرعی DocType: Vital Signs,Body Temperature,دمای بدن @@ -963,6 +980,7 @@ DocType: Purchase Invoice,Registered Composition,ترکیب ثبت شده apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,سلام apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,انتقال مورد DocType: Employee Incentive,Incentive Amount,مبلغ تسریع کننده +,Employee Leave Balance Summary,خلاصه مانده تراز کارمندان DocType: Serial No,Warranty Period (Days),دوره گارانتی (روز) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,مبلغ کل اعتبار / بدهی باید همانند ورود مجله مجله باشد DocType: Installation Note Item,Installation Note Item,نصب و راه اندازی توجه داشته باشید مورد @@ -976,6 +994,7 @@ DocType: Vital Signs,Bloated,پف کرده DocType: Salary Slip,Salary Slip Timesheet,برنامه زمانی حقوق و دستمزد لغزش apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,انبار تامین کننده برای رسید خرید زیر قرارداد اجباری DocType: Item Price,Valid From,معتبر از +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,امتیاز شما: DocType: Sales Invoice,Total Commission,کمیسیون ها DocType: Tax Withholding Account,Tax Withholding Account,حساب سپرده مالیاتی DocType: Pricing Rule,Sales Partner,شریک فروش @@ -983,6 +1002,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,همه کارت DocType: Buying Settings,Purchase Receipt Required,رسید خرید مورد نیاز DocType: Sales Invoice,Rail,ریل apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,هزینه واقعی +DocType: Item,Website Image,تصویر وب سایت apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,انبار هدف در سطر {0} باید همان کار سفارش باشد apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,نرخ ارزش گذاری الزامی است باز کردن سهام وارد apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,هیچ ثبتی یافت نشد در جدول فاکتور @@ -1015,8 +1035,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,لطفاً پیکربندی Plaid API خود را قبل از همگام سازی حساب خود تکمیل کنید apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,تاریخ نیمه روز اجباری است DocType: Sales Order,Billing and Delivery Status,صدور صورت حساب و وضعیت تحویل DocType: Job Applicant,Resume Attachment,پیوست رزومه @@ -1028,7 +1048,6 @@ DocType: Production Plan,Production Plan,برنامه تولید DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,افتتاح حساب ایجاد ابزار DocType: Salary Component,Round to the Nearest Integer,دور تا نزدیکترین علاقه apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,برگشت فروش -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,توجه: مجموع برگ اختصاص داده {0} نباید کمتر از برگ حال حاضر مورد تایید {1} برای دوره DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,مقدار در معاملات را بر اساس سریال بدون ورودی تنظیم کنید ,Total Stock Summary,خلاصه سهام مجموع apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1055,6 +1074,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,ا apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,مقدار اصلی DocType: Loan Application,Total Payable Interest,مجموع بهره قابل پرداخت apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},مجموع برجسته: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,تماس با ما باز کنید 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,انتخاب حساب پرداخت به ورود بانک @@ -1063,6 +1083,7 @@ 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,یک خطا در طول فرایند به روز رسانی رخ داد DocType: Restaurant Reservation,Restaurant Reservation,رزرو رستوران +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,موارد شما apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,نوشتن طرح های پیشنهادی DocType: Payment Entry Deduction,Payment Entry Deduction,پرداخت کسر ورود DocType: Service Level Priority,Service Level Priority,اولویت سطح خدمات @@ -1071,6 +1092,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,شماره سری سری apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,یک نفر دیگر فروش {0} با شناسه کارمند همان وجود دارد DocType: Employee Advance,Claimed Amount,مقدار ادعا شده +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,تخصیص Expire DocType: QuickBooks Migrator,Authorization Settings,تنظیمات مجوز DocType: Travel Itinerary,Departure Datetime,زمان تاریخ خروج apps/erpnext/erpnext/hub_node/api.py,No items to publish,هیچ موردی برای انتشار وجود ندارد @@ -1138,7 +1160,6 @@ DocType: Student Batch Name,Batch Name,نام دسته ای DocType: Fee Validity,Max number of visit,حداکثر تعداد بازدید DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,اجباری برای سود و زیان ,Hotel Room Occupancy,اتاق پذیرایی اتاق -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,برنامه زمانی ایجاد شده: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},لطفا نقدی پیش فرض و یا حساب بانکی در نحوه پرداخت را تعیین {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,ثبت نام کردن DocType: GST Settings,GST Settings,تنظیمات GST @@ -1266,6 +1287,7 @@ DocType: Sales Invoice,Commission Rate (%),نرخ کمیسیون (٪) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,لطفا انتخاب برنامه DocType: Project,Estimated Cost,هزینه تخمین زده شده DocType: Request for Quotation,Link to material requests,لینک به درخواست مواد +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,انتشار apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,جو زمین ,Fichier des Ecritures Comptables [FEC],Ficier Des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,ورود کارت اعتباری @@ -1292,6 +1314,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,دارایی های نقد apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} از اقلام انبار نیست apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',لطفا نظرات خود را به آموزش با کلیک بر روی 'آموزش بازخورد' و سپس 'جدید' +DocType: Call Log,Caller Information,اطلاعات تماس گیرنده DocType: Mode of Payment Account,Default Account,به طور پیش فرض حساب apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,لطفا برای اولین بار نمونه اولیه نگهداری نمونه در تنظیمات سهام را انتخاب کنید apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,لطفا نوع برنامه چند مرحله ای را برای بیش از یک مجموعه قوانین مجموعه انتخاب کنید. @@ -1316,6 +1339,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,درخواست مواد تولید خودکار DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),ساعات کاری که زیر آن نیمه روز مشخص شده است. (غیرفعال کردن صفر) DocType: Job Card,Total Completed Qty,تعداد کل تکمیل شده است +DocType: HR Settings,Auto Leave Encashment,خودکار ترک کردن رمزگذاری apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,از دست رفته apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,"شما نمی توانید سند هزینه جاری را در ستون""علیه مجله "" وارد کنید" DocType: Employee Benefit Application Detail,Max Benefit Amount,حداکثر مبلغ مزایا @@ -1345,9 +1369,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,مشترک DocType: Item Attribute Value,Item Attribute Value,مورد موجودیت مقدار apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,مبادله ارز باید برای خرید و یا برای فروش قابل اجرا باشد. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,فقط تخصیص منقضی شده قابل لغو است DocType: Item,Maximum sample quantity that can be retained,حداکثر تعداد نمونه که می تواند حفظ شود apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},ردیف {0} # Item {1} را نمی توان بیش از {2} در برابر سفارش خرید {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,کمپین فروش. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,تماس گیرنده ناشناس DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1379,6 +1405,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,برنام apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,نام فیلم کارگردان تهیه کننده DocType: Expense Claim Detail,Expense Claim Type,هزینه نوع ادعا DocType: Shopping Cart Settings,Default settings for Shopping Cart,تنظیمات پیش فرض برای سبد خرید +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,ذخیره مورد apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,هزینه جدید apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,نادیده گرفتن سفارش سفارش موجود را نادیده بگیرید apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,اضافه کردن Timeslots @@ -1391,6 +1418,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,مرور دعوت نامه ارسال شده است DocType: Shift Assignment,Shift Assignment,تخصیص تغییر DocType: Employee Transfer Property,Employee Transfer Property,کارفرما انتقال اموال +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,قسمت حساب سهام / بدهی نمی تواند خالی باشد apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,از زمان باید کمتر از زمان باشد apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,بیوتکنولوژی apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1472,11 +1500,13 @@ 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,مخاطب جدید ایجاد کنید apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,برنامه های آموزشی DocType: GSTR 3B Report,GSTR 3B Report,گزارش GSTR 3B DocType: Request for Quotation Supplier,Quote Status,نقل قول وضعیت DocType: GoCardless Settings,Webhooks Secret,وبخواب راز DocType: Maintenance Visit,Completion Status,وضعیت تکمیل +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},کل مبلغ پرداخت نمی تواند بیشتر از { DocType: Daily Work Summary Group,Select Users,کاربران را انتخاب کنید DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,قیمت اتاق هتل DocType: Loyalty Program Collection,Tier Name,نام ردیف @@ -1514,6 +1544,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,مقدا DocType: Lab Test Template,Result Format,فرمت نتیجه DocType: Expense Claim,Expenses,مخارج DocType: Service Level,Support Hours,ساعت پشتیبانی +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,یادداشت های تحویل DocType: Item Variant Attribute,Item Variant Attribute,مورد متغیر ویژگی ,Purchase Receipt Trends,روند رسید خرید DocType: Payroll Entry,Bimonthly,مجلهای که دوماه یکبار منتشر میشود @@ -1535,7 +1566,6 @@ DocType: Sales Team,Incentives,انگیزه DocType: SMS Log,Requested Numbers,شماره درخواست شده DocType: Volunteer,Evening,شب DocType: Quiz,Quiz Configuration,پیکربندی مسابقه -DocType: Customer,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,جزئیات سهام @@ -1582,7 +1612,6 @@ apps/erpnext/erpnext/config/accounting.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,تعداد کل صفر را فیلتر کنید -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},قادر به پیدا کردن شکاف زمان در آینده {0} روز برای عملیات {1} DocType: Work Order,Plan material for sub-assemblies,مواد را برای طرح زیر مجموعه 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,هیچ موردی برای انتقال وجود ندارد @@ -1597,9 +1626,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,برای حفظ سطح سفارش مجدد ، باید تنظیم مجدد خودکار را در تنظیمات سهام فعال کنید. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,لغو مواد بازدید {0} قبل از لغو این نگهداری سایت DocType: Pricing Rule,Rate or Discount,نرخ یا تخفیف +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,جزئیات بانک DocType: Vital Signs,One Sided,یک طرفه apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},سریال بدون {0} به مورد تعلق ندارد {1} -DocType: Purchase Receipt Item Supplied,Required Qty,مورد نیاز تعداد +DocType: Purchase Order Item Supplied,Required Qty,مورد نیاز تعداد DocType: Marketplace Settings,Custom Data,داده های سفارشی apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,انبارها با معامله موجود می توانید به دفتر تبدیل نمی کند. DocType: Service Day,Service Day,روز خدمت @@ -1627,7 +1657,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,حساب ارزی DocType: Lab Test,Sample ID,شناسه نمونه apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,لطفا در شرکت گرد حساب فعال ذکر -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,محدوده DocType: Supplier,Default Payable Accounts,به طور پیش فرض حسابهای پرداختنی apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,کارمند {0} غیر فعال است و یا وجود ندارد @@ -1668,8 +1697,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,درخواست اطلاعات DocType: Course Activity,Activity Date,تاریخ فعالیت apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} از {} -,LeaderBoard,رهبران DocType: Sales Invoice Item,Rate With Margin (Company Currency),نرخ با مارجین (ارزش شرکت) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,دسته بندی ها apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,همگام سازی آفلاین فاکتورها DocType: Payment Request,Paid,پرداخت DocType: Service Level,Default Priority,اولویت پیش فرض @@ -1704,11 +1733,11 @@ 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,درآمد غیر مستقیم DocType: Student Attendance Tool,Student Attendance Tool,ابزار حضور دانش آموز DocType: Restaurant Menu,Price List (Auto created),لیست قیمت (خودکار ایجاد شده) +DocType: Pick List Item,Picked Qty,کیفی را برداشت DocType: Cheque Print Template,Date Settings,تنظیمات تاریخ 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,جزئیات ارتقاء کارکنان -,Company Name,نام شرکت DocType: SMS Center,Total Message(s),پیام ها (بازدید کنندگان) DocType: Share Balance,Purchased,خریداری شده DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,تغییر مقدار مشخصه در مشخصه مورد. @@ -1727,7 +1756,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,آخرین تلاش 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} اجباری است -DocType: BOM,Raw Material Cost(Company Currency),خام هزینه مواد (شرکت ارز) 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,هزینه برق @@ -1794,6 +1822,7 @@ DocType: Travel Itinerary,Train,قطار - تعلیم دادن ,Delayed Item Report,گزارش مورد تأخیر apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC واجد شرایط DocType: Healthcare Service Unit,Inpatient Occupancy,بستری بستری +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,اولین موارد خود را منتشر کنید DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC- .YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,زمان بعد از پایان شیفت که در آن چک لیست برای حضور در نظر گرفته شده است. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},لطفا مشخص {0} @@ -1909,6 +1938,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,همه BOM ها apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,ورود مجله شرکت بین المللی را ایجاد کنید DocType: Company,Parent Company,شرکت مادر apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},اتاق هتل نوع {0} در {1} در دسترس نیست +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,مقایسه BOM برای تغییرات در مواد اولیه و عملیات apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,سند {0} با موفقیت ممنوع است DocType: Healthcare Practitioner,Default Currency,به طور پیش فرض ارز apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,این حساب را دوباره سازگار کنید @@ -1943,6 +1973,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,جزئیات C-فرم فاکتور DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,پرداخت آشتی فاکتور DocType: Clinical Procedure,Procedure Template,الگو +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,انتشار موارد apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,سهم٪ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",همانطور که در تنظیمات از خرید اگر سفارش خرید مورد نیاز == "YES"، پس از آن برای ایجاد خرید فاکتور، کاربر نیاز به ایجاد سفارش خرید برای اولین بار در مورد {0} ,HSN-wise-summary of outward supplies,HSN-wise خلاصه ای از منابع خارجی @@ -1954,7 +1985,6 @@ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,سبد خرید apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',لطفا 'درخواست تخفیف اضافی بر روی' DocType: Party Tax Withholding Config,Applicable Percent,درصد قابل قبول ,Ordered Items To Be Billed,آیتم ها دستور داد تا صورتحساب -DocType: Employee Checkin,Exit Grace Period Consequence,خروج از نتیجه دوره گریس apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,از محدوده است که به کمتر از به محدوده DocType: Global Defaults,Global Defaults,به طور پیش فرض جهانی apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,پروژه دعوت همکاری @@ -1962,13 +1992,11 @@ DocType: Salary Slip,Deductions,کسر DocType: Setup Progress Action,Action Name,نام عمل apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,سال شروع apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ایجاد وام -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,تاریخ دوره صورتحساب فعلی شروع DocType: Shift Type,Process Attendance After,حضور در فرآیند پس از ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,ترک کنی بدون اینکه پرداخت DocType: Payment Request,Outward,به سمت خارج -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,ظرفیت خطا برنامه ریزی apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,مالیات دولت / UT ,Trial Balance for Party,تعادل دادگاه برای حزب ,Gross and Net Profit Report,گزارش سود ناخالص و خالص @@ -1986,7 +2014,6 @@ DocType: Bank Statement Transaction Entry,Payment Invoice Items,اقلام فا DocType: Payroll Entry,Employee Details,جزئیات کارمند DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,زمینه ها تنها در زمان ایجاد ایجاد می شوند. -DocType: Setup Progress Action,Domains,دامنه 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} @@ -2029,7 +2056,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,مجموع 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.",حالت پرداخت پیکربندی نشده است. لطفا بررسی کنید، آیا حساب شده است در حالت پرداخت و یا در POS مشخصات تعیین شده است. apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,آیتم همان نمی تواند وارد شود چند بار. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",حساب های بیشتر می تواند در زیر گروه ساخته شده، اما مطالب را می توان در برابر غیر گروه ساخته شده -DocType: Email Campaign,Lead,راهبر +DocType: Call Log,Lead,راهبر DocType: Email Digest,Payables,حساب های پرداختنی DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,کمپین ایمیل برای @@ -2041,6 +2068,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,سفارش خرید گزینه هایی که صورتحساب 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,محدودیت های اعتباری DocType: Purchase Invoice Item,Net Rate,نرخ خالص apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,لطفا یک مشتری را انتخاب کنید DocType: Leave Policy,Leave Allocations,رها کردن @@ -2054,6 +2082,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,بستن موضوع پس از روزها ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,شما باید کاربر با مدیران سیستم و نقش مدیر گروه باشید تا کاربران را به Marketplace اضافه کنید. +DocType: Attendance,Early Exit,زود هنگام خروج DocType: Job Opening,Staffing Plan,طرح کارکنان apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,Bill-JSON e-Way فقط از یک سند ارائه شده تولید می شود apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,مالیات و مزایای کارمندان @@ -2074,6 +2103,7 @@ DocType: Maintenance Team Member,Maintenance Role,نقش تعمیر و نگهد apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},تکراری ردیف {0} را با همان {1} DocType: Marketplace Settings,Disable Marketplace,غیر فعال کردن بازار DocType: Quality Meeting,Minutes,دقایق +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,موارد مورد علاقه شما ,Trial Balance,آزمایش تعادل apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,نمایش به پایان رسید apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,سال مالی {0} یافت نشد @@ -2083,8 +2113,8 @@ 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,لطفا ابتدا پیشوند انتخاب کنید DocType: Contract,Fulfilment Deadline,آخرین مهلت تحویل +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,نزدیک تو DocType: Student,O-,O- -DocType: Shift Type,Consequence,نتیجه DocType: Subscription Settings,Subscription Settings,تنظیمات اشتراک DocType: Purchase Invoice,Update Auto Repeat Reference,به روزرسانی خودکار مرجع تکرار apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},فهرست تعطیلات اختیاری برای مدت زمان تعطیل تنظیم نمی شود {0} @@ -2095,7 +2125,6 @@ DocType: Maintenance Visit Purpose,Work Done,کار تمام شد apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,لطفا حداقل یک ویژگی در جدول صفات مشخص DocType: Announcement,All Students,همه ی دانش آموزان apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,مورد {0} باید یک آیتم غیر سهام شود -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatils بانکی apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,مشخصات لجر DocType: Grading Scale,Intervals,فواصل DocType: Bank Statement Transaction Entry,Reconciled Transactions,معاملات متقابل @@ -2131,6 +2160,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",از این انبار برای ایجاد سفارشات فروش استفاده می شود. انبار بازگشت "فروشگاه" است. DocType: Work Order,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,حفظ همان نرخ در سراسر چرخه خرید DocType: Opportunity Item,Opportunity Item,مورد فرصت DocType: Quality Action,Quality Review,بررسی کیفیت @@ -2157,7 +2187,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,دریافت فاکتورها برجسته -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,سفارش فروش {0} معتبر نیست +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,اخطار برای درخواست جدید برای نقل قول apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,سفارشات خرید به شما کمک کند برنامه ریزی و پیگیری خرید خود را apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,آزمایشات آزمایشی @@ -2181,6 +2211,7 @@ DocType: Employee Onboarding,Notify users by email,از طریق ایمیل به DocType: Travel Request,International,بین المللی DocType: Training Event,Training Event,برنامه آموزشی DocType: Item,Auto re-order,خودکار دوباره سفارش +DocType: Attendance,Late Entry,ورود اواخر apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,مجموع بهدستآمده DocType: Employee,Place of Issue,محل صدور DocType: Promotional Scheme,Promotional Scheme Price Discount,تخفیف قیمت طرح تبلیغاتی @@ -2227,6 +2258,7 @@ DocType: Serial No,Serial No Details,سریال جزئیات DocType: Purchase Invoice Item,Item Tax Rate,مورد نرخ مالیات apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,از نام حزب apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,مبلغ دستمزد خالص +DocType: Pick List,Delivery against Sales Order,تحویل در مقابل سفارش فروش DocType: Student Group Student,Group Roll Number,گروه شماره رول apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",برای {0}، تنها حساب های اعتباری می تواند در مقابل ورود بدهی دیگر مرتبط apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,تحویل توجه داشته باشید {0} است ارسال نشده @@ -2298,7 +2330,6 @@ DocType: Contract,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,تامین کننده فاکتور عضویت -DocType: Asset Settings,This value is used for pro-rata temporis calculation,این مقدار برای محاسبه pro-rata temporis استفاده می شود apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,شما نیاز به فعال کردن سبد خرید هستید DocType: Payment Entry,Writeoff,تسویه حساب DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS- .YYYY.- @@ -2321,7 +2352,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,موارد فروش غیرفعال DocType: Quality Review,Additional Information,اطلاعات اضافی apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,مجموع ارزش ترتیب -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,تنظیم مجدد توافق نامه سطح خدمات. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,غذا apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,محدوده سالمندی 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,جزئیات کوئری بسته شدن POS @@ -2366,6 +2396,7 @@ 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,کمپین 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',وضعیت تایید باید "تایید" یا "رد" DocType: Healthcare Practitioner,Contacts and Address,مخاطبین و آدرس DocType: Shift Type,Determine Check-in and Check-out,Check-in و Check-Out را تعیین کنید @@ -2385,7 +2416,6 @@ DocType: Student Admission,Eligibility and Details,واجد شرایط بودن apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,شامل در سود ناخالص apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,تغییر خالص دارائی های ثابت در apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,تعداد مجله -DocType: Company,Client Code,کد مشتری apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,شارژ از نوع 'واقعی' در ردیف {0} نمی تواند در مورد نرخ شامل apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},حداکثر: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,از تاریخ ساعت @@ -2453,6 +2483,7 @@ DocType: Journal Entry Account,Account Balance,موجودی حساب apps/erpnext/erpnext/config/accounting.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 (%),بیش از کمک هزینه انتقال (٪) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: و ضوابط به حساب دریافتنی مورد نیاز است {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),مجموع مالیات و هزینه (شرکت ارز) DocType: Weather,Weather Parameter,پارامتر آب و هوا @@ -2512,6 +2543,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,آستانه ساعت ک apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,فاکتور جمع آوری چندگانه براساس کل هزینه صرف می شود. اما فاکتور تبدیل برای رستگاری همیشه برای تمام سطوح یکسان است. apps/erpnext/erpnext/config/help.py,Item Variants,انواع آیتم apps/erpnext/erpnext/public/js/setup_wizard.js,Services,خدمات +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,ایمیل لغزش حقوق و دستمزد به کارکنان DocType: Cost Center,Parent Cost Center,مرکز هزینه پدر و مادر @@ -2522,7 +2554,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields",ا DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,واردات تحویل یادداشت از Shopify در حمل و نقل apps/erpnext/erpnext/templates/pages/projects.html,Show closed,نمایش بسته DocType: Issue Priority,Issue Priority,اولویت شماره -DocType: Leave Type,Is Leave Without Pay,آیا ترک کنی بدون اینکه پرداخت +DocType: Leave Ledger Entry,Is Leave Without Pay,آیا ترک کنی بدون اینکه پرداخت apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,دارایی رده برای آیتم دارائی های ثابت الزامی است DocType: Fee Validity,Fee Validity,هزینه معتبر @@ -2594,6 +2626,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,دو طرفه DocType: Item,Manufacturers,تولید کنندگان @@ -2629,7 +2662,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,صورتحساب مغایرت گیری بانک DocType: Patient Encounter,Medical Coding,کدگذاری پزشکی DocType: Healthcare Settings,Reminder Message,پیام یادآوری -,Lead Name,نام راهبر +DocType: Call Log,Lead Name,نام راهبر ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,چشم انداز @@ -2661,12 +2694,14 @@ DocType: Purchase Invoice,Supplier Warehouse,انبار عرضه کننده کا DocType: Opportunity,Contact Mobile No,تماس با موبایل بدون apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,انتخاب شرکت ,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: Student Report Generation Tool,Print Section,بخش چاپ DocType: Staffing Plan Detail,Estimated Cost Per Position,هزینه پیش بینی شده در هر موقعیت DocType: Employee,HR-EMP-,HR-EMP- 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,دقیقه جلسات با کیفیت +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کننده> نوع عرضه کننده apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,ارجاع کارمند DocType: Student Group,Set 0 for no limit,تنظیم 0 برای هیچ محدودیتی apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,روز (بازدید کنندگان) که در آن شما برای مرخصی استفاده از تعطیلات. شما نیاز به درخواست برای ترک نمی کند. @@ -2700,12 +2735,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,تغییر خالص در نقدی DocType: Assessment Plan,Grading Scale,مقیاس درجه بندی apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,واحد اندازه گیری {0} است بیش از یک بار در تبدیل فاکتور جدول وارد شده است -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,قبلا کامل شده apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,سهام در دست apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",لطفا مزایای باقیمانده {0} را به برنامه به عنوان مولفه \ pro-rata اضافه کنید apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',لطفاً کد مالی را برای "٪ s" مدیریت عمومی تنظیم کنید -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},درخواست پرداخت از قبل وجود دارد {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,هزینه اقلام صادر شده DocType: Healthcare Practitioner,Hospital,بیمارستان apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},تعداد نباید بیشتر از {0} @@ -2750,6 +2783,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,منابع انسانی apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,درآمد بالاتر DocType: Item Manufacturer,Item Manufacturer,آیتم +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,سرب جدید ایجاد کنید DocType: BOM Operation,Batch Size,اندازه دسته apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,رد کردن DocType: Journal Entry Account,Debit in Company Currency,بدهی شرکت در ارز @@ -2769,9 +2803,11 @@ DocType: Bank Transaction,Reconciled,آشتی کرد DocType: Expense Claim,Total Amount Reimbursed,مقدار کل بازپرداخت apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,این است که در سیاهههای مربوط در برابر این خودرو است. مشاهده جدول زمانی زیر برای جزئیات apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,تاریخ عضویت نمیتواند کمتر از تاریخ پیوستن کارکنان باشد +DocType: Pick List,Item Locations,مکان های مورد apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} ایجاد شد apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",فرصت های شغلی برای تعیین {0} در حال حاضر باز / یا استخدام تکمیل شده به عنوان در برنامه انبارداری {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,شما می توانید تا 200 مقاله منتشر کنید. DocType: Vital Signs,Constipated,یبوست apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},در برابر تامین کننده فاکتور {0} تاریخ {1} DocType: Customer,Default Price List,به طور پیش فرض لیست قیمت @@ -2883,6 +2919,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,تاریخ بازنشستگی DocType: Upload Attendance,Get Template,دریافت قالب +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,لیست انتخاب ,Sales Person Commission Summary,خلاصه کمیسیون فروش شخصی DocType: Material Request,Transferred,منتقل شده DocType: Vehicle,Doors,درب @@ -2961,7 +2998,7 @@ DocType: Sales Invoice Item,Customer's Item Code,کد مورد مشتری DocType: Stock Reconciliation,Stock Reconciliation,سهام آشتی DocType: Territory,Territory Name,نام منطقه DocType: Email Digest,Purchase Orders to Receive,سفارشات خرید برای دریافت -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,کار در حال پیشرفت انبار قبل از ارسال مورد نیاز است +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,کار در حال پیشرفت انبار قبل از ارسال مورد نیاز است apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,فقط می توانید برنامه هایی با یک چرخه صدور صورت حساب در یک اشتراک داشته باشید DocType: Bank Statement Transaction Settings Item,Mapped Data,داده های مکث شده DocType: Purchase Order Item,Warehouse and Reference,انبار و مرجع @@ -3034,6 +3071,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,تنظیمات تحویل apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,بارگیری دادههای apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},حداکثر مرخصی مجاز در نوع ترک {0} {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,انتشار 1 مورد DocType: SMS Center,Create Receiver List,ایجاد فهرست گیرنده DocType: Student Applicant,LMS Only,فقط LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,تاریخ قابل استفاده باید پس از تاریخ خرید باشد @@ -3067,6 +3105,7 @@ DocType: Serial No,Delivery Document No,تحویل اسناد بدون DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,اطمینان از تحویل بر اساس شماره سریال تولید شده DocType: Vital Signs,Furry,خزنده apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},لطفا "به دست آوردن حساب / از دست دادن در دفع دارایی، مجموعه ای در شرکت {0} +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} @@ -3088,9 +3127,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,نام توزیع ماهانه DocType: Quality Procedure Process,Quality Procedure Process,فرایند روش کیفیت apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,دسته ID الزامی است +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,لطفاً ابتدا مشتری را انتخاب کنید DocType: Sales Person,Parent Sales Person,شخص پدر و مادر فروش apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,هیچ اقدامی دریافت نمی شود apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,فروشنده و خریدار نمیتوانند یکسان باشند +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,هیچ نظری ندارید DocType: Project,Collect Progress,جمع آوری پیشرفت DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN- .YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,ابتدا برنامه را انتخاب کنید @@ -3112,11 +3153,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,به دست آورد DocType: Student Admission,Application Form Route,فرم درخواست مسیر apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,تاریخ پایان توافق نمی تواند کمتر از امروز باشد. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + را وارد کنید تا ارسال شود DocType: Healthcare Settings,Patient Encounters in valid days,برخورد های بیمار در روزهای معتبر apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,ترک نوع {0} نمی تواند اختصاص داده شود از آن است که بدون حقوق ترک 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,به عبارت قابل مشاهده خواهد بود زمانی که به فاکتور فروش را نجات دهد. DocType: Lead,Follow Up,پیگیری +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,مرکز هزینه: {0} وجود ندارد DocType: Item,Is Sales Item,آیا آیتم فروش است apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,مورد گروه درخت apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,مورد {0} است راه اندازی برای سریال شماره ندارید. استاد مورد @@ -3160,9 +3203,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,عرضه تعداد DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR- .YYYY.- DocType: Purchase Order Item,Material Request Item,مورد درخواست مواد -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,لطفا ابتدا رسیدگی به خرید را لغو کنید {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,درخت گروه مورد. DocType: Production Plan,Total Produced Qty,مجموع تولید شده +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,هنوز رتبهدهی نشده است apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,می توانید تعداد ردیف بزرگتر یا مساوی به تعداد سطر فعلی برای این نوع شارژ مراجعه نمی DocType: Asset,Sold,فروخته شده ,Item-wise Purchase History,تاریخچه خرید مورد عاقلانه @@ -3181,7 +3224,7 @@ DocType: Designation,Required Skills,مهارت های مورد نیاز DocType: Inpatient Record,O Positive,مثبت apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,سرمایه گذاری DocType: Issue,Resolution Details,جزییات قطعنامه -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,نوع تراکنش +DocType: Leave Ledger Entry,Transaction Type,نوع تراکنش DocType: Item Quality Inspection Parameter,Acceptance Criteria,ملاک پذیرش apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,لطفا درخواست مواد در جدول فوق را وارد کنید apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,هیچ مجوزی برای ورود مجله وجود ندارد @@ -3222,6 +3265,7 @@ DocType: Bank Account,Bank Account No,شماره حساب بانکی DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ارائه بازپرداخت معاف از مالیات کارمند DocType: Patient,Surgical History,تاریخ جراحی DocType: Bank Statement Settings Item,Mapped Header,سربرگ مرتب شده +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,لطفاً سیستم نامگذاری کارمندان را در منابع انسانی> تنظیمات HR تنظیم کنید DocType: Employee,Resignation Letter Date,استعفای نامه تاریخ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,مشاهده قوانین قیمت گذاری بیشتر بر اساس مقدار فیلتر شده است. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},لطفا مجموعه ای از تاریخ پیوستن برای کارمند {0} @@ -3286,7 +3330,6 @@ DocType: Student Report Generation Tool,Add Letterhead,بطری را اضافه 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,مجموع برگ اختصاص داده {0} نمی تواند کمتر از برگ حال حاضر مورد تایید {1} برای دوره DocType: Contract Fulfilment Checklist,Requirement,مورد نیاز DocType: Journal Entry,Accounts Receivable,حسابهای دریافتنی DocType: Quality Goal,Objectives,اهداف @@ -3308,7 +3351,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,آستانه معام DocType: Lab Test Template,This value is updated in the Default Sales Price List.,این مقدار در لیست قیمت پیش فروش فروش به روز می شود. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,سبد خرید شما خالی است DocType: Email Digest,New Expenses,هزینه های جدید -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC مقدار apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,نمی توان مسیر را بهینه کرد زیرا آدرس راننده وجود ندارد. DocType: Shareholder,Shareholder,صاحب سهام DocType: Purchase Invoice,Additional Discount Amount,تخفیف اضافی مبلغ @@ -3345,6 +3387,7 @@ DocType: Asset Maintenance Task,Maintenance Task,وظیفه تعمیر و نگه apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,لطفا B2C Limit را در تنظیمات GST تنظیم کنید. 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} در حال حاضر به طور پیش فرض سال مالی. لطفا مرورگر خود را برای تغییر تاثیر گذار تازه کردن. @@ -3380,6 +3423,7 @@ DocType: Salary Component,Deduction,کسر DocType: Item,Retain Sample,ذخیره نمونه apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,ردیف {0}: از زمان و به زمان الزامی است. DocType: Stock Reconciliation Item,Amount Difference,تفاوت در مقدار +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,این صفحه مواردی را که می خواهید از فروشندگان خریداری کنید ، ردیابی می کند. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},مورد قیمت های اضافه شده برای {0} در لیست قیمت {1} DocType: Delivery Stop,Order Information,اطلاعات سفارش apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,لطفا کارمند شناسه را وارد این فرد از فروش @@ -3408,6 +3452,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ** سال مالی نشان دهنده یک سال مالی. تمام پست های حسابداری و دیگر معاملات عمده در برابر سال مالی ** ** ردیابی. DocType: Opportunity,Customer / Lead Address,مشتری / سرب آدرس DocType: Supplier Scorecard Period,Supplier Scorecard Setup,تنظیم کارت امتیازی تامین کننده +DocType: Customer Credit Limit,Customer Credit Limit,محدودیت اعتبار مشتری apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,نام طرح ارزیابی apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,جزئیات هدف apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",اگر شرکت SpA ، SApA یا SRL باشد ، قابل اجرا است @@ -3460,7 +3505,6 @@ DocType: Company,Transactions Annual History,معاملات تاریخی سال 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,نام بانک -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-بالا 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,مایع @@ -3512,6 +3556,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders" DocType: Grading Scale,Grading Scale Intervals,بازه مقیاس درجه بندی 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,به موارد ویژه اضافه شد apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,سود سال 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,در حال انجام @@ -3565,12 +3610,10 @@ 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,اجازه چندین بار یک مورد را بدهید -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,هیچ شماره GST برای شرکت یافت نشد. 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,کارمندان DocType: Question,Single Correct Answer,جواب درست صحیح -DocType: Employee,Contact Details,اطلاعات تماس DocType: C-Form,Received Date,تاریخ دریافت DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",اگر شما یک قالب استاندارد در مالیات فروش و اتهامات الگو ایجاد کرده اند، یکی را انتخاب کنید و کلیک بر روی دکمه زیر کلیک کنید. DocType: BOM Scrap Item,Basic Amount (Company Currency),مقدار اولیه (شرکت ارز) @@ -3602,10 +3645,10 @@ DocType: Supplier Scorecard,Supplier Score,امتیازات فروشنده apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,پذیرش برنامه DocType: Tax Withholding Rate,Cumulative Transaction Threshold,آستانه معامله گران DocType: Promotional Scheme Price Discount,Discount Type,نوع تخفیف -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,مجموع صورتحساب AMT DocType: Purchase Invoice Item,Is Free Item,مورد رایگان است +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,درصدی که مجاز به انتقال تعداد بیشتری در برابر مقدار سفارش داده شده هستید. به عنوان مثال: اگر شما 100 واحد سفارش داده اید. و کمک هزینه شما 10٪ است ، بنابراین شما مجاز به انتقال 110 واحد هستید. DocType: Supplier,Warn RFQs,اخطار RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,کاوش +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,کاوش DocType: BOM,Conversion Rate,نرخ تبدیل apps/erpnext/erpnext/www/all-products/index.html,Product Search,جستجو در محصولات ,Bank Remittance,حواله بانکی @@ -3617,6 +3660,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,کل مبلغ پرداخت شده DocType: Asset,Insurance End Date,تاریخ پایان بیمه apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,لطفا پذیرش دانشجویی را انتخاب کنید که برای متقاضی دانشجویی پرداخت شده است +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,لیست بودجه DocType: Campaign,Campaign Schedules,برنامه های کمپین DocType: Job Card Time Log,Completed Qty,تکمیل تعداد @@ -3639,6 +3683,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,آدرس DocType: Quality Inspection,Sample Size,اندازهی نمونه apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,لطفا سند دریافت وارد کنید apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,همه موارد در حال حاضر صورتحساب شده است +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,برگ برداشت apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',لطفا یک معتبر را مشخص 'از مورد شماره' 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,مراکز هزینه به علاوه می تواند در زیر گروه ساخته شده اما مطالب را می توان در برابر غیر گروه ساخته شده 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,برگ مجموع اختصاص داده شده روز بیشتر از حداکثر تخصیص {0} نوع ترک برای کارمند {1} در دوره است @@ -3738,6 +3783,8 @@ 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: Call Log,Received By,دریافت شده توسط 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.,پیگیری درآمد و هزینه جداگانه برای محصول و یا عمودی بخش. @@ -3791,6 +3838,7 @@ DocType: Support Search Source,Result Title Field,عنوان فیلد نتیجه apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,خلاصه تماس بگیرید DocType: Sample Collection,Collected Time,زمان جمع آوری شده DocType: Employee Skill Map,Employee Skills,مهارت های کارمندان +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,هزینه سوخت DocType: Company,Sales Monthly History,تاریخچه فروش ماهانه apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,لطفا حداقل یک ردیف را در جدول مالیات ها و هزینه ها قرار دهید DocType: Asset Maintenance Task,Next Due Date,تاریخ تحویل بعدی @@ -3824,11 +3872,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,لغزش حقوق و دستمزد کارکنان {0} در حال حاضر برای این دوره بوجود apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,دارویی apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,شما فقط می توانید محتوا را ترک کنید برای یک مبلغ اعتبار معتبر +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,موارد توسط apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,هزینه اقلام خریداری شده DocType: Employee Separation,Employee Separation Template,قالب جداگانه کارمند DocType: Selling Settings,Sales Order Required,سفارش فروش مورد نیاز apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,تبدیل به یک فروشنده -DocType: Shift Type,The number of occurrence after which the consequence is executed.,تعداد وقوع پس از آن نتیجه. ,Procurement Tracker,ردیاب خرید DocType: Purchase Invoice,Credit To,اعتبار به apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC معکوس شد @@ -3841,6 +3889,7 @@ DocType: Quality Meeting,Agenda,دستور جلسه DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,جزئیات برنامه نگهداری و تعمیرات DocType: Supplier Scorecard,Warn for new Purchase Orders,اخطار سفارشات خرید جدید DocType: Quality Inspection Reading,Reading 9,خواندن 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,حساب Exotel خود را به ERPNext وصل کنید و گزارش های تماس را پیگیری کنید DocType: Supplier,Is Frozen,آیا منجمد DocType: Tally Migration,Processed Files,پرونده های پردازش شده apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,انبار گره گروه مجاز به برای انجام معاملات را انتخاب کنید @@ -3849,6 +3898,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,شماره BOM بر DocType: Upload Attendance,Attendance To Date,حضور و غیاب به روز 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,نسخه ها @@ -3872,7 +3922,6 @@ DocType: Room,Room Number,شماره اتاق apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,درخواست کننده apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},مرجع نامعتبر {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,قوانین استفاده از طرح های تبلیغاتی مختلف. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) نمی تواند بیشتر از quanitity برنامه ریزی شده ({2}) در سفارش تولید {3} DocType: Shipping Rule,Shipping Rule Label,قانون حمل و نقل برچسب DocType: Journal Entry Account,Payroll Entry,ورودی حقوق و دستمزد apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,مشاهده سوابق هزینه @@ -3884,6 +3933,7 @@ DocType: Contract,Fulfilment Status,وضعیت تحقق DocType: Lab Test Sample,Lab Test Sample,آزمایش آزمایشی نمونه DocType: Item Variant Settings,Allow Rename Attribute Value,اجازه ارزش نام متغیر را تغییر دهید apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,سریع دانشگاه علوم پزشکی ورودی +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,مبلغ پرداخت آینده apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,اگر ذکر بی ا م در مقابل هر ایتمی باشد شما نمیتوانید نرخ را تغییر دهید DocType: Restaurant,Invoice Series Prefix,پیشوند سری فاکتور DocType: Employee,Previous Work Experience,قبلی سابقه کار @@ -3936,6 +3986,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,دریافت سهام کنونی DocType: Purchase Invoice,ineligible,نامناسب apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,درخت بیل از مواد +DocType: BOM,Exploded Items,موارد منفجر شده DocType: Student,Joining Date,پیوستن به تاریخ ,Employees working on a holiday,کارمندان کار در یک روز تعطیل ,TDS Computation Summary,خلاصه محاسبات TDS @@ -3968,6 +4019,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),نرخ پایه (به DocType: SMS Log,No of Requested SMS,تعداد SMS درخواست شده apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,مرخصی بدون حقوق با تایید سوابق مرخصی کاربرد مطابقت ندارد apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,گام های بعدی +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,موارد ذخیره شده DocType: Travel Request,Domestic,داخلی apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,لطفا تأمین اقلام مشخص شده در بهترین نرخ ممکن apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,انتقال کارفرما نمی تواند قبل از تاریخ انتقال ارسال شود @@ -4019,7 +4071,7 @@ 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,حساب دارایی رده apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,ردیف # {0} (جدول پرداخت): مقدار باید مثبت باشد -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},می تواند مورد دیگر {0} از مقدار سفارش فروش تولید نمی {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},می تواند مورد دیگر {0} از مقدار سفارش فروش تولید نمی {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,هیچ چیز ناخالصی شامل نمی شود apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,قبض e-Way قبلاً برای این سند موجود است apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,مقدار مشخصه را انتخاب کنید @@ -4053,12 +4105,10 @@ 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,شرکت راه اندازی -DocType: Shift Type,Enable Different Consequence for Early Exit,پیامد های مختلف را برای خروج زودهنگام فعال کنید ,Lab Test Report,آزمایش آزمایشی گزارش DocType: Employee Benefit Application,Employee Benefit Application,درخواست کارفرما apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,مؤلفه حقوق اضافی موجود است. DocType: Purchase Invoice,Unregistered,ثبت نشده -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,لطفا توجه داشته باشید برای اولین بار از تحویل DocType: Student Applicant,Application Date,تاریخ برنامه DocType: Salary Component,Amount based on formula,مقدار در فرمول بر اساس DocType: Purchase Invoice,Currency and Price List,نرخ ارز و لیست قیمت @@ -4087,6 +4137,7 @@ DocType: Purchase Receipt,Time at which materials were received,زمانی که DocType: Products Settings,Products per Page,محصولات در هر صفحه 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,تاریخ صدور صورت حساب apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,مقدار اختصاص یافته نمی تواند منفی باشد DocType: Sales Order,Billing Status,حسابداری وضعیت apps/erpnext/erpnext/public/js/conf.js,Report an Issue,گزارش یک مشکل @@ -4102,6 +4153,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},ردیف {0}: مکان را برای مورد دارایی وارد کنید {1} DocType: Employee Checkin,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.",تنظیم مقادیر پیش فرض مثل شرکت، ارز، سال مالی جاری، و غیره DocType: Payment Entry,Payment Type,نوع پرداخت apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,لطفا یک دسته ای برای آیتم را انتخاب کنید {0}. قادر به پیدا کردن یک دسته واحد است که این شرط را برآورده @@ -4130,6 +4182,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,تنظیمات سبد خ DocType: Journal Entry,Accounting Entries,ثبت های حسابداری 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.",اگر قانون قیمت گذاری انتخاب شده برای «نرخ» ساخته شده باشد، لیست قیمت را لغو خواهد کرد. نرخ حق الزحمه نرخ نهایی است، بنابراین هیچ تخفیف اضافی باید اعمال شود. از این رو، در معاملات مانند سفارش فروش، سفارش خرید و غیره، در فیلد «نرخ» جای خواهد گرفت، نه «قیمت نرخ قیمت». +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,لطفاً سیستم نامگذاری مربی را در آموزش و پرورش> تنظیمات آموزش تنظیم کنید DocType: Journal Entry,Paid Loan,وام پرداخت شده 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,تاریخ تحویل مرجع @@ -4146,12 +4199,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks جزئیات apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,بدون ورق زمان DocType: GoCardless Mandate,GoCardless Customer,مشتری GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,نوع ترک {0} نمی تواند حمل فرستاده +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,کد کالا> گروه مورد> نام تجاری apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',نگهداری و تعمیرات برنامه برای تمام اقلام تولید شده نیست. لطفا بر روی 'ایجاد برنامه کلیک کنید ,To Produce,به تولید DocType: Leave Encashment,Payroll,لیست حقوق 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} نیز باید گنجانده شود DocType: Healthcare Service Unit,Parent Service Unit,واحد خدمات والدین DocType: Packing Slip,Identification of the package for the delivery (for print),شناسایی بسته برای تحویل (برای چاپ) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,توافق نامه سطح خدمات دوباره تنظیم شد. DocType: Bin,Reserved Quantity,تعداد محفوظ است apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,لطفا آدرس ایمیل معتبر وارد کنید DocType: Volunteer Skill,Volunteer Skill,مهارت داوطلب @@ -4172,7 +4227,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,قیمت یا تخفیف محصول apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,برای ردیف {0}: تعداد برنامه ریزی شده را وارد کنید DocType: Account,Income Account,حساب درآمد -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,مشتری> گروه مشتری> سرزمین DocType: Payment Request,Amount in customer's currency,مبلغ پول مشتری apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,تحویل apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,اختصاص ساختارها ... @@ -4195,6 +4249,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,کد عکس 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?,شما سوابق فاکتورهای قبلا تولید را از دست خواهید داد. آیا مطمئن هستید که می خواهید این اشتراک را مجددا راه اندازی کنید؟ @@ -4248,11 +4303,10 @@ DocType: Additional Salary,HR User,HR کاربر DocType: Bank Guarantee,Reference Document Name,نام اسناد مرجع DocType: Purchase Invoice,Taxes and Charges Deducted,مالیات و هزینه کسر DocType: Support Settings,Issues,مسائل مربوط به -DocType: Shift Type,Early Exit Consequence after,پیامدهای خروج زود هنگام پس از DocType: Loyalty Program,Loyalty Program Name,نام برنامه وفاداری apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},وضعیت باید یکی از است {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,یادآوری برای به روز رسانی GSTIN ارسال شد -DocType: Sales Invoice,Debit To,بدهی به +DocType: Discounted Invoice,Debit To,بدهی به DocType: Restaurant Menu Item,Restaurant Menu Item,بخش منو رستوران DocType: Delivery Note,Required only for sample item.,فقط برای نمونه مورد نیاز است. DocType: Stock Ledger Entry,Actual Qty After Transaction,تعداد واقعی بعد از تراکنش @@ -4335,6 +4389,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,نام پارامت apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,تنها برنامه های کاربردی با وضعیت ترک 'تایید' و 'رد' را می توان ارسال apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,ایجاد ابعاد ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},دانشجو نام گروه را در ردیف الزامی است {0} +DocType: Customer Credit Limit,Bypass credit limit_check,دور زدن اعتبار limit_check DocType: Homepage,Products to be shown on website homepage,محصولات به صفحه اصلی وب سایت نشان داده می شود DocType: HR Settings,Password Policy,خط مشی رمز عبور apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,این یک گروه مشتری ریشه است و نمی تواند ویرایش شود. @@ -4381,10 +4436,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),اگ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,لطفا تنظیمات پیشفرض را در تنظیمات رستوران تنظیم کنید ,Salary Register,حقوق و دستمزد ثبت نام DocType: Company,Default warehouse for Sales Return,انبار پیش فرض برای بازده فروش -DocType: Warehouse,Parent Warehouse,انبار پدر و مادر +DocType: Pick List,Parent Warehouse,انبار پدر و مادر DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},به طور پیش فرض BOM برای موردی یافت نشد {0} و پروژه {1} +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/config/non_profit.py,Define various loan types,تعریف انواع مختلف وام DocType: Bin,FCFS Rate,FCFS نرخ DocType: Bank Statement Transaction Invoice Item,Outstanding Amount,مقدار برجسته @@ -4420,6 +4475,7 @@ DocType: Travel Itinerary,Lodging Required,اسکان ضروری است DocType: Promotional Scheme,Price Discount Slabs,اسلب تخفیف قیمت DocType: Stock Reconciliation Item,Current Serial No,شماره سریال فعلی DocType: Employee,Attendance and Leave Details,حضور و خروج جزئیات +,BOM Comparison Tool,ابزار مقایسه BOM ,Requested,خواسته apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,بدون شرح DocType: Asset,In Maintenance,در تعمیر و نگهداری @@ -4442,6 +4498,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,توافق نامه سطح سرویس پیش فرض DocType: SG Creation Tool Course,Course Code,کد درس apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,بیش از یک انتخاب برای {0} مجاز نیست +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,مقدار کمی از مواد اولیه براساس تعداد کالاهای نهایی تصمیم گرفته خواهد شد DocType: Location,Parent Location,موقعیت والدین DocType: POS Settings,Use POS in Offline Mode,از POS در حالت آفلاین استفاده کنید apps/erpnext/erpnext/accounts/page/pos/pos.js,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} اجباری است شاید سابقه ارز Exchange برای {1} تا {2} ایجاد نشده است @@ -4459,7 +4516,7 @@ DocType: Stock Settings,Sample Retention Warehouse,نمونه نگهداری ا DocType: Company,Default Receivable Account,به طور پیش فرض دریافتنی حساب apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,فرمول مقدار پیش بینی شده DocType: Sales Invoice,Deemed Export,صادرات معقول -DocType: Stock Entry,Material Transfer for Manufacture,انتقال مواد برای تولید +DocType: Pick List,Material Transfer for Manufacture,انتقال مواد برای تولید 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.,درصد تخفیف می تواند یا علیه یک لیست قیمت و یا برای همه لیست قیمت اعمال می شود. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,ثبت حسابداری برای انبار DocType: Lab Test,LabTest Approver,تأییدکننده LabTest @@ -4501,7 +4558,6 @@ DocType: Training Event,Theory,تئوری apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,هشدار: مواد درخواست شده تعداد کمتر از حداقل تعداد سفارش تعداد است apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,حساب {0} فریز شده است DocType: Quiz Question,Quiz Question,سوال مسابقه -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کننده> نوع عرضه کننده 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",مواد غذایی، آشامیدنی و دخانیات @@ -4530,6 +4586,7 @@ 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,موارد منتشر شده DocType: Account,Expense Account,حساب هزینه apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,نرمافزار apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,رنگ @@ -4567,6 +4624,7 @@ 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,تمام معاملات بانکی ایجاد شده است DocType: Fee Validity,Visited yet,هنوز بازدید کرده اید +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,شما می توانید ویژگی های تا 8 مورد. 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.,چگونه باید پروژه و شرکت را براساس معاملات تجاری به روز کرد. @@ -4574,7 +4632,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,دمای ذخیره سازی @@ -4599,7 +4656,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,تبدیل UOM د DocType: Contract,Signee Details,جزئیات Signee apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} در حال حاضر {1} کارت امتیازی ارائه شده دارد و RFQ ها برای این تامین کننده باید با احتیاط صادر شوند. DocType: Certified Consultant,Non Profit Manager,مدیر غیر انتفاعی -DocType: BOM,Total Cost(Company Currency),برآورد هزینه (شرکت ارز) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,سریال بدون {0} ایجاد DocType: Homepage,Company Description for website homepage,شرکت برای صفحه اصلی وب سایت DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",برای راحتی مشتریان، این کدها می توان در فرمت چاپ مانند فاکتورها و تحویل یادداشت استفاده می شود @@ -4627,7 +4683,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,مورد DocType: Amazon MWS Settings,Enable Scheduled Synch,همگام سازی برنامه ریزی شده را فعال کنید apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,به تاریخ ساعت apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,سیاهههای مربوط به حفظ وضعیت تحویل اس ام اس -DocType: Shift Type,Early Exit Consequence,پیامد خروج زود هنگام DocType: Accounts Settings,Make Payment via Journal Entry,پرداخت از طریق ورود مجله apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,لطفاً بیش از 500 مورد را همزمان ایجاد نکنید apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,چاپ شده در @@ -4683,6 +4738,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,محدودیت 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,راز +DocType: Plaid Settings,Plaid Secret,راز مخفی DocType: Company,Date of Establishment,تاریخ تاسیس apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,سرمایه گذاری سرمایه apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,مدت علمی با این سال تحصیلی '{0} و نام مدت:' {1} قبل وجود دارد. لطفا این نوشته را تغییر دهید و دوباره امتحان کنید. @@ -4744,6 +4800,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,نوع مشتری DocType: Compensatory Leave Request,Leave Allocation,ترک تخصیص DocType: Payment Request,Recipient Message And Payment Details,گیرنده پیام و جزئیات پرداخت +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,لطفاً یک یادداشت تحویل را انتخاب کنید DocType: Support Search Source,Source DocType,DocType منبع apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,یک بلیط جدید را باز کنید DocType: Training Event,Trainer Email,ترینر ایمیل @@ -4864,6 +4921,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,برگ فرستاده حمل apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""از تاریخ"" باید پس از ""تا تاریخ"" باشد" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,هیچ برنامه انکشافی برای این تعیین نشد apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,دسته {0} مورد {1} غیرفعال است. @@ -4885,7 +4943,7 @@ DocType: Clinical Procedure,Patient,صبور apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,چک کردن اعتبار را در سفارش فروش کنار بگذارید DocType: Employee Onboarding Activity,Employee Onboarding Activity,فعالیت کارکنان کارکنان DocType: Location,Check if it is a hydroponic unit,بررسی کنید که آیا یک واحد هیدروپونیک است -DocType: Stock Reconciliation Item,Serial No and Batch,سریال نه و دسته ای +DocType: Pick List Item,Serial No and Batch,سریال نه و دسته ای DocType: Warranty Claim,From Company,از شرکت DocType: GSTR 3B Report,January,ژانویه apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,مجموع نمرات از معیارهای ارزیابی نیاز به {0} باشد. @@ -4909,7 +4967,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,هیچ {0} برای معاملات اینترانت یافت نشد. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,kredi_note_amt DocType: Travel Itinerary,Rented Car,ماشین اجاره ای apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,درباره شرکت شما apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,اعتباری به حساب باید یک حساب ترازنامه شود @@ -4941,11 +4998,13 @@ apps/erpnext/erpnext/config/accounting.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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,باقی مانده DocType: Appraisal,Appraisal,ارزیابی DocType: Loan,Loan Account,حساب وام apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,زمینه های معتبر و معتبر از نظر تجمعی الزامی است +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",برای مورد {0} در ردیف {1} ، تعداد شماره سریال با مقدار انتخاب شده مطابقت ندارد DocType: Purchase Invoice,GST Details,اطلاعات GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,این بر مبنای معاملات علیه این متخصص بهداشت و درمان است. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},ایمیل ارسال شده به منبع {0} @@ -5008,6 +5067,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),وزن ناخالص از بسته. معمولا وزن خالص + وزن مواد بسته بندی. (برای چاپ) DocType: Assessment Plan,Program,برنامه DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,کاربران با این نقش ها اجازه تنظیم حساب های یخ زده و ایجاد / تغییر نوشته های حسابداری در برابر حساب منجمد +DocType: Plaid Settings,Plaid Environment,محیط زیست فرش ,Project Billing Summary,خلاصه صورتحساب پروژه DocType: Vital Signs,Cuts,برش DocType: Serial No,Is Cancelled,آیا لغو @@ -5068,7 +5128,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,توجه: سیستم نمی خواهد بیش از چک زایمان و بیش از رزرو مورد {0} به عنوان مقدار و یا مقدار 0 است DocType: Issue,Opening Date,افتتاح عضویت apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,لطفا ابتدا بیمار را ذخیره کنید -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,تماس جدید برقرار کنید apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,حضور و غیاب با موفقیت برگزار شده است. DocType: Program Enrollment,Public Transport,حمل و نقل عمومی DocType: Sales Invoice,GST Vehicle Type,نوع خودرو GST @@ -5094,6 +5153,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,لوایح DocType: POS Profile,Write Off Account,ارسال فعال حساب DocType: Patient Appointment,Get prescribed procedures,دریافت روشهای تجویزی DocType: Sales Invoice,Redemption Account,حساب تخفیف +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,ابتدا موارد را در جدول مورد مکان ها اضافه کنید DocType: Pricing Rule,Discount Amount,مقدار تخفیف DocType: Pricing Rule,Period Settings,تنظیمات دوره DocType: Purchase Invoice,Return Against Purchase Invoice,بازگشت از فاکتورخرید @@ -5125,7 +5185,6 @@ DocType: Assessment Plan,Assessment Plan,طرح ارزیابی DocType: Travel Request,Fully Sponsored,کاملا حمایت شده apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,ورودی مجله معکوس apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,ایجاد کارت شغلی -DocType: Shift Type,Consequence after,پیامد بعد DocType: Quality Procedure Process,Process Description,شرح فرایند apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,مشتری {0} ایجاد شده است apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,در حال حاضر هیچ کالایی در انبار وجود ندارد @@ -5159,6 +5218,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,ترخیص کالا از تا DocType: Delivery Settings,Dispatch Notification Template,قالب اعلان ارسال apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,گزارش ارزیابی apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,کارمندان را دریافت کنید +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,نشانی محصول @@ -5281,7 +5341,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,این فرد از فروش ریشه است و نمی تواند ویرایش شود. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",در صورت انتخاب، از مقدار مشخص شده و یا محاسبه در این بخش نمی خواهد به درآمد یا کسورات کمک می کند. با این حال، ارزش را می توان با دیگر اجزای که می تواند اضافه یا کسر اشاره شده است. -DocType: Asset Settings,Number of Days in Fiscal Year,تعداد روزها در سال مالی ,Stock Ledger,سهام لجر DocType: Company,Exchange Gain / Loss Account,تبادل به دست آوردن / از دست دادن حساب DocType: Amazon MWS Settings,MWS Credentials,مجوز MWS @@ -5315,6 +5374,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,ستون در پرونده بانک apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},ترک برنامه {0} در برابر دانش آموز وجود دارد {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,برای به روز رسانی آخرین قیمت در تمام بیل مواد. ممکن است چند دقیقه طول بکشد. +DocType: Pick List,Get Item Locations,مکان مکان را دریافت کنید apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,نام حساب کاربری جدید. توجه: لطفا حساب برای مشتریان و تامین کنندگان ایجاد نمی DocType: POS Profile,Display Items In Stock,آیتم های موجود در انبار apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,کشور به طور پیش فرض عاقلانه آدرس قالب @@ -5338,6 +5398,7 @@ DocType: Crop,Materials Required,مواد مورد نیاز apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,هیچ دانش آموزان یافت DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,ماهانه معافیت HRA DocType: Clinical Procedure,Medical Department,گروه پزشکی +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,تعداد خروج های اولیه DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,معیارهای ارزیابی کارت امتیازی تامین کننده apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,فاکتور های ارسال و ویرایش تاریخ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,فروختن @@ -5349,11 +5410,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","لطفاً برای لغو این سند ، {0} \ کارمند را حذف کنید" DocType: Program Enrollment,School House,مدرسه خانه DocType: Serial No,Out of AMC,از AMC DocType: Opportunity,Opportunity Amount,مقدار فرصت +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,مشخصات شما apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,تعداد Depreciations رزرو نمی تواند بیشتر از تعداد کل Depreciations DocType: Purchase Order,Order Confirmation Date,سفارش تایید تاریخ DocType: Driver,HR-DRI-.YYYY.-,HR-DRI- .YYYY.- @@ -5447,7 +5507,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",ناسازگاری بین نرخ، بدون سهام و مقدار محاسبه شده وجود دارد apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,شما در تمام روز بین روزهای درخواست تعرفه تعلیق حضور ندارید apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,لطفا دوباره نوع نام شرکت برای تایید -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,مجموع برجسته AMT DocType: Journal Entry,Printing Settings,تنظیمات چاپ DocType: Payment Order,Payment Order Type,نوع سفارش پرداخت DocType: Employee Advance,Advance Account,حساب پیشرو @@ -5533,7 +5592,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,نام سال apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,می تعطیلات بیشتر از روز کاری در این ماه وجود دارد. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,موارد زیر {0} به عنوان {1} علامتگذاری نشده اند. شما می توانید آنها را به عنوان {1} مورد از استاد مورد خود را فعال کنید -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,محصولات بسته نرم افزاری مورد DocType: Sales Partner,Sales Partner Name,نام شریک فروش apps/erpnext/erpnext/hooks.py,Request for Quotations,درخواست نرخ @@ -5542,7 +5600,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,آیتم های معمول عادی DocType: QuickBooks Migrator,Company Settings,تنظیمات شرکت DocType: Additional Salary,Overwrite Salary Structure Amount,بازپرداخت مقدار حقوق و دستمزد -apps/erpnext/erpnext/config/hr.py,Leaves,برگها +DocType: Leave Ledger Entry,Leaves,برگها DocType: Student Language,Student Language,زبان دانشجو DocType: Cash Flow Mapping,Is Working Capital,سرمایه کار می کند apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,اثبات ارسال کنید @@ -5598,6 +5656,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,حداکثر ارزش مجاز DocType: Journal Entry Account,Employee Advance,پیشرفت کارمند DocType: Payroll Entry,Payroll Frequency,فرکانس حقوق و دستمزد +DocType: Plaid Settings,Plaid Client ID,شناسه مشتری Plaid DocType: Lab Test Template,Sensitivity,حساسیت DocType: Plaid Settings,Plaid Settings,تنظیمات Plaid apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,همگام سازی بهطور موقت غیرفعال شده است، زیرا حداکثر تلاشهای مجدد انجام شده است @@ -5615,6 +5674,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,لطفا در ارسال تاریخ را انتخاب کنید اول apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,باز کردن تاریخ باید قبل از بسته شدن تاریخ DocType: Travel Itinerary,Flight,پرواز +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,بازگشت به خانه DocType: Leave Control Panel,Carry Forward,حمل به جلو apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,مرکز هزینه با معاملات موجود را نمی توان تبدیل به لجر DocType: Budget,Applicable on booking actual expenses,قابل قبول در رزرو هزینه های واقعی @@ -5669,6 +5729,7 @@ DocType: Lead,Lead Type,سرب نوع apps/erpnext/erpnext/utilities/activation.py,Create Quotation,ایجاد استعلام apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,شما مجاز به تایید برگ در تاریخ های مسدود شده نیستید apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,همه این موارد در حال حاضر صورتحساب شده است +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,هیچ فاکتور برجسته ای برای {0} {1} یافت نشد که صلاحیت فیلترهای تعیین شده شما را دارد. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,تنظیم تاریخ انتشار جدید DocType: Company,Monthly Sales Target,هدف فروش ماهانه apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,هیچ فاکتور برجسته یافت نشد @@ -5715,6 +5776,7 @@ DocType: Water Analysis,Type of Sample,نوع نمونه DocType: Batch,Source Document Name,منبع نام سند DocType: Production Plan,Get Raw Materials For Production,دریافت مواد اولیه برای تولید DocType: Job Opening,Job Title,عنوان شغلی +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,آینده پرداخت Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.",{0} نشان می دهد که {1} یک نقل قول را ارائه نمی کند، اما همه اقلام نقل شده است. به روز رسانی وضعیت نقل قول RFQ. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,حداکثر نمونه - {0} برای Batch {1} و Item {2} در Batch {3} حفظ شده است. @@ -5725,12 +5787,10 @@ 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: Company,Product Code,کد محصول DocType: Quality Review Table,Objective,هدف، واقعگرایانه DocType: Supplier Scorecard,Per Month,هر ماه DocType: Education Settings,Make Academic Term Mandatory,شرایط علمی را اجباری کنید -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,تعداد برای تولید باید بیشتر از 0 باشد. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,محاسبه برنامه تخریب شده بر اساس سال مالی +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,تعداد برای تولید باید بیشتر از 0 باشد. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,گزارش تماس نگهداری مراجعه کنید. DocType: Stock Entry,Update Rate and Availability,نرخ به روز رسانی و در دسترس بودن 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 واحد است. @@ -5741,7 +5801,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,تاریخ انتشار باید در آینده باشد DocType: BOM,Website Description,وب سایت توضیحات apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,تغییر خالص در حقوق صاحبان سهام -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,لطفا لغو خرید فاکتور {0} برای اولین بار apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,غیر مجاز. لطفا نوع سرویس سرویس را غیرفعال کنید apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}",آدرس ایمیل باید منحصر به فرد باشد، در حال حاضر برای {0} وجود دارد DocType: Serial No,AMC Expiry Date,AMC تاریخ انقضاء @@ -5783,6 +5842,7 @@ DocType: Pricing Rule,Price Discount Scheme,طرح تخفیف قیمت apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,وضعیت تعمیر و نگهداری باید لغو شود یا تکمیل شود DocType: Amazon MWS Settings,US,ایالات متحده DocType: Holiday List,Add Weekly Holidays,تعطیلات هفتگی اضافه کنید +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,گزارش مورد DocType: Staffing Plan Detail,Vacancies,واجد شرایط DocType: Hotel Room,Hotel Room,اتاق هتل apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},حساب {0} به شرکت {1} تعلق ندارد @@ -5833,12 +5893,15 @@ DocType: Email Digest,Open Quotations,نقل قولها را باز کنید 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","لطفاً برای لغو این سند ، {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,مقدار اولیه @@ -5852,6 +5915,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,خالی DocType: Patient,Alcohol Past Use,مصرف الکل گذشته DocType: Fertilizer Content,Fertilizer Content,محتوای کود +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,بدون توضیح apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,کروم DocType: Tax Rule,Billing State,دولت صدور صورت حساب DocType: Quality Goal,Monitoring Frequency,فرکانس نظارت @@ -5869,6 +5933,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,پایان می دهد تاریخ نمی تواند قبل از تاریخ تماس بعدی. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,ورودی های دسته ای DocType: Journal Entry,Pay To / Recd From,پرداخت به / از Recd +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,عدم انتشار مورد DocType: Naming Series,Setup Series,راه اندازی سری DocType: Payment Reconciliation,To Invoice Date,به فاکتور تاریخ DocType: Bank Account,Contact HTML,تماس با HTML @@ -5890,6 +5955,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,خرده فروشی DocType: Student Attendance,Absent,غایب DocType: Staffing Plan,Staffing Plan Detail,جزئیات برنامه کارکنان DocType: Employee Promotion,Promotion Date,تاریخ ارتقاء +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,تخصیص مرخصی٪ s با برنامه مرخصی٪ s مرتبط است 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} @@ -5927,6 +5993,7 @@ DocType: Volunteer,Availability,دسترسی apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,تنظیمات پیش فرض برای حسابهای POS DocType: Employee Training,Training,آموزش DocType: Project,Time to send,زمان ارسال +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,این صفحه موارد شما را که خریداران از آن ابراز علاقه کرده اند ، ردیابی می کند. 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 ID ایمیل @@ -6022,12 +6089,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ارزش باز DocType: Salary Component,Formula,فرمول apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,سریال # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,لطفاً سیستم نامگذاری کارمندان را در منابع انسانی> تنظیمات HR تنظیم کنید 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/setup/doctype/company/company.py,Sales Account,حساب فروش DocType: Purchase Invoice Item,Total Weight,وزن مجموع +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} @@ -6051,6 +6118,7 @@ DocType: Company,Default Employee Advance Account,پیشفرض پیشفرض کا apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),مورد جستجو (Ctrl + I) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,حساب با معامله های موجود نمی تواند حذف شود +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,چرا فکر می کنید این مورد باید حذف شود؟ DocType: Vehicle,Last Carbon Check,آخرین چک کربن apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,هزینه های قانونی apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,لطفا مقدار را در ردیف را انتخاب کنید @@ -6070,6 +6138,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,تفکیک DocType: Travel Itinerary,Vegetarian,گیاه خواری DocType: Patient Encounter,Encounter Date,تاریخ برخورد +DocType: Work Order,Update Consumed Material Cost In Project,هزینه مواد مصرفی مصرف شده در پروژه را به روز کنید apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,حساب: {0} با ارز: {1} نمی تواند انتخاب شود DocType: Bank Statement Transaction Settings Item,Bank Data,داده های بانکی DocType: Purchase Receipt Item,Sample Quantity,تعداد نمونه @@ -6123,7 +6192,7 @@ DocType: GSTR 3B Report,April,آوریل DocType: Plant Analysis,Collection Datetime,مجموعه زمان تاریخ DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR- .YYYY.- DocType: Work Order,Total Operating Cost,مجموع هزینه های عملیاتی -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,توجه: مورد {0} وارد چندین بار +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,توجه: مورد {0} وارد چندین بار apps/erpnext/erpnext/config/buying.py,All Contacts.,همه اطلاعات تماس. DocType: Accounting Period,Closed Documents,اسناد بسته شده DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,مدیریت مراجعه انتصاب ارسال و لغو خودکار برای برخورد بیمار @@ -6203,7 +6272,6 @@ DocType: Member,Membership Type,نوع عضویت ,Reqd By Date,Reqd بر اساس تاریخ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,طلبکاران DocType: Assessment Plan,Assessment Name,نام ارزیابی -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,نمایش PDC در چاپ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,ردیف # {0}: سریال نه اجباری است DocType: Purchase Taxes and Charges,Item Wise Tax Detail,مورد جزئیات حکیم مالیات DocType: Employee Onboarding,Job Offer,پیشنهاد کار @@ -6262,6 +6330,7 @@ DocType: Serial No,Out of Warranty,خارج از ضمانت DocType: Bank Statement Transaction Settings Item,Mapped Data Type,نوع داده Mapped DocType: BOM Update Tool,Replace,جایگزین کردن apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,هیچ محصولی وجود ندارد پیدا شده است. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,انتشار موارد بیشتر apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} در برابر فاکتور فروش {1} DocType: Antibiotic,Laboratory User,کاربر آزمایشگاهی DocType: Request for Quotation Item,Project Name,نام پروژه @@ -6282,7 +6351,6 @@ DocType: Payment Order Reference,Bank Account Details,جزئیات حساب با DocType: Purchase Order Item,Blanket Order,سفارش سفارشی 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,دارایی های مالیاتی -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},تولید سفارش شده است {0} DocType: BOM Item,BOM No,BOM بدون 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,میانگین متحرک @@ -6355,6 +6423,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),منابع مالیاتی خارجی (دارای صفر امتیاز) DocType: BOM,Materials Required (Exploded),مواد مورد نیاز (منفجر شد) 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/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,مجوز های ارسال و تاریخ نمی تواند تاریخ آینده @@ -6412,7 +6481,6 @@ DocType: Pricing Rule,Same Item,همان مورد DocType: Stock Ledger Entry,Stock Ledger Entry,سهام لجر ورود DocType: Quality Action Resolution,Quality Action Resolution,قطعنامه اقدام کیفیت apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} در نیم روز روزه بگیرید {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,آیتم همان وارد شده است چندین بار DocType: Department,Leave Block List,ترک فهرست بلوک DocType: Purchase Invoice,Tax ID,ID مالیات apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,مورد {0} است راه اندازی برای سریال شماره نیست. ستون باید خالی باشد @@ -6449,7 +6517,7 @@ 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} غیر فعال است و یا وجود ندارد DocType: Purchase Invoice,Return,برگشت -DocType: Accounting Dimension,Disable,از کار انداختن +DocType: Account,Disable,از کار انداختن apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,نحوه پرداخت مورد نیاز است را به پرداخت DocType: Task,Pending Review,در انتظار نقد و بررسی apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.",ویرایش در صفحه کامل برای گزینه های بیشتر مانند دارایی، شماره سریال، دسته و غیره @@ -6560,7 +6628,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH- .YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,بخش فاکتور ترکیبی باید برابر با 100٪ DocType: Item Default,Default Expense Account,حساب پیش فرض هزینه DocType: GST Account,CGST Account,حساب CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,کد کالا> گروه مورد> نام تجاری apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,دانشجو ID ایمیل DocType: Employee,Notice (days),مقررات (روز) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS صورتحساب بسته بندی کوپن @@ -6571,6 +6638,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,انتخاب آیتم ها برای صرفه جویی در فاکتور DocType: Employee,Encashment Date,Encashment عضویت DocType: Training Event,Internet,اینترنت +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,اطلاعات فروشنده DocType: Special Test Template,Special Test Template,قالب تست ویژه DocType: Account,Stock Adjustment,تنظیم سهام apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},هزینه به طور پیش فرض برای فعالیت نوع فعالیت وجود دارد - {0} @@ -6582,7 +6650,6 @@ 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,هر دو تاریخچه تاریخچه دادگاه و تاریخ پایان تاریخ پرونده باید تعیین شود -DocType: Company,Bank Remittance Settings,تنظیمات حواله بانکی apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,میانگین امتیازات 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","""ایتم مورد نظر مشتری"" @@ -6611,6 +6678,7 @@ DocType: Grading Scale Interval,Threshold,آستانه apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),فیلتر کارمندان توسط (اختیاری) DocType: BOM Update Tool,Current BOM,BOM کنونی apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),تراز (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,مقدار کالای تمام شده کالا apps/erpnext/erpnext/public/js/utils.js,Add Serial No,اضافه کردن سریال بدون DocType: Work Order Item,Available Qty at Source Warehouse,موجود تعداد در منبع انبار apps/erpnext/erpnext/config/support.py,Warranty,گارانتی @@ -6687,7 +6755,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",در اینجا شما می توانید قد، وزن، آلرژی ها، نگرانی های پزشکی و غیره حفظ apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,ایجاد حساب ... DocType: Leave Block List,Applies to Company,امر به شرکت -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,نمی تواند به دلیل لغو ارائه سهام ورود {0} وجود دارد +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,نمی تواند به دلیل لغو ارائه سهام ورود {0} وجود دارد DocType: Loan,Disbursement Date,تاریخ پرداخت DocType: Service Level Agreement,Agreement Details,جزئیات توافق نامه apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,تاریخ شروع توافق نمی تواند بزرگتر یا مساوی با تاریخ پایان باشد. @@ -6696,6 +6764,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,پرونده پزشکی DocType: Vehicle,Vehicle,وسیله نقلیه DocType: Purchase Invoice,In Words,به عبارت +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,تا به امروز باید قبل از تاریخ باشد apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,قبل از ارسال، نام بانک یا موسسه وام را وارد کنید. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} باید ارسال شود DocType: POS Profile,Item Groups,گروه مورد @@ -6767,7 +6836,6 @@ DocType: Customer,Sales Team Details,جزییات تیم فروش apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,به طور دائم حذف کنید؟ DocType: Expense Claim,Total Claimed Amount,مجموع مقدار ادعا apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,فرصت های بالقوه برای فروش. -DocType: Plaid Settings,Link a new bank account,یک حساب بانکی جدید پیوند دهید apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} وضعیت حضور نامعتبر است. DocType: Shareholder,Folio no.,برگه شماره apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},نامعتبر {0} @@ -6783,7 +6851,6 @@ DocType: Production Plan,Material Requested,مواد مورد نیاز DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,تعداد قرارداد برای قرارداد DocType: Patient Service Unit,Patinet Service Unit,واحد خدمات Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,ایجاد فایل متنی DocType: Sales Invoice,Base Change Amount (Company Currency),پایه تغییر مقدار (شرکت ارز) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,هیچ نوشته حسابداری برای انبار زیر apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},فقط {0} موجود در انبار {1} @@ -6797,6 +6864,7 @@ DocType: Item,No of Months,بدون ماه DocType: Item,Max Discount (%),حداکثر تخفیف (٪) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,روزهای اعتباری نمیتواند یک عدد منفی باشد apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,بیانیه را بارگذاری کنید +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,گزارش این مورد DocType: Purchase Invoice Item,Service Stop Date,تاریخ توقف خدمات apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,مبلغ آخرین سفارش DocType: Cash Flow Mapper,e.g Adjustments for:,به عنوان مثال تنظیمات برای: @@ -6889,16 +6957,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,رده اخراج مالیات کارکنان apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,مقدار نباید از صفر کمتر باشد. DocType: Sales Invoice,C-Form Applicable,C-فرم قابل استفاده -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},عملیات زمان باید بیشتر از 0 برای عملیات می شود {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},عملیات زمان باید بیشتر از 0 برای عملیات می شود {0} DocType: Support Search Source,Post Route String,خط مسیر ارسال apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,انبار الزامی است apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,وب سایت ایجاد نشد DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,جزئیات UOM تبدیل apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,پذیرش و ثبت نام -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,مقدار ضمانت موجود ایجاد شده یا مقدار نمونه ارائه نشده است +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,مقدار ضمانت موجود ایجاد شده یا مقدار نمونه ارائه نشده است DocType: Program,Program Abbreviation,مخفف برنامه -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,سفارش تولید می تواند در برابر یک الگو مورد نمی توان مطرح apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),گروه توسط Voucher (تلفیقی) DocType: HR Settings,Encrypt Salary Slips in Emails,رمزگذاری لیست حقوق در ایمیل DocType: Question,Multiple Correct Answer,پاسخ صحیح چندگانه @@ -6945,7 +7012,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,دارای رتبه یا DocType: Employee,Educational Qualification,صلاحیت تحصیلی DocType: Workstation,Operating Costs,هزینه های عملیاتی apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},ارز برای {0} باید {1} -DocType: Employee Checkin,Entry Grace Period Consequence,پیامد دوره دوره ورود DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,حضور و علامت گذاری بر اساس "Checkin Employee" را برای کارمندان اختصاص داده شده در این شیفت انجام دهید. DocType: Asset,Disposal Date,تاریخ دفع DocType: Service Level,Response and Resoution Time,زمان پاسخ و پاسخ @@ -6993,6 +7059,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,تاریخ تکمیل DocType: Purchase Invoice Item,Amount (Company Currency),مقدار (شرکت ارز) DocType: Program,Is Featured,برجسته است +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,واکشی ... DocType: Agriculture Analysis Criteria,Agriculture User,کاربر کشاورزی apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,معتبر تا تاریخ نمی تواند قبل از تاریخ معامله باشد 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} برای برای تکمیل این معامله. @@ -7024,7 +7091,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,مجموع پرداخت AMT 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 جزء به جزء فروش ثبت نام @@ -7048,6 +7114,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,ناشناس apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,دریافت شده از DocType: Lead,Converted,مبدل DocType: Item,Has Serial No,دارای سریال بدون +DocType: Stock Entry Detail,PO Supplied Item,مورد تحویل PO 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} @@ -7158,7 +7225,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,همکاری مالیات 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,BOM به طور پیش فرض برای {0} یافت نشد +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}: لطفا مقدار سفارش مجدد مجموعه apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,ضربه بزنید اقلام به آنها اضافه کردن اینجا @@ -7192,7 +7259,6 @@ DocType: Purchase Invoice,Y,ی DocType: Maintenance Visit,Maintenance Date,تاریخ نگهداری و تعمیرات DocType: Purchase Invoice Item,Rejected Serial No,رد سریال apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,تاریخ شروع سال یا تاریخ پایان است با هم تداخل دارند با {0}. برای جلوگیری از به مدیر مجموعه شرکت -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,لطفاً سریال های شماره گذاری را برای حضور از طریق تنظیم> سری شماره گذاری تنظیم کنید apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},لطفا نام سرب در سرب را ذکر کنید {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},تاریخ شروع باید کمتر از تاریخ پایان برای مورد است {0} DocType: Shift Type,Auto Attendance Settings,تنظیمات حضور و غیاب خودکار @@ -7205,6 +7271,7 @@ DocType: SG Creation Tool Course,Max Strength,حداکثر قدرت apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,نصب ایستگاه از پیش تنظیم DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH- .YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},هیچ ضمانت تحویل برای مشتری {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},ردیف اضافه شده در {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,کارمند {0} مقدار حداکثر سود ندارد apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,اقلام را براساس تاریخ تحویل انتخاب کنید DocType: Grant Application,Has any past Grant Record,هر رکورد قبلی Grant داشته است @@ -7248,6 +7315,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,جزئیات دانشجو DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",این UOM پیش فرض است که برای موارد و سفارشات فروش استفاده می شود. UOM برگشت پذیر "Nos" است. DocType: Purchase Invoice Item,Stock Qty,موجودی تعداد +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + برای ارسال وارد شوید DocType: Contract,Requires Fulfilment,نیاز به انجام است DocType: QuickBooks Migrator,Default Shipping Account,حساب حمل و نقل پیش فرض DocType: Loan,Repayment Period in Months,دوره بازپرداخت در ماه @@ -7276,6 +7344,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise تخفیف apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,برنامه زمانی برای انجام وظایف. DocType: Purchase Invoice,Against Expense Account,علیه صورتحساب apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,نصب و راه اندازی {0} توجه داشته باشید در حال حاضر ارائه شده است +DocType: BOM,Raw Material Cost (Company Currency),هزینه مواد اولیه (ارز شرکت) DocType: GSTR 3B Report,October,اکتبر DocType: Bank Reconciliation,Get Payment Entries,مطلع مطالب پرداخت DocType: Quotation Item,Against Docname,علیه Docname @@ -7321,15 +7390,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,برای تاریخ استفاده لازم است DocType: Request for Quotation,Supplier Detail,جزئیات کننده apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},اشکال در فرمول یا شرایط: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,مقدار صورتحساب +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,مقدار صورتحساب apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,وزنهای معیار باید تا 100٪ apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,حضور apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,انبار قلم DocType: Sales Invoice,Update Billed Amount in Sales Order,مقدار تخفیف در سفارش فروش را به روز کنید +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,تماس با فروشنده 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,لطفاً برای گزارش این مورد به عنوان یک کاربر Marketplace وارد شوید. ,Sales Partner Commission Summary,خلاصه کمیسیون شریک فروش ,Item Prices,قیمت مورد DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,به عبارت قابل مشاهده خواهد بود هنگامی که شما سفارش خرید را نجات دهد. @@ -7343,6 +7414,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,لیست قیمت کارشناسی ارشد. DocType: Task,Review Date,بررسی تاریخ DocType: BOM,Allow Alternative Item,به جای جایگزین +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,رسید خرید هیچ موردی را ندارد که نمونه حفظ آن فعال باشد. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,تعداد کل فاکتور DocType: Company,Series for Asset Depreciation Entry (Journal Entry),سریال برای ورودی های ارزشمندی دارایی (ورودی مجله) DocType: Membership,Member Since,عضو از @@ -7351,6 +7423,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,در مجموع خالص 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: Pricing Rule,Product Discount Scheme,طرح تخفیف محصول +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,هیچ شماره ای توسط تماس گیرنده مطرح نشده است. DocType: Restaurant Reservation,Waitlisted,منتظر DocType: Employee Tax Exemption Declaration Category,Exemption Category,رده انحصاری apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,نرخ ارز می تواند پس از ساخت ورودی با استفاده از یک ارز دیگر، نمی توان تغییر داد @@ -7364,7 +7437,6 @@ DocType: Customer Group,Parent Customer Group,مشتریان پدر و مادر apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,بیل JSON e-Way فقط از فاکتور فروش تولید می شود apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,حداکثر تلاش برای این مسابقه رسید! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,اشتراک -DocType: Purchase Invoice,Contact Email,تماس با ایمیل apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ایجاد هزینه در انتظار است DocType: Project Template Task,Duration (Days),مدت زمان (روزها) DocType: Appraisal Goal,Score Earned,امتیاز کسب @@ -7389,7 +7461,6 @@ DocType: Landed Cost Item,Landed Cost Item,فرود از اقلام هزینه 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions",مبلغ یک معامله واحد از حداکثر مقدار مجاز فراتر رفته و با تقسیم معاملات یک سفارش پرداخت جداگانه ایجاد کنید DocType: Service Level Agreement,Entity,نهاد DocType: Payment Reconciliation,Receivable / Payable Account,حساب دریافتنی / پرداختنی DocType: Delivery Note Item,Against Sales Order Item,علیه سفارش فروش مورد @@ -7555,6 +7626,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,در DocType: Quality Inspection Reading,Reading 3,خواندن 3 DocType: Stock Entry,Source Warehouse Address,آدرس انبار منبع DocType: GL Entry,Voucher Type,کوپن نوع +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,پرداختهای آینده 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 ,آخرین فعالیت @@ -7581,6 +7653,7 @@ 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 و ضوابط DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,فهرست بیماری های شناسایی شده در زمینه هنگامی که انتخاب می شود، به طور خودکار یک لیست از وظایف برای مقابله با بیماری را اضافه می کند +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,این واحد مراقبت های بهداشتی ریشه است و نمی تواند ویرایش شود. DocType: Asset Repair,Repair Status,وضعیت تعمیر apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",درخواست مقدار: مقدار درخواست شده برای خرید ، اما سفارش داده نشده است. @@ -7595,6 +7668,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,حساب کاربری برای تغییر مقدار DocType: QuickBooks Migrator,Connecting to QuickBooks,اتصال به QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,مجموع افزایش / از دست دادن +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,ایجاد لیست انتخاب apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ردیف {0}: حزب / حساب با مطابقت ندارد {1} / {2} در {3} {4} DocType: Employee Promotion,Employee Promotion,ارتقاء کارکنان DocType: Maintenance Team Member,Maintenance Team Member,عضو تیم تعمیر و نگهداری @@ -7676,6 +7750,7 @@ 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,دارایی رده apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,پرداخت خالص نمی تونه منفی @@ -7707,7 +7782,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,هدف کیفیت DocType: BOM,Item to be manufactured or repacked,آیتم به تولید و یا repacked apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},خطای نحو در شرایط: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,هیچ مسئله ای توسط مشتری مطرح نشده است. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST- .YYYY.- DocType: Employee Education,Major/Optional Subjects,عمده / موضوع اختیاری apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,لطفا تنظیم کننده گروه در تنظیمات خرید. @@ -7800,8 +7874,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,روز اعتباری apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,لطفا بیمار را برای آزمایش آزمایشات انتخاب کنید DocType: Exotel Settings,Exotel Settings,تنظیمات Exotel -DocType: Leave Type,Is Carry Forward,آیا حمل به جلو +DocType: Leave Ledger Entry,Is Carry Forward,آیا حمل به جلو DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ساعات کاری که در زیر آن غایب مشخص شده است. (غیرفعال کردن صفر) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,ارسال یک پیام apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,گرفتن اقلام از BOM 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,آیا هزینه مالیات بر درآمد است؟ diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv index 74919aa086..af5cae6282 100644 --- a/erpnext/translations/fi.csv +++ b/erpnext/translations/fi.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Ilmoita toimittajalle apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Valitse ensin osapuoli tyyppi DocType: Item,Customer Items,Asiakkaan nimikkeet +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Velat DocType: Project,Costing and Billing,Kustannuslaskenta ja laskutus apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Ennakkomaksun valuutan on oltava sama kuin yrityksen valuutta {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Oletusyksikkö DocType: SMS Center,All Sales Partner Contact,kaikki myyntikumppanin yhteystiedot DocType: Department,Leave Approvers,Poissaolojen hyväksyjät DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Hae kohteita ... DocType: Patient Encounter,Investigations,tutkimukset DocType: Restaurant Order Entry,Click Enter To Add,Napsauta Enter to Add (Lisää) apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Salasanan, API-avaimen tai Shopify-URL-osoitteen puuttuva arvo" DocType: Employee,Rented,Vuokrattu apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Kaikki tilit apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Työntekijää ei voi siirtää vasemmalle -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Pysäytetty Tuotantotilaus ei voi peruuttaa, Unstop se ensin peruuttaa" DocType: Vehicle Service,Mileage,mittarilukema apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Haluatko todella romuttaa tämän omaisuuden? DocType: Drug Prescription,Update Schedule,Päivitä aikataulu @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Asiakas DocType: Purchase Receipt Item,Required By,pyytäjä DocType: Delivery Note,Return Against Delivery Note,palautus kohdistettuna lähetteeseen DocType: Asset Category,Finance Book Detail,Rahoituskirjan yksityiskohdat +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Kaikki poistot on kirjattu DocType: Purchase Order,% Billed,% laskutettu apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Palkanlaskennan numero apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Valuuttakurssi on oltava sama kuin {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Erä Item Käyt tila apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,pankki sekki DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Myöhäiset merkinnät DocType: Mode of Payment Account,Mode of Payment Account,maksutilin tila apps/erpnext/erpnext/config/healthcare.py,Consultation,kuuleminen DocType: Accounts Settings,Show Payment Schedule in Print,Näytä maksuaikataulu Tulosta @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Va apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Ensisijaiset yhteystiedot apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Avoimet kysymykset DocType: Production Plan Item,Production Plan Item,Tuotanto Plan Item +DocType: Leave Ledger Entry,Leave Ledger Entry,Jätä pääkirjakirjaus 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} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} -kenttä on rajoitettu kokoon {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Vap DocType: Purchase Invoice Item,Item Weight Details,Kohde Painon tiedot DocType: Asset Maintenance Log,Periodicity,Jaksotus apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Verovuoden {0} vaaditaan +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Nettovoitto / -tappio DocType: Employee Group Table,ERPNext User ID,ERPNext käyttäjän tunnus DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimaalinen etäisyys kasvien riveistä optimaaliseen kasvuun apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Valitse potilas saadaksesi määrätyn toimenpiteen @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Myynnin hinnasto DocType: Patient,Tobacco Current Use,Tupakan nykyinen käyttö apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Myynnin määrä -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Tallenna asiakirjasi ennen uuden tilin lisäämistä 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Elä DocType: Exchange Rate Revaluation Account,Gain/Loss,Voitto / tappio DocType: Crop,Perennial,Monivuotinen DocType: Program,Is Published,On julkaistu +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Näytä toimitusilmoitukset apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",Päivitä "Yli laskutuskorvaus" Tilit-asetuksissa tai Kohteessa salliaksesi ylilaskutuksen. DocType: Patient Appointment,Procedure,menettely DocType: Accounts Settings,Use Custom Cash Flow Format,Käytä Custom Cash Flow -muotoa @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Jätä politiikkatiedot DocType: BOM,Item Image (if not slideshow),tuotekuva (jos diaesitys ei käytössä) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Rivi # {0}: Operaatiota {1} ei suoriteta {2} määrälle työjärjestyksessä {3} olevia valmiita tuotteita. Päivitä toimintatila työkortilla {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} on pakollinen rahalähetysmaksujen luomiseen, aseta kenttä ja yritä uudelleen" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tuntihinta / 60) * todellinen käytetty aika apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rivi # {0}: Viiteasiakirjatyypin on oltava yksi kulukorvauksesta tai päiväkirjakirjauksesta apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Valitse BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Repay Yli Kausien määrä apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Tuotettava määrä ei voi olla pienempi kuin nolla DocType: Stock Entry,Additional Costs,Lisäkustannukset +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,tilin tapahtumaa ei voi muuntaa ryhmäksi DocType: Lead,Product Enquiry,Tavara kysely DocType: Education Settings,Validate Batch for Students in Student Group,Vahvista Erä opiskelijoille Student Group @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Ylioppilas apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Aseta oletusmalli Leave Status Notification -asetukseksi HR-asetuksissa. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Tavoitteeseen DocType: BOM,Total Cost,Kokonaiskustannukset +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Jako vanhentunut! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Suurin siirrettyjen lehtien enimmäismäärä DocType: Salary Slip,Employee Loan,työntekijän Loan DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Lähetä maksuehdotus sähköpostitse @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Kiinte apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,tiliote apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Lääketeollisuuden tuotteet DocType: Purchase Invoice Item,Is Fixed Asset,Onko käyttöomaisuusosakkeet +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Näytä tulevat maksut DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Tämä pankkitili on jo synkronoitu DocType: Homepage,Homepage Section,Kotisivun osa @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Lannoite apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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" -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 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Ainakin yksi maksutavan vaaditaan POS laskun. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Erä ei vaadita erässä {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Pankkitili-tapahtuman laskuerä @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Valitse ehdot ja säännöt apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,out Arvo DocType: Bank Statement Settings Item,Bank Statement Settings Item,Pankkitilin asetukset -osiossa DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce-asetukset +DocType: Leave Ledger Entry,Transaction Name,Tapahtuman nimi DocType: Production Plan,Sales Orders,Myyntitilaukset apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Asiakkaalle on löydetty useita kanta-asiakasohjelmaa. Valitse manuaalisesti. DocType: Purchase Taxes and Charges,Valuation,Arvo @@ -460,6 +468,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: 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ä DocType: POS Profile,Only show Customer of these Customer Groups,Näytä vain näiden asiakasryhmien asiakas DocType: Sales Invoice,Is Opening Entry,on avauskirjaus @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,maininta ellei sovelletaan saataien perustiliä käytetä 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 DocType: Supplier Scorecard,Criteria Setup,Perusasetukset -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Varastoon -kenttä vaaditaan ennen vahvistusta +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 DocType: Codification Table,Medical Code,Medical Code apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Yhdistä Amazon ERP: n kanssa @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Pankkitilit lisätty -DocType: Delivery Stop,Contact Name,"yhteystiedot, nimi" +DocType: Call Log,Contact Name,"yhteystiedot, nimi" DocType: Plaid Settings,Synchronize all accounts every hour,Synkronoi kaikki tilit tunnissa DocType: Course Assessment Criteria,Course Assessment Criteria,Kurssin arviointiperusteet DocType: Pricing Rule Detail,Rule Applied,Sovellettu sääntö @@ -529,7 +539,6 @@ 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" -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Tuntematon numero DocType: Website Filter Field,Website Filter Field,Verkkosivun suodatinkenttä apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Syöttölaji DocType: Material Request Item,Min Order Qty,min tilaus yksikkömäärä @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Pääoman kokonaismäärä DocType: Student Guardian,Relation,Suhde DocType: Quiz Result,Correct,Oikea DocType: Student Guardian,Mother,Äiti -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Lisää kelvolliset Plaid api -näppäimet ensin sivustoon_konfig.json DocType: Restaurant Reservation,Reservation End Time,Varauksen loppumisaika DocType: Crop,Biennial,kaksivuotinen ,BOM Variance Report,BOM varianssiraportti @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Maksu vastaan {0} {1} ei voi olla suurempi kuin jäljellä {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Poissa POS-asetukset DocType: Stock Entry Detail,Reference Purchase Receipt,Viiteostokuitti DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Muunnelma kohteesta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"valmiit yksikkömäärä ei voi olla suurempi kuin ""tuotannon määrä""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"valmiit yksikkömäärä ei voi olla suurempi kuin ""tuotannon määrä""" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Kausi perustuu DocType: Period Closing Voucher,Closing Account Head,tilin otsikon sulkeminen DocType: Employee,External Work History,ulkoinen työhistoria apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,kiertoviite vihke apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Opiskelukortti apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Pin-koodista +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Näytä myyntihenkilö DocType: Appointment Type,Is Inpatient,On sairaala apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Name DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"sanat näkyvät, (vienti) kun tallennat lähetteen" @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Ulottuvuuden nimi apps/erpnext/erpnext/healthcare/setup.py,Resistant,kestävä apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Aseta hotellihuoneen hinta {} +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: Journal Entry,Multi Currency,Multi Valuutta DocType: Bank Statement Transaction Invoice Item,Invoice Type,lasku tyyppi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Voimassa päivämäärästä tulee olla vähemmän kuin voimassa oleva päivityspäivä @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Hyväksytty DocType: Workstation,Rent Cost,vuokrakustannukset 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Tulevia kalenteritapahtumia apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,malli tuntomerkit @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Tarjouspyyntö 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Näytä myyntihenkilö painettuna 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 @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Luo uusi asiakas apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Vanheneminen apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",mikäli useampi hinnoittelu sääntö jatkaa vaikuttamista käyttäjäjiä pyydetään asettamaan prioriteetti manuaalisesti ristiriidan ratkaisemiseksi -DocType: Purchase Invoice,Scan Barcode,Skannaa viivakoodi apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Luo ostotilaukset ,Purchase Register,Osto Rekisteröidy apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Potilasta ei löydy @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,välityskumppani DocType: Account,Old Parent,Vanha Parent apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Pakollinen kenttä - Lukuvuosi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} ei ole liitetty {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Tuntilomakkeeseen perustuva palkan osuus. DocType: Driver,Applicable for external driver,Soveltuu ulkoiselle ohjaimelle DocType: Sales Order Item,Used for Production Plan,Käytetään tuotannon suunnittelussa +DocType: BOM,Total Cost (Company Currency),Kokonaiskustannukset (yrityksen valuutta) DocType: Loan,Total Payment,Koko maksu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Ei voi peruuttaa suoritettua tapahtumaa. DocType: Manufacturing Settings,Time Between Operations (in mins),Toimintojen välinen aika (minuuteissa) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Ilmoita muille DocType: Vital Signs,Blood Pressure (systolic),Verenpaine (systolinen) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} on {2} DocType: Item Price,Valid Upto,Voimassa asti +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ä. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Muutokset {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Ole hyvä ja valitse Company DocType: Employee Skill,Employee Skill,Työntekijän taito apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Erotuksen tili @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Riskitekijät DocType: Patient,Occupational Hazards and Environmental Factors,Työperäiset vaaratekijät ja ympäristötekijät apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,"Osakkeet, jotka on jo luotu työjärjestykseen" apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Katso aiemmat tilaukset +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} keskustelua DocType: Vital Signs,Respiratory rate,Hengitysnopeus apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Alihankintojen hallinta DocType: Vital Signs,Body Temperature,Ruumiinlämpö @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Rekisteröity koostumus apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Hei apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Move Kohde DocType: Employee Incentive,Incentive Amount,Kannustinmäärä +,Employee Leave Balance Summary,Yhteenveto työntekijöiden lomasta DocType: Serial No,Warranty Period (Days),Takuuaika (päivää) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Kokonaisbonus / veloitusmäärä tulee olla sama kuin liitetiedostoraportti DocType: Installation Note Item,Installation Note Item,asennus huomautus tuote @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,Paisunut DocType: Salary Slip,Salary Slip Timesheet,Tuntilomake apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Toimittajan varasto on pakollinen alihankintasaapumisessa DocType: Item Price,Valid From,Voimassa alkaen +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Arvosanasi: DocType: Sales Invoice,Total Commission,Provisio yhteensä DocType: Tax Withholding Account,Tax Withholding Account,Verotettavaa tiliä DocType: Pricing Rule,Sales Partner,Myyntikumppani @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Kaikki toimittaja 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 +DocType: Item,Website Image,Verkkosivun kuva apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Rivin {0} kohdavarastojen on oltava samat kuin työjärjestys apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Arvostustaso on pakollinen, jos avausvarasto on merkitty" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Tietueita ei löytynyt laskutaulukosta @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},T 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Suorita Plaid API -määrityksesi ennen tilin synkronointia 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 DocType: Job Applicant,Resume Attachment,Palauta liite @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,Tuotantosuunnitelma DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Avaustilien luomistyökalu DocType: Salary Component,Round to the Nearest Integer,Pyöreä lähimpään kokonaislukuun apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Myynti Return -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Huomautus: Total varattu lehdet {0} ei saa olla pienempi kuin jo hyväksytty lehdet {1} kaudeksi DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,"Aseta määrä operaatioihin, jotka perustuvat sarjamuotoiseen tuloon" ,Total Stock Summary,Yhteensä Stock Yhteenveto apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,"pe apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Lainapääoma DocType: Loan Application,Total Payable Interest,Yhteensä Maksettava korko apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Yhteensä erinomainen: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Avaa yhteyshenkilö DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Tuntilomake 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} @@ -1080,6 +1099,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Oletuslaskujen numeromerkk 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 DocType: Restaurant Reservation,Restaurant Reservation,Ravintolavaraus +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Tuotteet apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Ehdotus Kirjoittaminen DocType: Payment Entry Deduction,Payment Entry Deduction,Payment Entry Vähennys DocType: Service Level Priority,Service Level Priority,Palvelutaso prioriteettina @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Eränumerosarja apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Toinen myyjä {0} on jo olemassa samalla tunnuksella DocType: Employee Advance,Claimed Amount,Vahvistettu määrä +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Viimeinen varaus 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 @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,erä Name DocType: Fee Validity,Max number of visit,Vierailun enimmäismäärä DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Pakollinen tuloslaskelma ,Hotel Room Occupancy,Hotellihuoneisto -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Tuntilomake luotu: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Valitse oletusmaksutapa kassa- tai pankkitili maksulle {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,kirjoittautua DocType: GST Settings,GST Settings,GST Asetukset @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),provisio (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Valitse ohjelma DocType: Project,Estimated Cost,Kustannusarvio DocType: Request for Quotation,Link to material requests,Kohdista hankintapyyntöön +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Julkaista apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ilmakehä ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,luottokorttikirjaus @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,lyhytaikaiset vastaavat apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} ei ole varastonimike apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Jaa palautetta koulutukseen klikkaamalla "Harjoittelupalaute" ja sitten "Uusi" +DocType: Call Log,Caller Information,Soittajan tiedot DocType: Mode of Payment Account,Default Account,oletustili apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Valitse Sample Retention Warehouse varastossa Asetukset ensin apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Valitse Usean tason ohjelmatyyppi useille keräyssäännöille. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Automaattinen hankintapyyntö luotu DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Työtunnit, joiden alle puoli päivää on merkitty. (Nolla pois käytöstä)" DocType: Job Card,Total Completed Qty,Suoritettu kokonaismäärä +DocType: HR Settings,Auto Leave Encashment,Automaattinen poistuminen apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Hävitty apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,kyseistä tositetta ei voi kohdistaa 'päiväkirjakirjaus' sarakkeessa DocType: Employee Benefit Application Detail,Max Benefit Amount,Enimmäisetu @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Tilaaja DocType: Item Attribute Value,Item Attribute Value,"tuotetuntomerkki, arvo" apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valuutanvaihtoa on sovellettava ostamiseen tai myyntiin. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Vain vanhentunut varaus voidaan peruuttaa DocType: Item,Maximum sample quantity that can be retained,"Suurin näytteen määrä, joka voidaan säilyttää" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rivi {0} # Tuote {1} ei voi siirtää enempää kuin {2} ostotilausta vastaan {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Myynnin kampanjat +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Tuntematon soittaja DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1400,6 +1425,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Terveydenhu apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,asiakirja nimi DocType: Expense Claim Detail,Expense Claim Type,Kulukorvaustyyppi DocType: Shopping Cart Settings,Default settings for Shopping Cart,Ostoskorin oletusasetukset +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Tallenna tuote apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Uusi kustannus apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ohita olemassa oleva tilattu määrä apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Lisää Timeslots @@ -1412,6 +1438,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Tarkista kutsu lähetetty DocType: Shift Assignment,Shift Assignment,Siirtymätoiminto DocType: Employee Transfer Property,Employee Transfer Property,Työntekijöiden siirron omaisuus +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Oma pääoma / Tili-kenttä ei voi olla tyhjä apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Aikaa pitemmältä ajalta apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotekniikka apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1493,11 +1520,13 @@ 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ö apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,kurssin aikataulu DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B -raportti DocType: Request for Quotation Supplier,Quote Status,Lainaus Status DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,katselmus tila +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Maksujen kokonaismäärä ei voi olla suurempi kuin {} DocType: Daily Work Summary Group,Select Users,Valitse käyttäjät DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotellihuoneen hinnoittelu DocType: Loyalty Program Collection,Tier Name,Tier Name @@ -1535,6 +1564,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST-mä DocType: Lab Test Template,Result Format,Tulosmuoto DocType: Expense Claim,Expenses,Kustannukset DocType: Service Level,Support Hours,tukiajat +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Toimitusohjeet DocType: Item Variant Attribute,Item Variant Attribute,Tuote Variant Taito ,Purchase Receipt Trends,Saapumisten kehitys DocType: Payroll Entry,Bimonthly,Kahdesti kuussa @@ -1557,7 +1587,6 @@ DocType: Sales Team,Incentives,kannustimet/bonukset DocType: SMS Log,Requested Numbers,vaaditut numerot DocType: Volunteer,Evening,Ilta DocType: Quiz,Quiz Configuration,Tietokilpailun kokoonpano -DocType: Customer,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 @@ -1604,7 +1633,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,valuutt ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Aika-aukkoa ei löydy seuraavaan {0} päivän toiminnolle {1} DocType: Work Order,Plan material for sub-assemblies,Suunnittele materiaalit alituotantoon 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 @@ -1619,9 +1647,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,"Sinun on otettava automaattinen uudelleenjärjestys käyttöön Varastoasetuksissa, jotta uudelleentilauksen tasot voidaan pitää yllä." apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Peru materiaalikäynti {0} ennen huoltokäynnin perumista DocType: Pricing Rule,Rate or Discount,Hinta tai alennus +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Pankkitiedot DocType: Vital Signs,One Sided,Yksipuolinen apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Sarjanumero {0} ei kuulu tuotteelle {1} -DocType: Purchase Receipt Item Supplied,Required Qty,vaadittu yksikkömäärä +DocType: Purchase Order Item Supplied,Required Qty,vaadittu yksikkömäärä DocType: Marketplace Settings,Custom Data,Mukautetut tiedot apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Varastoissa nykyisten tapahtumaa ei voida muuntaa kirjanpitoon. DocType: Service Day,Service Day,Palvelupäivä @@ -1649,7 +1678,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Tilin valuutta DocType: Lab Test,Sample ID,Sample ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Merkitse yrityksen pyöristys tili -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Alue DocType: Supplier,Default Payable Accounts,oletus maksettava tilit apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Työntekijä {0} ei ole aktiivinen tai sitä ei ole olemassa @@ -1690,8 +1718,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,tietopyyntö DocType: Course Activity,Activity Date,Toiminnan päivämäärä apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} / {} -,LeaderBoard,leaderboard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Hinta marginaalilla (Company Currency) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Luokat apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Synkronointi Offline Laskut DocType: Payment Request,Paid,Maksettu DocType: Service Level,Default Priority,Oletusprioriteetti @@ -1726,11 +1754,11 @@ DocType: Agriculture Task,Agriculture Task,Maatalous Tehtävä apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,välilliset tulot DocType: Student Attendance Tool,Student Attendance Tool,Student Läsnäolo Tool DocType: Restaurant Menu,Price List (Auto created),Hinnasto (luotu automaattisesti) +DocType: Pick List Item,Picked Qty,Valittu määrä DocType: Cheque Print Template,Date Settings,date Settings 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 -,Company Name,Yrityksen nimi 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. @@ -1749,7 +1777,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Viimeisin yritys 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} -DocType: BOM,Raw Material Cost(Company Currency),Raaka-ainekustannukset (Company valuutta) 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 @@ -1816,6 +1843,7 @@ DocType: Travel Itinerary,Train,Kouluttaa ,Delayed Item Report,Viivästynyt tuoteraportti apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Kelpoinen ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Lääkärinhoito +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Julkaise ensimmäiset kohteesi DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Aika vuoron päättymisen jälkeen, jona lähtöä pidetään läsnäolona." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Määritä {0} @@ -1931,6 +1959,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,kaikki BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Luo yrityksen välinen päiväkirjakirjaus DocType: Company,Parent Company,Emoyhtiö apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotelli {0} ei ole saatavilla {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Vertaa raaka-aineiden ja toimintojen muutosten rajat ylittäviä kohteita apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Asiakirjan {0} poisto onnistuneesti DocType: Healthcare Practitioner,Default Currency,Oletusvaluutta apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Täytä tämä tili @@ -1965,6 +1994,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-muoto laskutus lisätiedot DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Maksun täsmäytys laskuun DocType: Clinical Procedure,Procedure Template,Menettelymalli +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Julkaise kohteita apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,panostus % apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kuten kohti ostaminen asetukset jos Ostotilauksessa Pakollinen == KYLLÄ, sitten luoda Ostolasku, käyttäjän täytyy luoda ostotilaus ensin kohteen {0}" ,HSN-wise-summary of outward supplies,HSN-viisas tiivistelmä ulkoisista tarvikkeista @@ -1977,7 +2007,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Aseta 'Käytä lisäalennusta " DocType: Party Tax Withholding Config,Applicable Percent,Soveltuva prosenttiosuus ,Ordered Items To Be Billed,tilatut laskutettavat tuotteet -DocType: Employee Checkin,Exit Grace Period Consequence,Poistumisajan seuraus apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Vuodesta Range on oltava vähemmän kuin laitumelle DocType: Global Defaults,Global Defaults,Yleiset oletusasetukset apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Project Collaboration Kutsu @@ -1985,13 +2014,11 @@ DocType: Salary Slip,Deductions,vähennykset DocType: Setup Progress Action,Action Name,Toiminnon nimi apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Start Year apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Luo laina -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,aloituspäivä nykyiselle laskutuskaudelle DocType: Shift Type,Process Attendance After,Prosessin läsnäolo jälkeen ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Palkaton vapaa DocType: Payment Request,Outward,Ulospäin -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,kapasiteetin suunnittelu virhe apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Valtion / UT vero ,Trial Balance for Party,Alustava tase osapuolelle ,Gross and Net Profit Report,Brutto- ja nettotulosraportti @@ -2010,7 +2037,6 @@ DocType: Payroll Entry,Employee Details,Työntekijän tiedot 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 -DocType: Setup Progress Action,Domains,Verkkotunnukset 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} @@ -2053,7 +2079,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Yhteensä 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.","Maksutila ei ole määritetty. Tarkista, onko tili on asetettu tila maksut tai POS Profile." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Samaa kohdetta ei voi syöttää useita kertoja. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","lisätilejä voidaan tehdä kohdassa ryhmät, mutta kirjaukset toi suoraan tilille" -DocType: Email Campaign,Lead,Liidi +DocType: Call Log,Lead,Liidi DocType: Email Digest,Payables,Maksettavat DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Sähköpostikampanja @@ -2065,6 +2091,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Ostotilaus Items laskuttamat 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 DocType: Purchase Invoice Item,Net Rate,nettohinta apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Valitse asiakas DocType: Leave Policy,Leave Allocations,Jätä varaukset @@ -2078,6 +2105,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Close Issue jälkeen Days ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,"Sinun on oltava käyttäjä, jolla on System Manager- ja Item Manager -roolit, jotta käyttäjät voidaan lisätä Marketplace-sivustoon." +DocType: Attendance,Early Exit,Varhainen poistuminen DocType: Job Opening,Staffing Plan,Henkilöstösuunnitelma apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON voidaan luoda vain lähetetystä asiakirjasta apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Työntekijöiden verot ja edut @@ -2098,6 +2126,7 @@ DocType: Maintenance Team Member,Maintenance Role,Huolto Rooli apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},monista rivi {0} sama kuin {1} DocType: Marketplace Settings,Disable Marketplace,Poista Marketplace käytöstä DocType: Quality Meeting,Minutes,Minuutit +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Esitetyt kohteesi ,Trial Balance,Alustava tase apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Näytä valmis apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Verovuoden {0} ei löytynyt @@ -2107,8 +2136,8 @@ 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 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 - -DocType: Shift Type,Consequence,seuraus DocType: Subscription Settings,Subscription Settings,Tilausasetukset DocType: Purchase Invoice,Update Auto Repeat Reference,Päivitä automaattinen toisto-ohje apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Valinnainen lomalistaan ei ole asetettu lomajakson {0} @@ -2119,7 +2148,6 @@ DocType: Maintenance Visit Purpose,Work Done,Työ tehty apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Ilmoitathan ainakin yksi määrite Määritteet taulukossa DocType: Announcement,All Students,kaikki opiskelijat apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Nimike {0} ei saa olla varastonimike -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Pankkien poistot apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Näytä tilikirja DocType: Grading Scale,Intervals,väliajoin DocType: Bank Statement Transaction Entry,Reconciled Transactions,Yhdistetyt tapahtumat @@ -2155,6 +2183,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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ä 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 DocType: Opportunity Item,Opportunity Item,mahdollinen tuote DocType: Quality Action,Quality Review,Laadun arviointi @@ -2181,7 +2210,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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 DocType: Journal Entry,Get Outstanding Invoices,hae odottavat laskut -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Myyntitilaus {0} ei ole kelvollinen +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öä apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Ostotilaukset auttaa suunnittelemaan ja seurata ostoksistasi apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab Test Prescriptions @@ -2206,6 +2235,7 @@ DocType: Employee Onboarding,Notify users by email,Ilmoita käyttäjille sähkö DocType: Travel Request,International,kansainvälinen DocType: Training Event,Training Event,koulutustapahtuma DocType: Item,Auto re-order,Auto re-order +DocType: Attendance,Late Entry,Myöhäinen tulo apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,"Yhteensä, saavutettu" DocType: Employee,Place of Issue,Aiheen alue DocType: Promotional Scheme,Promotional Scheme Price Discount,Tarjousohjelman hintaalennus @@ -2252,6 +2282,7 @@ DocType: Serial No,Serial No Details,Sarjanumeron lisätiedot DocType: Purchase Invoice Item,Item Tax Rate,tuotteen veroaste apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Puolueen nimestä apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Nettopalkkasumma +DocType: Pick List,Delivery against Sales Order,Toimitus myyntitilausta vastaan DocType: Student Group Student,Group Roll Number,Ryhmä rullanumero apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","{0}, vain kredit tili voidaan kohdistaa debet kirjaukseen" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Lähete {0} ei ole vahvistettu @@ -2323,7 +2354,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Tätä arvoa käytetään pro-rata temporis -laskentaan apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Sinun tulee aktivoida ostoskori DocType: Payment Entry,Writeoff,Poisto DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2337,6 +2367,7 @@ DocType: Delivery Trip,Total Estimated Distance,Arvioitu kokonaismatka DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Saamiset maksamattomat tilit DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM selain +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Ei sallittua luoda kirjanpitoulottuvuutta {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Päivitä tilasi tähän koulutustilaisuuteen DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,lisää tai vähennä @@ -2346,7 +2377,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Ei-aktiiviset myyntierät DocType: Quality Review,Additional Information,lisäinformaatio apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,tilausten arvo yhteensä -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Palvelutasosopimuksen nollaus. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Ruoka apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,vanhentumisen skaala 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-velkakirjojen yksityiskohdat @@ -2393,6 +2423,7 @@ 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 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' DocType: Healthcare Practitioner,Contacts and Address,Yhteystiedot ja osoite DocType: Shift Type,Determine Check-in and Check-out,Määritä sisään- ja uloskirjautuminen @@ -2412,7 +2443,6 @@ DocType: Student Admission,Eligibility and Details,Kelpoisuus ja tiedot apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Sisältyy bruttovoittoon apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Nettomuutos kiinteä omaisuus apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Määrä -DocType: Company,Client Code,Asiakaskoodi apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,maksun tyyppiä 'todellinen' rivillä {0} ei voi sisällyttää tuotearvoon apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Alkaen aikajana @@ -2480,6 +2510,7 @@ DocType: Journal Entry Account,Account Balance,Tilin tase apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Asiakkaan tarvitaan vastaan Receivable huomioon {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),verot ja maksut yhteensä (yrityksen valuutta) DocType: Weather,Weather Parameter,Sääparametri @@ -2542,6 +2573,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Poissaolon työtuntikynny apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Käytettävissä oleva määrä voi olla moninkertainen kerrotu keräyskerroin. Lunastuksen muuntokerroin on kuitenkin aina sama kaikilla tasoilla. apps/erpnext/erpnext/config/help.py,Item Variants,Tuotemallit ja -variaatiot apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Palvelut +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Sähköposti palkkakuitin työntekijöiden DocType: Cost Center,Parent Cost Center,Pääkustannuspaikka @@ -2552,7 +2584,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","V DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Tuo toimitussisältöjä Shopify on Shipment -palvelusta apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Näytäsuljetut DocType: Issue Priority,Issue Priority,Aihejärjestys -DocType: Leave Type,Is Leave Without Pay,on poistunut ilman palkkaa +DocType: Leave Ledger Entry,Is Leave Without Pay,on poistunut ilman palkkaa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset Luokka on pakollinen Käyttöomaisuuden erä DocType: Fee Validity,Fee Validity,Maksun voimassaoloaika @@ -2601,6 +2633,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,saatavilla olevan e apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Päivitä tulostusmuoto DocType: Bank Account,Is Company Account,Onko yritystili apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Jätä tyyppi {0} ei ole kelvollinen +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Luottoraja on jo määritelty yritykselle {0} DocType: Landed Cost Voucher,Landed Cost Help,"Kohdistetut kustannukset, ohje" DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-Vlogi-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Valitse toimitusosoite @@ -2625,6 +2658,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Kaksisuuntainen DocType: Item,Manufacturers,valmistajat @@ -2661,7 +2695,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,pankin täsmäytystosite DocType: Patient Encounter,Medical Coding,Lääketieteellinen koodaus DocType: Healthcare Settings,Reminder Message,Muistutusviesti -,Lead Name,Liidin nimi +DocType: Call Log,Lead Name,Liidin nimi ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Etsintätyö @@ -2693,12 +2727,14 @@ DocType: Purchase Invoice,Supplier Warehouse,toimittajan varasto DocType: Opportunity,Contact Mobile No,"yhteystiedot, puhelin" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Valitse Yritys ,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: 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 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.,Käyttäjälle {0} ei ole oletusarvoista POS-profiilia. Tarkista tämän käyttäjän oletusarvo rivillä {1}. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Laatukokouksen pöytäkirjat +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Työntekijäviittaus DocType: Student Group,Set 0 for no limit,Aseta 0 ei rajaa apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Päivä (t), johon haet lupaa ovat vapaapäiviä. Sinun ei tarvitse hakea lupaa." @@ -2732,12 +2768,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Rahavarojen muutos DocType: Assessment Plan,Grading Scale,Arvosteluasteikko apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,yksikköä {0} on kirjattu useammin kuin kerran muuntokerroin taulukossa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,jo valmiiksi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock kädessä apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Lisää jäljellä olevat edut {0} sovellukseen \ pro-rata -komponenttina apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Aseta verolaki julkishallinnolle '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Maksupyyntö on jo olemassa {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,aiheen tuotteiden kustannukset DocType: Healthcare Practitioner,Hospital,Sairaala apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Määrä saa olla enintään {0} @@ -2782,6 +2816,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Henkilöstöresurssit apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Ylemmät tulot DocType: Item Manufacturer,Item Manufacturer,Manufacturer +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Luo uusi lyijy DocType: BOM Operation,Batch Size,Erän koko apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Hylätä DocType: Journal Entry Account,Debit in Company Currency,Debit in Company Valuutta @@ -2802,9 +2837,11 @@ DocType: Bank Transaction,Reconciled,täsmäytetty DocType: Expense Claim,Total Amount Reimbursed,Hyvitys yhteensä apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Tämä perustuu tukkien vastaan Vehicle. Katso aikajana lisätietoja alla apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Palkanmaksupäivä ei voi olla pienempi kuin työntekijän liittymispäivä +DocType: Pick List,Item Locations,Tuotteen sijainnit apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} luotu apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Avoimet työpaikat nimeämiseen {0} jo auki tai palkkaaminen valmiiksi henkilöstötaulukon mukaisesti {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Voit julkaista jopa 200 kohdetta. DocType: Vital Signs,Constipated,Ummetusta apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},toimittajan ostolaskun kohdistus {0} päiväys {1} DocType: Customer,Default Price List,oletus hinnasto @@ -2896,6 +2933,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Vaihto todellinen aloitus DocType: Tally Migration,Is Day Book Data Imported,Onko päiväkirjan tietoja tuotu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Markkinointikustannukset +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} yksikköä {1} ei ole käytettävissä. ,Item Shortage Report,Tuotevajausraportti 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 @@ -2918,6 +2956,7 @@ DocType: Leave Allocation,Total Leaves Allocated,"Poistumisten yhteismäärä, k 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ä 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 DocType: Material Request,Transferred,siirretty DocType: Vehicle,Doors,ovet @@ -2997,7 +3036,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Asiakkaan nimikekoodi DocType: Stock Reconciliation,Stock Reconciliation,Varaston täsmäytys DocType: Territory,Territory Name,Alueen nimi DocType: Email Digest,Purchase Orders to Receive,Ostotilaukset vastaanotettavaksi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Keskeneräisten varasto vaaditaan ennen vahvistusta +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Keskeneräisten varasto vaaditaan ennen vahvistusta apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,"Sinulla voi olla vain tilauksia, joilla on sama laskutusjakso tilauksessa" DocType: Bank Statement Transaction Settings Item,Mapped Data,Kartoitetut tiedot DocType: Purchase Order Item,Warehouse and Reference,Varasto ja viite @@ -3071,6 +3110,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Toimitusasetukset apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Hae tiedot apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Lepatyypissä {0} sallittu enimmäisloma on {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Julkaise 1 tuote DocType: SMS Center,Create Receiver List,tee vastaanottajalista DocType: Student Applicant,LMS Only,Vain LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Käytettävissä oleva päivämäärä on ostopäivästä lukien @@ -3104,6 +3144,7 @@ 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 DocType: Vital Signs,Furry,Pörröinen apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Aseta 'Gain / tuloslaskelma Omaisuudenhoitoalan hävittämisestä "in Company {0} +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} @@ -3115,6 +3156,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Näytä kaikki aiheen {0} aiheet DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Laadukas kokouspöytä +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 apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Käy foorumeilla DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,useita tuotemalleja @@ -3125,9 +3167,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,"toimitus kuukaudessa, nimi" DocType: Quality Procedure Process,Quality Procedure Process,Laatumenettelyprosessi apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Erätunnuksesi on pakollinen +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Valitse ensin asiakas DocType: Sales Person,Parent Sales Person,Päämyyjä apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Mitään vastaanotettavia kohteita ei ole myöhässä apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Myyjä ja ostaja eivät voi olla samat +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Ei vielä näyttöä DocType: Project,Collect Progress,Kerää edistystä DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Valitse ensin ohjelma @@ -3149,11 +3193,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,saavutettu DocType: Student Admission,Application Form Route,Hakulomake Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Sopimuksen päättymispäivä ei voi olla pienempi kuin tänään. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter lähettääksesi DocType: Healthcare Settings,Patient Encounters in valid days,Potilaan kohtaamiset kelvollisina päivinä apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Jätä tyyppi {0} ei voi varata, koska se jättää ilman palkkaa" 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},rivi {0}: kohdennettavan arvomäärän {1} on oltava pienempi tai yhtä suuri kuin odottava arvomäärä {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"sanat näkyvät, kun tallennat myyntilaskun" DocType: Lead,Follow Up,Seuranta +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Kustannuskeskus: {0} ei ole olemassa DocType: Item,Is Sales Item,on myyntituote apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,tuoteryhmäpuu apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,"Nimikkeelle {0} ei määritetty sarjanumeroita, täppää tuote työkalu" @@ -3197,9 +3243,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,yksikkömäärä toimitettu DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Hankintapyyntönimike -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Peruuta ostotilaus {0} ensin apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,tuoteryhmien puu DocType: Production Plan,Total Produced Qty,Kokonaistuotanto +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Ei arvosteluja vielä apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,"rivi ei voi viitata nykyistä suurempaan tai nykyisen rivin numeroon, vaihda maksun tyyppiä" DocType: Asset,Sold,Myyty ,Item-wise Purchase History,Nimikkeen ostohistoria @@ -3218,7 +3264,7 @@ DocType: Designation,Required Skills,Vaadittavat taidot DocType: Inpatient Record,O Positive,O Positiivinen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,sijoitukset DocType: Issue,Resolution Details,Ratkaisun lisätiedot -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Maksutavan tyyppi +DocType: Leave Ledger Entry,Transaction Type,Maksutavan tyyppi DocType: Item Quality Inspection Parameter,Acceptance Criteria,hyväksymiskriteerit apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Syötä hankintapyynnöt yllä olevaan taulukkoon apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Journal Entry ei ole käytettävissä takaisinmaksua @@ -3259,6 +3305,7 @@ DocType: Bank Account,Bank Account No,Pankkitilinumero DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Työntekijöiden verovapautusta koskeva todistus DocType: Patient,Surgical History,Kirurginen historia DocType: Bank Statement Settings Item,Mapped Header,Mapped Header +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: 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 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} @@ -3326,7 +3373,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Lisää kirjelomake DocType: Program Enrollment,Self-Driving Vehicle,Itsestään kulkevaa ajoneuvoa 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Yhteensä myönnetty lehdet {0} ei voi olla pienempi kuin jo hyväksytty lehdet {1} kaudeksi DocType: Contract Fulfilment Checklist,Requirement,Vaatimus DocType: Journal Entry,Accounts Receivable,saatava tilit DocType: Quality Goal,Objectives,tavoitteet @@ -3349,7 +3395,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Yksittäisen tapahtum DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Tämä arvo päivitetään oletusmyyntihinnassa. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Ostoskorisi on tyhjä DocType: Email Digest,New Expenses,Uudet kustannukset -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC-määrä apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Reittiä ei voi optimoida, koska ajurin osoite puuttuu." DocType: Shareholder,Shareholder,osakas DocType: Purchase Invoice,Additional Discount Amount,Lisäalennus @@ -3386,6 +3431,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Huolto Tehtävä apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Aseta B2C-raja GST-asetuksissa. DocType: Marketplace Settings,Marketplace Settings,Marketplace-asetukset DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Hylkyvarasto +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Julkaise {0} tuotetta 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,Pysty löytämään vaihtokurssi {0} ja {1} avaimen päivämäärä {2}. Luo Valuutanvaihto ennätys manuaalisesti DocType: POS Profile,Price List,Hinnasto 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." @@ -3422,6 +3468,7 @@ DocType: Salary Component,Deduction,vähennys DocType: Item,Retain Sample,Säilytä näyte apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Rivi {0}: From Time ja Kellonaikatilaan on pakollista. DocType: Stock Reconciliation Item,Amount Difference,määrä ero +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"Tällä sivulla seurataan kohteita, jotka haluat ostaa myyjiltä." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Nimikkeen '{0}' hinta lisätty hinnastolle '{1}' DocType: Delivery Stop,Order Information,tilaus Informaatio apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Syötä työntekijätunnu tälle myyjälle @@ -3450,6 +3497,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Arviointisuunnitelman nimi apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Kohteen yksityiskohdat apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Sovelletaan, jos yritys on SpA, SApA tai SRL" @@ -3502,7 +3550,6 @@ DocType: Company,Transactions Annual History,Tapahtumien vuosihistoria 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-yllä 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 @@ -3554,6 +3601,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Tulos vuodelle 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 @@ -3607,12 +3655,10 @@ DocType: Supplier Scorecard,Scoring Setup,Pisteytysasetukset apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,elektroniikka 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Yhtiölle ei löytynyt GST-numeroa. 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 DocType: Question,Single Correct Answer,Yksi oikea vastaus -DocType: Employee,Contact Details,"yhteystiedot, lisätiedot" DocType: C-Form,Received Date,Saivat Date DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",Valitse tekemäsi mallipohja myyntiverolle ja maksulle. DocType: BOM Scrap Item,Basic Amount (Company Currency),Basic Summa (Company valuutta) @@ -3642,12 +3688,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM-sivuston Käyttö DocType: Bank Statement Transaction Payment Item,outstanding_amount,Maksamatta oleva määrä DocType: Supplier Scorecard,Supplier Score,Toimittajan pisteytys apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Aikataulu Pääsy +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Maksupyynnön kokonaismäärä ei voi olla suurempi kuin {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kumulatiivinen tapahtumakynnys DocType: Promotional Scheme Price Discount,Discount Type,Alennustyyppi -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,"Kokonaislaskutus, pankkipääte" DocType: Purchase Invoice Item,Is Free Item,On ilmainen tuote +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Prosenttiosuus, jonka saa siirtää enemmän tilattua määrää vastaan. Esimerkki: Jos olet tilannut 100 yksikköä. ja avustuksesi on 10%, sinulla on oikeus siirtää 110 yksikköä." DocType: Supplier,Warn RFQs,Varoittaa pyyntöjä -apps/erpnext/erpnext/templates/pages/home.html,Explore,Tutki +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Tutki DocType: BOM,Conversion Rate,Muuntokurssi apps/erpnext/erpnext/www/all-products/index.html,Product Search,Tuotehaku ,Bank Remittance,Pankkisiirto @@ -3659,6 +3706,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Maksettu kokonaismäärä DocType: Asset,Insurance End Date,Vakuutuksen päättymispäivä apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Valitse opiskelijavaihto, joka on pakollinen opiskelijalle" +DocType: Pick List,STO-PICK-.YYYY.-,STO-pick-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Budjettilista DocType: Campaign,Campaign Schedules,Kampanja-aikataulut DocType: Job Card Time Log,Completed Qty,valmiit yksikkömäärä @@ -3681,6 +3729,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Uusi osoi DocType: Quality Inspection,Sample Size,Näytteen koko apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Anna kuitti asiakirja apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Kaikki nimikkeet on jo laskutettu +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Lehdet otettu apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Määritä kelvollinen "Case No." 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,"lisää kustannuspaikkoja voidaan tehdä kohdassa ryhmät, mutta pelkät merkinnät voi kohdistaa ilman ryhmiä" 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,Jaettujen lomien kokonaismäärä on enemmän päiviä kuin enimmäismäärä {0} lomatyyppiä työntekijälle {1} kaudella @@ -3780,6 +3829,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Sisällytä 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ä DocType: Leave Block List,Allow Users,Salli Käyttäjät DocType: Purchase Order,Customer Mobile No,Matkapuhelin +DocType: Leave Type,Calculated in days,Laskettu päivinä +DocType: Call Log,Received By,Vastaanottaja 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 @@ -3833,6 +3884,7 @@ DocType: Support Search Source,Result Title Field,Tuloksen otsikkokenttä apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Puheluyhteenveto DocType: Sample Collection,Collected Time,Kerätty aika DocType: Employee Skill Map,Employee Skills,Työntekijöiden taidot +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Polttoainekulut DocType: Company,Sales Monthly History,Myynti Kuukausittainen historia apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Aseta ainakin yksi rivi verot ja maksut -taulukkoon DocType: Asset Maintenance Task,Next Due Date,seuraava eräpäivä @@ -3842,6 +3894,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Elonmerki DocType: Payment Entry,Payment Deductions or Loss,Maksu vähennykset tai tappio DocType: Soil Analysis,Soil Analysis Criterias,Maaperän analyysikriteerit apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,"perussopimusehdot, myynti tai osto" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Rivit poistettu {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Aloita sisäänkirjautuminen ennen vuoron alkamisaikaa (minuutteina) DocType: BOM Item,Item operation,Tuoteoperaatio apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,tositteen ryhmä @@ -3867,11 +3920,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Palkka Slip työntekijöiden {0} on jo luotu tällä kaudella apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Lääkealan apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Voit jättää lomakkeen vain kelvollisen kasaamisen summan +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Tuotteet apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,ostettujen tuotteiden kustannukset DocType: Employee Separation,Employee Separation Template,Työntekijöiden erotusmalli DocType: Selling Settings,Sales Order Required,Myyntitilaus vaaditaan apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Ryhdy Myyjäksi -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Tapahtumien lukumäärä, jonka jälkeen seuraus suoritetaan." ,Procurement Tracker,Hankintojen seuranta DocType: Purchase Invoice,Credit To,kredittiin apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC käännetty @@ -3884,6 +3937,7 @@ DocType: Quality Meeting,Agenda,esityslista DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,huoltoaikataulu lisätiedot DocType: Supplier Scorecard,Warn for new Purchase Orders,Varo uusia ostotilauksia DocType: Quality Inspection Reading,Reading 9,Lukema 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Yhdistä Exotel-tilisi ERPNext-palveluun ja seuraa puhelulokit DocType: Supplier,Is Frozen,on jäädytetty DocType: Tally Migration,Processed Files,Käsitellyt tiedostot apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Ryhmä solmu varasto ei saa valita liiketoimien @@ -3893,6 +3947,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM nro valmiille t DocType: Upload Attendance,Attendance To Date,osallistuminen päivään 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ä @@ -3917,7 +3972,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,pyytäjän apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Virheellinen viittaus {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Säännöt erilaisten myynninedistämisjärjestelmien soveltamisesta. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ei voi olla suurempi arvo kuin suunniteltu tuotantomäärä ({2}) tuotannon tilauksessa {3} DocType: Shipping Rule,Shipping Rule Label,Toimitustapa otsikko DocType: Journal Entry Account,Payroll Entry,Palkkasumma apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Katso maksutiedot @@ -3929,6 +3983,7 @@ DocType: Contract,Fulfilment Status,Täytäntöönpanon tila DocType: Lab Test Sample,Lab Test Sample,Lab Test -näyte DocType: Item Variant Settings,Allow Rename Attribute Value,Salli Rename attribuutin arvo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Nopea Päiväkirjakirjaus +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Tuleva maksusumma apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"hintaa ei voi muuttaa, jos BOM liitetty johonkin tuotteeseen" DocType: Restaurant,Invoice Series Prefix,Laskujen sarjan etuliite DocType: Employee,Previous Work Experience,Edellinen Työkokemus @@ -3958,6 +4013,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Projektin tila DocType: UOM,Check this to disallow fractions. (for Nos),täppää ellet halua murtolukuja (Nos:iin) DocType: Student Admission Program,Naming Series (for Student Applicant),Nimeäminen Series (opiskelija Hakija) +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/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 @@ -3973,6 +4029,7 @@ DocType: Fiscal Year,Year End Date,Vuoden viimeinen päivä DocType: Task Depends On,Task Depends On,Tehtävä riippuu apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Myyntimahdollisuus DocType: Options,Option,Vaihtoehto +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Tilinpätöksiä ei voi luoda suljetulla tilikaudella {0} DocType: Operation,Default Workstation,oletus työpiste DocType: Payment Entry,Deductions or Loss,Vähennykset tai Loss apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} on suljettu @@ -3981,6 +4038,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,hae nykyinen varasto DocType: Purchase Invoice,ineligible,tukikelpoisia apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Osaluettelorakenne +DocType: BOM,Exploded Items,Räjähtäneet esineet DocType: Student,Joining Date,liittyminen Date ,Employees working on a holiday,Virallisena lomapäivänä työskentelevät työntekijät ,TDS Computation Summary,TDS-laskentayhdistelmä @@ -4013,6 +4071,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Perushinta (varastoyks DocType: SMS Log,No of Requested SMS,Pyydetyn SMS-viestin numero apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Jätä Ilman Pay ei vastaa hyväksyttyä Leave Application kirjaa apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Seuraavat vaiheet +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Tallennetut kohteet DocType: Travel Request,Domestic,kotimainen apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Ole hyvä ja toimittaa erityisiin kohtiin on paras mahdollinen hinnat apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Työntekijöiden siirtoa ei voida lähettää ennen siirron ajankohtaa @@ -4065,7 +4124,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Asset Luokka Account apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Arvo {0} on jo määritetty olemassa olevalle tuotteelle {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Rivi # {0} (Maksutaulukko): Määrän on oltava positiivinen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},ei voi valmistaa suurempaa määrää tuotteita {0} kuin myyntitilauksen määrä {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},ei voi valmistaa suurempaa määrää tuotteita {0} kuin myyntitilauksen määrä {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Mikään ei sisälly bruttoarvoon apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill on jo olemassa tälle asiakirjalle apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Valitse attribuuttiarvot @@ -4100,12 +4159,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Ota käyttöön erilainen seuraus varhaisesta poistumisesta ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Työntekijän etuuskohtelu 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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Ensin lähete DocType: Student Applicant,Application Date,Hakupäivämäärä DocType: Salary Component,Amount based on formula,Laskettu määrä kaavan DocType: Purchase Invoice,Currency and Price List,Valuutta ja hinnasto @@ -4134,6 +4191,7 @@ DocType: Purchase Receipt,Time at which materials were received,Saapumisaika DocType: Products Settings,Products per Page,Tuotteet per sivu 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ä apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Jaettu määrä ei voi olla negatiivinen DocType: Sales Order,Billing Status,Laskutus tila apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Ilmoita ongelma @@ -4143,6 +4201,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90 ja yli 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,Rivi # {0}: Päiväkirjakirjaus {1} ei ole huomioon {2} tai jo sovitettu toista voucher DocType: Supplier Scorecard Criteria,Criteria Weight,Kriteerit Paino +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Tili: {0} ei ole sallittu maksamisen yhteydessä DocType: Production Plan,Ignore Existing Projected Quantity,Ohita olemassa oleva ennakoitu määrä apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Jätä hyväksyntäilmoitus DocType: Buying Settings,Default Buying Price List,Ostohinnasto (oletus) @@ -4151,6 +4210,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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" DocType: Payment Entry,Payment Type,Maksun tyyppi apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Valitse Erä momentille {0}. Pysty löytämään yhden erän, joka täyttää tämän vaatimuksen" @@ -4179,6 +4239,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Ostoskoritoiminnon asetuk DocType: Journal Entry,Accounting Entries,"kirjanpito, kirjaukset" 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." +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: Journal Entry,Paid Loan,Maksettu laina 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ä @@ -4195,12 +4256,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks-tiedot apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Ei aikaa arkkia DocType: GoCardless Mandate,GoCardless Customer,GoCardless-asiakas apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} -tyyppistä vapaata ei voi siirtää eteenpäin +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Tuotekoodi> Tuoteryhmä> Tuotemerkki apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"huoltuaikataulua ei ole luotu kaikille tuotteille, klikkaa ""muodosta aikataulu""" ,To Produce,Tuotantoon DocType: Leave Encashment,Payroll,Palkanmaksu 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","riviin {0}:ssa {1} sisällytä {2} tuotetasolle, rivit {3} tulee myös sisällyttää" DocType: Healthcare Service Unit,Parent Service Unit,Vanhempien huoltoyksikkö DocType: Packing Slip,Identification of the package for the delivery (for print),pakkauksen tunnistus toimitukseen (tulostus) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Palvelutasosopimus palautettiin. DocType: Bin,Reserved Quantity,Varattu Määrä apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Anna voimassa oleva sähköpostiosoite DocType: Volunteer Skill,Volunteer Skill,Vapaaehtoinen taito @@ -4221,7 +4284,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Hinta tai tuote-alennus apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Rivi {0}: Syötä suunniteltu määrä DocType: Account,Income Account,tulotili -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Asiakas> Asiakasryhmä> Alue DocType: Payment Request,Amount in customer's currency,Summa asiakkaan valuutassa apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Toimitus apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Määritetään rakenteita ... @@ -4244,6 +4306,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Menetät aiemmin luotujen laskujen tiedot. Haluatko varmasti aloittaa tämän tilauksen uudelleen? @@ -4299,11 +4362,10 @@ DocType: Additional Salary,HR User,HR käyttäjä DocType: Bank Guarantee,Reference Document Name,Viiteasiakirjan nimi DocType: Purchase Invoice,Taxes and Charges Deducted,Netto ilman veroja ja kuluja DocType: Support Settings,Issues,Tukipyynnöt -DocType: Shift Type,Early Exit Consequence after,Varhaisen poistumisen seuraus DocType: Loyalty Program,Loyalty Program Name,Kanta-asiakasohjelman nimi apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Tilan tulee olla yksi {0}:sta apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Muistutus GSTIN-lähetyksen päivittämiseksi -DocType: Sales Invoice,Debit To,debet kirjaus kohteeseen +DocType: Discounted Invoice,Debit To,debet kirjaus kohteeseen DocType: Restaurant Menu Item,Restaurant Menu Item,Ravintola-valikkokohta DocType: Delivery Note,Required only for sample item.,vain demoerä on pyydetty DocType: Stock Ledger Entry,Actual Qty After Transaction,todellinen yksikkömäärä tapahtuman jälkeen @@ -4386,6 +4448,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Parametrin nimi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Vain Jätä Sovellukset tilassa 'Hyväksytty' ja 'Hylätty "voi jättää apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Luodaan ulottuvuuksia ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Opiskelija Ryhmän nimi on pakollinen rivin {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Ohita luottolimiitti DocType: Homepage,Products to be shown on website homepage,Verkkosivuston etusivulla näytettävät tuotteet DocType: HR Settings,Password Policy,Salasanakäytäntö apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Tämä on perusasiakasryhmä joka ei ole muokattavissa. @@ -4432,10 +4495,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),mik apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Aseta oletusasiakas ravintolaasetuksissa ,Salary Register,Palkka Register DocType: Company,Default warehouse for Sales Return,Oletusvarasto myynnin palautusta varten -DocType: Warehouse,Parent Warehouse,Päävarasto +DocType: Pick List,Parent Warehouse,Päävarasto DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Määritä eri laina tyypit DocType: Bin,FCFS Rate,FCFS taso @@ -4472,6 +4535,7 @@ DocType: Travel Itinerary,Lodging Required,Majoitus vaaditaan DocType: Promotional Scheme,Price Discount Slabs,Hintaalennuslaatat DocType: Stock Reconciliation Item,Current Serial No,Nykyinen sarjanumero DocType: Employee,Attendance and Leave Details,Läsnäolo ja loma-tiedot +,BOM Comparison Tool,BOM-vertailutyökalu ,Requested,Pyydetty apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Ei huomautuksia DocType: Asset,In Maintenance,Huollossa @@ -4494,6 +4558,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Oletuspalvelutasosopimus DocType: SG Creation Tool Course,Course Code,Course koodi apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Useampi kuin {0} valinta ei ole sallittu +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Raaka-aineiden määrä päätetään Valmistuotteiden määrän perusteella DocType: Location,Parent Location,Vanhempien sijainti DocType: POS Settings,Use POS in Offline Mode,Käytä POS Offline-tilassa apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prioriteetti on muutettu arvoksi {0}. @@ -4512,7 +4577,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Näytteen säilytysvarasto DocType: Company,Default Receivable Account,oletus saatava tili apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Suunniteltu määrän kaava DocType: Sales Invoice,Deemed Export,Katsottu vienti -DocType: Stock Entry,Material Transfer for Manufacture,Varastosiirto tuotantoon +DocType: Pick List,Material Transfer for Manufacture,Varastosiirto tuotantoon 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.,"alennusprosenttia voi soveltaa yhteen, tai useampaan hinnastoon" apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Kirjanpidon varastotapahtuma DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4555,7 +4620,6 @@ DocType: Training Event,Theory,Teoria apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Varoitus: Pyydetty materiaalin määrä alittaa minimi hankintaerän apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,tili {0} on jäädytetty DocType: Quiz Question,Quiz Question,Tietokilpailu -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Toimittaja> Toimittajan tyyppi 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" @@ -4586,6 +4650,7 @@ 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 DocType: Account,Expense Account,Kustannustili apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Ohjelmisto apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,väritä @@ -4623,6 +4688,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,hallitse myyntikum 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 DocType: Fee Validity,Visited yet,Käyn vielä +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Voit esitellä jopa 8 kohdetta. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Varastoissa nykyisten tapahtumaa ei voida muuntaa ryhmään. 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. @@ -4630,7 +4696,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,räjäytetyt_tuotteet 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 @@ -4655,7 +4720,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM-muunnos tunnis DocType: Contract,Signee Details,Signeen tiedot apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} on tällä hetkellä {1} toimittajatietokortin seisominen, ja tämän toimittajan pyynnöstä tulisi antaa varovaisuus." DocType: Certified Consultant,Non Profit Manager,Non Profit Manager -DocType: BOM,Total Cost(Company Currency),Kokonaiskustannukset (Company valuutta) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Luotu sarjanumero {0} DocType: Homepage,Company Description for website homepage,Verkkosivuston etusivulle sijoitettava yrityksen kuvaus DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",voit tulostaa nämä koodit tulostusmuodoissa asiakirjoihin kuten laskut ja lähetteet asiakkaiden työn helpottamiseksi @@ -4683,7 +4747,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Saapumist DocType: Amazon MWS Settings,Enable Scheduled Synch,Ota aikataulutettu synkronointi käyttöön apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Aikajana apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Lokit ylläpitämiseksi sms toimituksen tila -DocType: Shift Type,Early Exit Consequence,Varhaisen poistumisen seuraus DocType: Accounts Settings,Make Payment via Journal Entry,Tee Maksu Päiväkirjakirjaus apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Älä luo enempää kuin 500 tuotetta kerrallaan apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,painettu @@ -4740,6 +4803,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Raja ylitetty 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 +DocType: Plaid Settings,Plaid Secret,Ruudullinen salaisuus DocType: Company,Date of Establishment,Perustuspäivä apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Pääomasijoitus apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Lukukaudessa tällä "Lukuvuosi {0} ja" Term Name '{1} on jo olemassa. Ole hyvä ja muokata näitä merkintöjä ja yritä uudelleen. @@ -4801,6 +4865,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,asiakastyyppi DocType: Compensatory Leave Request,Leave Allocation,Vapaan kohdistus DocType: Payment Request,Recipient Message And Payment Details,Vastaanottaja Message ja maksutiedot +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Ole hyvä ja valitse lähetys DocType: Support Search Source,Source DocType,Lähde DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Avaa uusi lippu DocType: Training Event,Trainer Email,Trainer Sähköposti @@ -4921,6 +4986,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',Aloituspäivän tulee olla ennen päättymispäivää apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Tälle nimikkeelle ei löytynyt henkilöstösuunnitelmia apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,{1} erä {0} on poistettu käytöstä. @@ -4942,7 +5008,7 @@ DocType: Clinical Procedure,Patient,potilas apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Ohita luottotarkastus myyntitilauksesta DocType: Employee Onboarding Activity,Employee Onboarding Activity,Työntekijän tukipalvelut DocType: Location,Check if it is a hydroponic unit,"Tarkista, onko se hydroponic yksikkö" -DocType: Stock Reconciliation Item,Serial No and Batch,Sarjanumero ja erä +DocType: Pick List Item,Serial No and Batch,Sarjanumero ja erä DocType: Warranty Claim,From Company,Yrityksestä DocType: GSTR 3B Report,January,tammikuu apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summa Kymmeniä Arviointikriteerit on oltava {0}. @@ -4966,7 +5032,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Alennus 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Ei {0} löytyi Inter Company -tapahtumista. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit tilin on oltava tase tili @@ -4999,11 +5064,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kustannuskes 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,jäljellä oleva DocType: Appraisal,Appraisal,Arvioinnit DocType: Loan,Loan Account,Laina-tili apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Voimassa olevat ja voimassa olevat upto-kentät ovat pakollisia kumulatiiviselle +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",Tuotteen {0} rivillä {1} sarjanumeroiden lukumäärä ei vastaa valittua määrää DocType: Purchase Invoice,GST Details,GST-tiedot apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Tämä perustuu liiketoimiin tätä terveydenhuollon ammattilaista vastaan. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Sähköposti lähetetään toimittaja {0} @@ -5067,6 +5134,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),"Pakkauksen bruttopaino, yleensä tuotteen nettopaino + pakkausmateriaalin paino (tulostukseen)" DocType: Assessment Plan,Program,Ohjelmoida DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Roolin omaavat käyttäjät voivat jäädyttää tilejä, sekä luoda ja muokata kirjanpidon kirjauksia jäädytettyillä tileillä" +DocType: Plaid Settings,Plaid Environment,Plaid Ympäristö ,Project Billing Summary,Projektin laskutusyhteenveto DocType: Vital Signs,Cuts,leikkaukset DocType: Serial No,Is Cancelled,on peruutettu @@ -5128,7 +5196,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,huom: järjestelmä ei tarkista ylitoimitusta tai tuotteen ylivarausta {0} yksikkömääränä tai arvomäärän ollessa 0 DocType: Issue,Opening Date,Opening Date apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Tallenna potilas ensin -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Luo uusi yhteyshenkilö apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Läsnäolo on merkitty onnistuneesti. DocType: Program Enrollment,Public Transport,Julkinen liikenne DocType: Sales Invoice,GST Vehicle Type,GST-ajoneuvotyyppi @@ -5154,6 +5221,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Laskut esil DocType: POS Profile,Write Off Account,Poistotili DocType: Patient Appointment,Get prescribed procedures,Hanki määrätyt toimenpiteet DocType: Sales Invoice,Redemption Account,Lunastustili +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Lisää ensin kohteita Kohteiden sijainti -taulukkoon DocType: Pricing Rule,Discount Amount,alennus arvomäärä DocType: Pricing Rule,Period Settings,Kauden asetukset DocType: Purchase Invoice,Return Against Purchase Invoice,"ostolasku, palautuksen kohdistus" @@ -5186,7 +5254,6 @@ DocType: Assessment Plan,Assessment Plan,arviointi Plan DocType: Travel Request,Fully Sponsored,Täysin sponsoroidut apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Reverse Journal Entry apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Luo työkortti -DocType: Shift Type,Consequence after,Seuraus jälkeen DocType: Quality Procedure Process,Process Description,Prosessin kuvaus apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Asiakas {0} luodaan. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,"Tällä hetkellä ei varastossa," @@ -5221,6 +5288,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,tilityspäivä DocType: Delivery Settings,Dispatch Notification Template,Lähetysilmoitusmalli apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Arviointikertomus apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Hanki työntekijät +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 @@ -5314,7 +5382,6 @@ DocType: Stock Settings,Use Naming Series,Käytä nimipalvelusarjaa apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Ei toimintaa apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Arvotyypin maksuja ei voi merkata sisältyviksi DocType: POS Profile,Update Stock,Päivitä varasto -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 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Erilaiset mittayksiköt voivat johtaa virheellisiin (kokonais) painoarvoihin. Varmista, että joka kohdassa käytetään samaa mittayksikköä." DocType: Certification Application,Payment Details,Maksutiedot apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM taso @@ -5349,7 +5416,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Tämä on kantamyyjä eikä niitä voi muokata DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jos valittu, määritetty arvo tai laskettuna tämä komponentti ei edistä tulokseen tai vähennyksiä. Kuitenkin se on arvo voi viitata muista komponenteista, joita voidaan lisätä tai vähentää." -DocType: Asset Settings,Number of Days in Fiscal Year,Tilikauden päivien lukumäärä ,Stock Ledger,Varastokirjanpidon tilikirja DocType: Company,Exchange Gain / Loss Account,valuutanvaihtojen voitto/tappiotili DocType: Amazon MWS Settings,MWS Credentials,MWS-todistukset @@ -5384,6 +5450,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Sarake pankkitiedostossa apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Jätä sovellus {0} on jo olemassa oppilasta vastaan {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Joudut päivittämään viimeisimmän hinnan kaikkiin Bill of Materials -asiakirjoihin. Voi kestää muutaman minuutin. +DocType: Pick List,Get Item Locations,Hanki esineiden sijainnit apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nimi uusi tili. Huomautus: Älä luo asiakastilejä ja Toimittajat DocType: POS Profile,Display Items In Stock,Näytä tuotteet varastossa apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,"maa työkalu, oletus osoite, mallipohja" @@ -5407,6 +5474,7 @@ DocType: Crop,Materials Required,Vaaditut materiaalit apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Ei opiskelijat Todettu DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Kuukausittainen HRA-vapautus DocType: Clinical Procedure,Medical Department,Lääketieteen osasto +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Varhaiset irtautumiset yhteensä DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Toimittajan tuloskortin pisteytyskriteerit apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Laskun tositepäivä apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Myydä @@ -5418,11 +5486,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Poista työntekijä {0} \ peruuttaaksesi tämän asiakirjan" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Ylläpitosopimus ei ole voimassa DocType: Opportunity,Opportunity Amount,Mahdollisuusmäärä +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Profiilisi apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Määrä Poistot varatut ei voi olla suurempi kuin kokonaismäärä Poistot DocType: Purchase Order,Order Confirmation Date,Tilauksen vahvistuspäivä DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5516,7 +5583,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Ristiriitojen välillä on ristiriita, osakkeiden lukumäärä ja laskettu määrä" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Et ole läsnä koko päivän täydennyslomapäivien välillä apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Kirjoita yrityksen nimi uudelleen vahvistukseksi -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,"odottaa, pankkipääte yhteensä" DocType: Journal Entry,Printing Settings,Tulostusasetukset DocType: Payment Order,Payment Order Type,Maksumääräyksen tyyppi DocType: Employee Advance,Advance Account,Ennakkomaksu @@ -5605,7 +5671,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Vuoden nimi apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Tässä kuussa ei ole lomapäiviä työpäivinä apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Seuraavat kohteet {0} ei ole merkitty {1}: ksi. Voit ottaa ne {1} -kohteeksi sen Item-masterista -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Tuotepaketin nimike DocType: Sales Partner,Sales Partner Name,Myyntikumppani nimi apps/erpnext/erpnext/hooks.py,Request for Quotations,Pyyntö Lainaukset @@ -5614,19 +5679,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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ä -apps/erpnext/erpnext/config/hr.py,Leaves,lehdet +DocType: Leave Ledger Entry,Leaves,lehdet DocType: Student Language,Student Language,Student Kieli DocType: Cash Flow Mapping,Is Working Capital,On käyttöpääoma apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Lähetä todistus apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Tilaus / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Record potilaan vitals DocType: Fee Schedule,Institution,Instituutio -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: Asset,Partially Depreciated,Osittain poistoja DocType: Issue,Opening Time,Aukeamisaika apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,alkaen- ja päätyen päivä vaaditaan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Arvopaperit & hyödykkeet vaihto -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Puheluyhteenveto lähettäjä {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Dokumenttihaku apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variaation '{0}' oletusyksikkö pitää olla sama kuin mallilla '{1}' DocType: Shipping Rule,Calculate Based On,Laskenta perustuen @@ -5672,6 +5735,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Suurin sallittu arvo 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 DocType: Lab Test Template,Sensitivity,Herkkyys DocType: Plaid Settings,Plaid Settings,Ruudullinen asetukset apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Synkronointi on väliaikaisesti poistettu käytöstä, koska enimmäistarkistus on ylitetty" @@ -5689,6 +5753,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Valitse ensin tositepäivä apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Aukiolopäivä pitäisi olla ennen Tarjouksentekijä DocType: Travel Itinerary,Flight,Lento +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Takaisin kotiin DocType: Leave Control Panel,Carry Forward,siirrä apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,olemassaolevien tapahtumien kustannuspaikkaa ei voi muuttaa tilikirjaksi DocType: Budget,Applicable on booking actual expenses,Voidaan käyttää todellisten kulujen varaamiseen @@ -5744,6 +5809,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,tee tarjous apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Sinulla ei ole lupa hyväksyä lehdet Block Päivämäärät apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Pyyntö {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Kaikki nämä asiat on jo laskutettu +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Kohdelta {0} {1} ei löytynyt jäljellä olevia laskuja, jotka täyttävät määrittämäsi suodattimet." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Aseta uusi julkaisupäivä DocType: Company,Monthly Sales Target,Kuukausittainen myyntiketju apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Ei jäljellä olevia laskuja @@ -5790,6 +5856,7 @@ DocType: Water Analysis,Type of Sample,Näytteen tyyppi DocType: Batch,Source Document Name,Lähde Asiakirjan nimi DocType: Production Plan,Get Raw Materials For Production,Hanki raaka-aineita tuotannolle DocType: Job Opening,Job Title,Työtehtävä +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Tuleva maksu viite apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} ilmoittaa, että {1} ei anna tarjousta, mutta kaikki kohteet on mainittu. RFQ-lainauksen tilan päivittäminen." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Suurin näytteitä - {0} on jo säilytetty erää {1} ja erää {2} erää {3} varten. @@ -5800,12 +5867,10 @@ 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: Company,Product Code,Tuotekoodi DocType: Quality Review Table,Objective,Tavoite DocType: Supplier Scorecard,Per Month,Kuukaudessa DocType: Education Settings,Make Academic Term Mandatory,Tee akateeminen termi pakolliseksi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Määrä Valmistus on oltava suurempi kuin 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,"Laske tasapoisto, joka perustuu tilikauteen" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Määrä Valmistus on oltava suurempi kuin 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Käyntiraportti huoltopyynnöille DocType: Stock Entry,Update Rate and Availability,Päivitä määrä ja saatavuus 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.,"Vastaanoton tai toimituksen prosenttiosuus on liian suuri suhteessa tilausmäärään, esim: mikäli 100 yksikköä on tilattu sallittu ylitys on 10% niin sallittu määrä on 110 yksikköä" @@ -5816,7 +5881,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Julkaisupäivän on oltava tulevaisuudessa DocType: BOM,Website Description,Verkkosivuston kuvaus apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Nettomuutos Equity -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Peru ostolasku {0} ensin apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Ei sallittu. Katkaise huoltoyksikön tyyppi käytöstä apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Sähköpostiosoite täytyy olla yksilöllinen, on jo olemassa {0}" DocType: Serial No,AMC Expiry Date,Ylläpidon umpeutumispäivä @@ -5860,6 +5924,7 @@ DocType: Pricing Rule,Price Discount Scheme,Hintaalennusjärjestelmä apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Huoltotila on peruutettava tai tehtävä lähetettäväksi DocType: Amazon MWS Settings,US,MEILLE DocType: Holiday List,Add Weekly Holidays,Lisää viikonloppu +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Raportoi esine DocType: Staffing Plan Detail,Vacancies,Työpaikkailmoitukset DocType: Hotel Room,Hotel Room,Hotellihuone apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Tili {0} ei kuulu yritykselle {1} @@ -5911,12 +5976,15 @@ DocType: Email Digest,Open Quotations,Avaa tarjouspyynnöt 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Poista työntekijä {0} \ peruuttaaksesi tämän asiakirjan" 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 @@ -5930,6 +5998,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,vapaa DocType: Patient,Alcohol Past Use,Alkoholin aiempi käyttö DocType: Fertilizer Content,Fertilizer Content,Lannoitteen sisältö +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Ei kuvausta apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Laskutus valtion DocType: Quality Goal,Monitoring Frequency,Monitorointitaajuus @@ -5947,6 +6016,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Päättyy Päivämäärä ei voi olla ennen Seuraava Yhteyspäivä. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Erämerkinnät DocType: Journal Entry,Pay To / Recd From,Pay To / RECD Mistä +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Poista julkaisun julkaisu DocType: Naming Series,Setup Series,Sarjojen määritys DocType: Payment Reconciliation,To Invoice Date,Laskun päivämäärä DocType: Bank Account,Contact HTML,"yhteystiedot, HTML" @@ -5968,6 +6038,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Vähittäiskauppa DocType: Student Attendance,Absent,puuttua DocType: Staffing Plan,Staffing Plan Detail,Henkilöstösuunnitelma DocType: Employee Promotion,Promotion Date,Kampanjan päivämäärä +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Loman varaus% s liittyy lomahakemukseen% s 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} @@ -6002,9 +6073,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Lasku {0} ei ole enää olemassa DocType: Guardian Interest,Guardian Interest,Guardian Interest DocType: Volunteer,Availability,Saatavuus +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Lomahakemus liittyy lomamäärärahoihin {0}. Lomahakemusta ei voida asettaa lomattomaksi apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS laskujen oletusarvot DocType: Employee Training,Training,koulutus DocType: Project,Time to send,Aika lähettää +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Tällä sivulla seurataan kohteitasi, joista ostajat ovat osoittaneet kiinnostusta." DocType: Timesheet,Employee Detail,työntekijän Detail 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 @@ -6100,12 +6173,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Opening Arvo DocType: Salary Component,Formula,Kaava apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Sarja # -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: 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/setup/doctype/company/company.py,Sales Account,Myynti tili DocType: Purchase Invoice Item,Total Weight,Kokonaispaino +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}" @@ -6129,6 +6202,7 @@ DocType: Company,Default Employee Advance Account,Työntekijän ennakkotili apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Etsi kohde (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,tilin tapahtumaa ei voi poistaa +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Miksi tämä kohta pitäisi poistaa? DocType: Vehicle,Last Carbon Check,Viimeksi Carbon Tarkista apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Juridiset kustannukset apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Valitse määrä rivillä @@ -6148,6 +6222,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,hajoitus DocType: Travel Itinerary,Vegetarian,Kasvissyöjä DocType: Patient Encounter,Encounter Date,Kohtaamispäivä +DocType: Work Order,Update Consumed Material Cost In Project,Päivitä projektin kuluneet materiaalikustannukset apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Tili: {0} kanssa valuutta: {1} ei voi valita DocType: Bank Statement Transaction Settings Item,Bank Data,Pankkitiedot DocType: Purchase Receipt Item,Sample Quantity,Näytteen määrä @@ -6202,7 +6277,7 @@ DocType: GSTR 3B Report,April,huhtikuu 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ä -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,huom: tuote {0} kirjattu useampia kertoja +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,huom: tuote {0} kirjattu useampia kertoja apps/erpnext/erpnext/config/buying.py,All Contacts.,kaikki yhteystiedot DocType: Accounting Period,Closed Documents,Suljetut asiakirjat DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Hallitse nimittämislaskun lähetä ja peruuta automaattisesti potilaskokoukselle @@ -6284,9 +6359,7 @@ DocType: Member,Membership Type,Jäsenyystyyppi ,Reqd By Date,Reqd Päivämäärä apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,luotonantajat DocType: Assessment Plan,Assessment Name,arviointi Name -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Näytä PDC Printissa apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Rivi # {0}: Sarjanumero on pakollinen -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Kohdelta {0} {1} ei löytynyt jäljellä olevia laskuja. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,"tuote työkalu, verotiedot" DocType: Employee Onboarding,Job Offer,Työtarjous apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute lyhenne @@ -6344,6 +6417,7 @@ DocType: Serial No,Out of Warranty,Out of Takuu DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Kartoitetun tietotyypin DocType: BOM Update Tool,Replace,Vaihda apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Ei löytynyt tuotteita. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Julkaise lisää kohteita apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Tämä palvelutasosopimus on erityinen asiakkaalle {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} myyntilaskua vastaan {1} DocType: Antibiotic,Laboratory User,Laboratoriokäyttäjä @@ -6366,7 +6440,6 @@ DocType: Payment Order Reference,Bank Account Details,Pankkitilin tiedot DocType: Purchase Order Item,Blanket Order,Peittojärjestys 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" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Tuotanto tilaa on {0} DocType: BOM Item,BOM No,BOM nro 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 @@ -6439,6 +6512,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Ulkomailla verotettavat tavarat (nolla) DocType: BOM,Materials Required (Exploded),Materiaalitarve (avattu) 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/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 @@ -6496,7 +6570,6 @@ DocType: Pricing Rule,Same Item,Sama tuote DocType: Stock Ledger Entry,Stock Ledger Entry,Varastokirjanpidon tilikirjaus DocType: Quality Action Resolution,Quality Action Resolution,Laadunvarmistus apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} puolen päivän lomalla {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Sama viesti on tullut useita kertoja DocType: Department,Leave Block List,Estoluettelo DocType: Purchase Invoice,Tax ID,Tax ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,"tuotteella {0} ei ole määritettyä sarjanumeroa, sarake on tyhjä" @@ -6534,7 +6607,7 @@ 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 DocType: Purchase Invoice,Return,paluu -DocType: Accounting Dimension,Disable,poista käytöstä +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 DocType: Task,Pending Review,Odottaa näkymä apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Muokkaa koko sivulta lisää vaihtoehtoja, kuten varat, sarjanumerot, erät jne." @@ -6647,7 +6720,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Yhdistetyn laskutusosan on oltava 100% DocType: Item Default,Default Expense Account,Oletus kustannustili DocType: GST Account,CGST Account,CGST-tili -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Tuotekoodi> Tuoteryhmä> Tuotemerkki apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Opiskelijan Sähköposti ID DocType: Employee,Notice (days),Ilmoitus (päivää) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS-vetoilmoituslaskut @@ -6658,6 +6730,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Valitse kohteita tallentaa laskun DocType: Employee,Encashment Date,perintä päivä DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Myyjän tiedot DocType: Special Test Template,Special Test Template,Erityinen testausmalli DocType: Account,Stock Adjustment,Varastonsäätö apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},oletus aktiviteettikustannus aktiviteetin tyypille - {0} @@ -6669,7 +6742,6 @@ 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 -DocType: Company,Bank Remittance Settings,Pankkisiirtoasetukset apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Keskimääräinen hinta 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 @@ -6703,6 +6775,7 @@ DocType: Grading Scale Interval,Threshold,kynnys apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Suodata työntekijät (valinnainen) DocType: BOM Update Tool,Current BOM,nykyinen BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Saldo (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Määrä valmiita tavaroita apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Lisää sarjanumero DocType: Work Order Item,Available Qty at Source Warehouse,Available Kpl lähdeverolakia Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Takuu @@ -6781,7 +6854,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","tässä voit ylläpitää terveystietoja, pituus, paino, allergiat, lääkkeet jne" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Luodaan tilejä ... DocType: Leave Block List,Applies to Company,koskee yritystä -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Ei voi perua. Vahvistettu varastotapahtuma {0} on olemassa. +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Ei voi perua. Vahvistettu varastotapahtuma {0} on olemassa. DocType: Loan,Disbursement Date,maksupäivä DocType: Service Level Agreement,Agreement Details,Sopimuksen yksityiskohdat apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Sopimuksen alkamispäivä ei voi olla suurempi tai yhtä suuri kuin lopetuspäivä. @@ -6790,6 +6863,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Sairauskertomus DocType: Vehicle,Vehicle,ajoneuvo DocType: Purchase Invoice,In Words,sanat +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Tähän mennessä on oltava ennen päivämäärää apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Anna pankin tai lainanottajan nimi ennen lähettämistä. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} on toimitettava DocType: POS Profile,Item Groups,Kohta Ryhmät @@ -6861,7 +6935,6 @@ DocType: Customer,Sales Team Details,Myyntitiimin lisätiedot apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,poista pysyvästi? DocType: Expense Claim,Total Claimed Amount,Vaatimukset arvomäärä yhteensä apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Myynnin potentiaalisia tilaisuuksia -DocType: Plaid Settings,Link a new bank account,Yhdistä uusi pankkitili apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} on virheellinen osallistumistila. DocType: Shareholder,Folio no.,Folio no. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Virheellinen {0} @@ -6877,7 +6950,6 @@ DocType: Production Plan,Material Requested,Pyydetty materiaali DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Varattu määrä alihankintana DocType: Patient Service Unit,Patinet Service Unit,Patinetin huoltoyksikkö -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Luo tekstitiedosto DocType: Sales Invoice,Base Change Amount (Company Currency),Base Muuta Summa (Company valuutta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,ei kirjanpidon kirjauksia seuraaviin varastoihin apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Tuotetta {1} on varastossa vain {0} @@ -6891,6 +6963,7 @@ DocType: Item,No of Months,Kuukausien määrä DocType: Item,Max Discount (%),Max Alennus (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Luottopäivät eivät voi olla negatiivinen luku apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Lataa lausunto +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Ilmoita asiasta DocType: Purchase Invoice Item,Service Stop Date,Palvelun pysäytyspäivä apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Viimeisen tilauksen arvo DocType: Cash Flow Mapper,e.g Adjustments for:,esim. Säätö: @@ -6984,16 +7057,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Työntekijöiden verovapautusluokka apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Määrä ei saa olla pienempi kuin nolla. DocType: Sales Invoice,C-Form Applicable,C-muotoa sovelletaan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Toiminta-aika on oltava suurempi kuin 0 Toiminta {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Toiminta-aika on oltava suurempi kuin 0 Toiminta {0} DocType: Support Search Source,Post Route String,Lähetä Reitti-merkkijono apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Varasto on pakollinen apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Sivuston luominen epäonnistui DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Mittayksikön muunnon lisätiedot apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Sisäänpääsy ja ilmoittautuminen -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Jäljellä oleva säilytysvarastokirjaus tai näytemäärää ei ole toimitettu +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Jäljellä oleva säilytysvarastokirjaus tai näytemäärää ei ole toimitettu DocType: Program,Program Abbreviation,Ohjelma lyhenne -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Tuotannon tilausta ei voi kohdistaa tuotteen mallipohjaan apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Ryhmä: tosite (konsolidoitu) DocType: HR Settings,Encrypt Salary Slips in Emails,Salaa palkkalaskut sähköpostissa DocType: Question,Multiple Correct Answer,Useita oikeita vastauksia @@ -7040,7 +7112,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Ei ole luokiteltu tai va DocType: Employee,Educational Qualification,koulutusksen arviointi DocType: Workstation,Operating Costs,Käyttökustannukset apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Valuutta {0} on {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Maahantuloarvoajan seuraus DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Merkitse tälle vuorolle osoitettujen työntekijöiden läsnäolo 'Employee Checkin' -kohdan perusteella. DocType: Asset,Disposal Date,hävittäminen Date DocType: Service Level,Response and Resoution Time,Vaste- ja uudelleenlähtöaika @@ -7088,6 +7159,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,katselmus päivä DocType: Purchase Invoice Item,Amount (Company Currency),Määrä (yrityksen valuutassa) DocType: Program,Is Featured,On esillä +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Haetaan ... DocType: Agriculture Analysis Criteria,Agriculture User,Maatalous-käyttäjä apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Voimassa oleva päivämäärä ei voi olla ennen tapahtumapäivää apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} yksikköä {1} tarvitaan {2} on {3} {4} varten {5} tapahtuman suorittamiseen. @@ -7120,7 +7192,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Maksettu yhteensä 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 @@ -7144,6 +7215,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,anonyymi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Saadut DocType: Lead,Converted,muunnettu DocType: Item,Has Serial No,Käytä sarjanumeroita +DocType: Stock Entry Detail,PO Supplied Item,PO toimitettu tuote 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} @@ -7258,7 +7330,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synkronoi verot ja maksut 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Oletus BOM varten {0} ei löytynyt +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ä apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Kosketa kohteita lisätä ne tästä @@ -7292,7 +7364,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,"huolto, päivä" DocType: Purchase Invoice Item,Rejected Serial No,Hylätty sarjanumero apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Vuoden aloituspäivä tai lopetuspäivä on päällekkäinen {0}. Välttämiseksi aseta yritys -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 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Mainitse Lead Name Lead {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},aloituspäivä tulee olla pienempi kuin päättymispäivä tuotteelle {0} DocType: Shift Type,Auto Attendance Settings,Automaattinen osallistumisasetukset @@ -7302,9 +7373,11 @@ DocType: Upload Attendance,Upload Attendance,Tuo osallistumistietoja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM ja valmistusmäärä tarvitaan apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,vanhentumisen skaala 2 DocType: SG Creation Tool Course,Max Strength,max Strength +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Tili {0} on jo olemassa lapsiyrityksessä {1}. Seuraavilla kentillä on erilaisia arvoja, niiden tulisi olla samat:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Esiasetusten asennus DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Ei toimitustiedostoa valittu asiakkaalle {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Rivit lisätty kohtaan {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Työntekijä {0} ei ole enimmäishyvää apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Valitse kohteet toimituspäivän perusteella DocType: Grant Application,Has any past Grant Record,Onko jokin mennyt Grant Record @@ -7348,6 +7421,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Opiskelijan tiedot DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".","Tämä on oletus UOM, jota käytetään tuotteisiin ja myyntitilauksiin. Vaihtoehtoinen UOM on "Nos"." DocType: Purchase Invoice Item,Stock Qty,Stock kpl +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 DocType: Loan,Repayment Period in Months,Takaisinmaksuaika kuukausina @@ -7376,6 +7450,7 @@ DocType: Authorization Rule,Customerwise Discount,asiakaskohtainen alennus apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Tehtävien tuntilomake. DocType: Purchase Invoice,Against Expense Account,Kustannustilin kohdistus apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Asennustosite {0} on jo vahvistettu +DocType: BOM,Raw Material Cost (Company Currency),Raaka-ainekustannukset (yrityksen valuutta) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},"Talojen vuokrat maksetut päivät, jotka ovat päällekkäisiä {0} kanssa" DocType: GSTR 3B Report,October,lokakuu DocType: Bank Reconciliation,Get Payment Entries,Get Payment Merkinnät @@ -7422,15 +7497,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Käytettävä päivämäärä on pakollinen DocType: Request for Quotation,Supplier Detail,Toimittaja Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Virhe kaavassa tai tila: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,laskutettu +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,laskutettu apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kriteerien painojen on oltava jopa 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,osallistuminen apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,varastosta löytyvät DocType: Sales Invoice,Update Billed Amount in Sales Order,Päivitä laskutettu määrä myyntitilauksessa +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Ota yhteyttä myyjään 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"sanat näkyvät, kun tallennat ostotilauksen" @@ -7444,6 +7521,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Hinnasto valvonta. DocType: Task,Review Date,Review Date DocType: BOM,Allow Alternative Item,Salli vaihtoehtoinen kohde +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Ostosetelillä ei ole nimikettä, jolle säilytä näyte." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Laskun kokonaissumma DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Käyttöomaisuuden poistojen sarja (päiväkirja) DocType: Membership,Member Since,Jäsen vuodesta @@ -7453,6 +7531,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,nettosummasta 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},Attribuutin arvo {0} on oltava alueella {1} ja {2} ja lisäyksin {3} kohteelle {4} DocType: Pricing Rule,Product Discount Scheme,Tuotteiden alennusjärjestelmä +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Soittaja ei ole esittänyt asiaa. DocType: Restaurant Reservation,Waitlisted,Jonossa DocType: Employee Tax Exemption Declaration Category,Exemption Category,Poikkeusluokka apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valuuttaa ei voi muuttaa sen jälkeen kun kirjauksia on jo tehty jossain toisessa valuutassa. @@ -7466,7 +7545,6 @@ DocType: Customer Group,Parent Customer Group,Pääasiakasryhmä apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON voidaan luoda vain myyntilaskusta apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Tämän tietokilpailun enimmäisyritykset saavutettu! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,tilaus -DocType: Purchase Invoice,Contact Email,"yhteystiedot, sähköposti" apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Maksun luominen vireillä DocType: Project Template Task,Duration (Days),Kesto (päivinä) DocType: Appraisal Goal,Score Earned,Ansaitut pisteet @@ -7491,7 +7569,6 @@ DocType: Landed Cost Item,Landed Cost Item,"Kohdistetut kustannukset, tuote" 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions",Yhden tapahtuman summa ylittää suurimman sallitun määrän. Luo erillinen maksumääräys jakamalla tapahtumat 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 @@ -7659,6 +7736,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,saata DocType: Quality Inspection Reading,Reading 3,Lukema 3 DocType: Stock Entry,Source Warehouse Address,Lähdealueen osoite DocType: GL Entry,Voucher Type,Tositetyyppi +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Tulevat maksut 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 @@ -7685,6 +7763,7 @@ DocType: Travel Request,Identification Document Number,henkilöllisyystodistukse 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." DocType: Sales Invoice,Customer GSTIN,Asiakas GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Luettelo kentällä havaituista taudeista. Kun se valitaan, se lisää automaattisesti tehtäväluettelon taudin hoitamiseksi" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Tämä on juuri terveydenhuollon palveluyksikkö ja sitä ei voi muokata. DocType: Asset Repair,Repair Status,Korjaustila 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." @@ -7699,6 +7778,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Vaihtotilin summa DocType: QuickBooks Migrator,Connecting to QuickBooks,Yhteyden muodostaminen QuickBooksiin DocType: Exchange Rate Revaluation,Total Gain/Loss,Yhteensä voitto / tappio +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Luo valintaluettelo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rivi {0}: Party / Tili ei vastaa {1} / {2} ja {3} {4} DocType: Employee Promotion,Employee Promotion,Työntekijöiden edistäminen DocType: Maintenance Team Member,Maintenance Team Member,Huoltoryhmän jäsen @@ -7781,6 +7861,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettomaksu ei voi olla negatiivinen @@ -7812,7 +7893,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Laadullinen tavoite DocType: BOM,Item to be manufactured or repacked,tuote joka valmistetaan- tai pakataan uudelleen apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Syntaksivirhe kunto: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Ei asiakasta. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Major / Vapaaehtoinen Aiheet apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Aseta toimittajaryhmä ostosasetuksissa. @@ -7905,8 +7985,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,kredit päivää apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Valitse Potilas saadaksesi Lab Testit DocType: Exotel Settings,Exotel Settings,Exotel-asetukset -DocType: Leave Type,Is Carry Forward,siirretääkö +DocType: Leave Ledger Entry,Is Carry Forward,siirretääkö DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Työtunnit, joiden alapuolella Poissaolot on merkitty. (Nolla pois käytöstä)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Lähetä viesti apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Hae nimikkeet osaluettelolta 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 diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index bcdffbe8cc..f1d10fc624 100644 --- a/erpnext/translations/fr.csv +++ b/erpnext/translations/fr.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Notifier Fournisseur apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Veuillez d’abord sélectionner le Type de Tiers DocType: Item,Customer Items,Articles du clients +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Passifs DocType: Project,Costing and Billing,Coûts et Facturation apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},La devise du compte d'avance doit être la même que la devise de la société {0} DocType: QuickBooks Migrator,Token Endpoint,Point de terminaison de jeton @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Unité de Mesure par Défaut DocType: SMS Center,All Sales Partner Contact,Tous les Contacts de Partenaires Commerciaux DocType: Department,Leave Approvers,Approbateurs de Congés DocType: Employee,Bio / Cover Letter,Bio / Lettre de motivation +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Rechercher des articles ... DocType: Patient Encounter,Investigations,Enquêtes DocType: Restaurant Order Entry,Click Enter To Add,Cliquez sur Entrée pour Ajouter apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Valeur manquante pour le mot de passe, la clé API ou l'URL Shopify" DocType: Employee,Rented,Loué apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Tous les comptes apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,"Impossible de transférer un employé avec le statut ""Parti""" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Un Ordre de Fabrication Arrêté ne peut pas être annulé, remettez le d'abord en marche pour l'annuler" DocType: Vehicle Service,Mileage,Kilométrage apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Voulez-vous vraiment mettre cet actif au rebut ? DocType: Drug Prescription,Update Schedule,Mettre à Jour le Calendrier @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Client DocType: Purchase Receipt Item,Required By,Requis Par DocType: Delivery Note,Return Against Delivery Note,Retour contre Bon de Livraison DocType: Asset Category,Finance Book Detail,Détails du livre comptable +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Toutes les amortissements ont été comptabilisés DocType: Purchase Order,% Billed,% Facturé apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Numéro de paie apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Taux de Change doit être le même que {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Statut d'Expiration d'Article du Lot apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Traite Bancaire DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Nombre total d'entrées en retard DocType: Mode of Payment Account,Mode of Payment Account,Compte du Mode de Paiement apps/erpnext/erpnext/config/healthcare.py,Consultation,Consultation DocType: Accounts Settings,Show Payment Schedule in Print,Afficher le calendrier de paiement dans Imprimer @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,En apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Détails du contact principal apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Tickets ouverts DocType: Production Plan Item,Production Plan Item,Article du Plan de Production +DocType: Leave Ledger Entry,Leave Ledger Entry,Quitter le grand livre 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} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},Le champ {0} est limité à la taille {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Mon DocType: Purchase Invoice Item,Item Weight Details,Détails du poids de l'article DocType: Asset Maintenance Log,Periodicity,Périodicité apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Exercice Fiscal {0} est nécessaire +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Résultat net DocType: Employee Group Table,ERPNext User ID,ID utilisateur ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,La distance minimale entre les rangées de plantes pour une croissance optimale apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Veuillez sélectionner un patient pour obtenir la procédure prescrite @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Liste de prix de vente DocType: Patient,Tobacco Current Use,Consommation actuelle de tabac apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Prix de vente -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Veuillez enregistrer votre document avant d'ajouter un nouveau compte. 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Fond DocType: Exchange Rate Revaluation Account,Gain/Loss,Profit/perte DocType: Crop,Perennial,Vivace DocType: Program,Is Published,Est publié +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Afficher les notes de livraison apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Pour autoriser la facturation excédentaire, mettez à jour "Provision de facturation excédentaire" dans les paramètres de compte ou le poste." DocType: Patient Appointment,Procedure,Procédure DocType: Accounts Settings,Use Custom Cash Flow Format,Utiliser le format de flux de trésorerie personnalisé @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Détails de la politique de congé DocType: BOM,Item Image (if not slideshow),Image de l'Article (si ce n'est diaporama) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Ligne n ° {0}: l'opération {1} n'est pas terminée pour {2} quantité de produits finis dans l'ordre de travail {3}. Veuillez mettre à jour le statut de l'opération via la carte de travail {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} est obligatoire pour générer les paiements, remettez le champ et réessayez." DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarif Horaire / 60) * Temps Réel d’Opération apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ligne {0}: Le Type de Document de Référence doit être soit une Note de Frais soit une Écriture de Journal apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Sélectionner LDM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Rembourser Sur le Nombre de Périodes apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,La quantité à produire ne peut être inférieure à zéro DocType: Stock Entry,Additional Costs,Frais Supplémentaires +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Groupe de clients> Territoire apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Un compte contenant une transaction ne peut pas être converti en groupe DocType: Lead,Product Enquiry,Demande d'Information Produit DocType: Education Settings,Validate Batch for Students in Student Group,Valider le Lot pour les Étudiants en Groupe Étudiant @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Non Diplômé apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Veuillez définir un modèle par défaut pour la notification de statut de congés dans les paramètres RH. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Cible Sur DocType: BOM,Total Cost,Coût Total +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Allocation expirée! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Nombre maximal de congés reportés DocType: Salary Slip,Employee Loan,Prêt Employé DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Envoyer un Email de Demande de Paiement @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Immobi apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Relevé de Compte apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Médicaments DocType: Purchase Invoice Item,Is Fixed Asset,Est Immobilisation +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Afficher les paiements futurs DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-. AAAA.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Ce compte bancaire est déjà synchronisé DocType: Homepage,Homepage Section,Section de la page d'accueil @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Engrais apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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 -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 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Au moins un mode de paiement est nécessaire pour une facture de PDV apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Le numéro de lot est requis pour l'article en lot {0}. DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Poste de facture d'une transaction bancaire @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Sélectionner les Termes et Condi apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Valeur Sortante DocType: Bank Statement Settings Item,Bank Statement Settings Item,Élément de paramétrage du relevé bancaire DocType: Woocommerce Settings,Woocommerce Settings,Paramètres Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Nom de la transaction DocType: Production Plan,Sales Orders,Commandes Clients apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Programme de fidélité multiple trouvé pour le client. Veuillez sélectionner manuellement. DocType: Purchase Taxes and Charges,Valuation,Valorisation @@ -460,6 +468,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Afficher uniquement les clients de ces groupes de clients DocType: Sales Invoice,Is Opening Entry,Est Écriture Ouverte @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Mentionner si le compte débiteur applicable n'est pas standard 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 DocType: Supplier Scorecard,Criteria Setup,Configuration du Critère -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Pour l’Entrepôt est requis avant de Soumettre +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 DocType: Codification Table,Medical Code,Code Médical apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Connectez Amazon avec ERPNext @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Comptes bancaires ajoutés -DocType: Delivery Stop,Contact Name,Nom du Contact +DocType: Call Log,Contact Name,Nom du Contact DocType: Plaid Settings,Synchronize all accounts every hour,Synchroniser tous les comptes toutes les heures DocType: Course Assessment Criteria,Course Assessment Criteria,Critères d'Évaluation du Cours DocType: Pricing Rule Detail,Rule Applied,Règle appliquée @@ -529,7 +539,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Numéro inconnu DocType: Website Filter Field,Website Filter Field,Champ de filtrage de site Web apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Type d'approvisionnement DocType: Material Request Item,Min Order Qty,Qté de Commande Min @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Montant total du capital DocType: Student Guardian,Relation,Relation DocType: Quiz Result,Correct,Correct DocType: Student Guardian,Mother,Mère -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,"S'il vous plaît, ajoutez d'abord les clés d'Apaid valides dans site_config.json" DocType: Restaurant Reservation,Reservation End Time,Heure de fin de la réservation DocType: Crop,Biennial,Biennal ,BOM Variance Report,Rapport de variance par liste de matériaux (LDM) @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Paiement pour {0} {1} ne peut pas être supérieur à Encours {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Paramètres POS hors ligne DocType: Stock Entry Detail,Reference Purchase Receipt,Reçu d'achat de référence DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variante De -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Qté Terminée ne peut pas être supérieure à ""Quantité de Production""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Qté Terminée ne peut pas être supérieure à ""Quantité de Production""" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Période basée sur DocType: Period Closing Voucher,Closing Account Head,Compte de clôture DocType: Employee,External Work History,Historique de Travail Externe apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Erreur de Référence Circulaire apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Carte d'étudiant apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Code postal (Origine) +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Afficher le vendeur DocType: Appointment Type,Is Inpatient,Est hospitalisé apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nom du Tuteur 1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,En Toutes Lettres (Exportation) Sera visible une fois que vous enregistrerez le Bon de Livraison. @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Nom de la dimension apps/erpnext/erpnext/healthcare/setup.py,Resistant,Résistant apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Veuillez définir le tarif de la chambre d'hôtel le {} +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: Journal Entry,Multi Currency,Multi-Devise DocType: Bank Statement Transaction Invoice Item,Invoice Type,Type de Facture apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,La date de début de validité doit être inférieure à la date de validité @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Admis DocType: Workstation,Rent Cost,Coût de la Location 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Prochains Événements du Calendrier apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Attributs Variant @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Appel d'Offre 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Afficher le vendeur en impression 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 @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Créer un nouveau Client apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Expirera le apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si plusieurs Règles de Prix continuent de prévaloir, les utilisateurs sont invités à définir manuellement la priorité pour résoudre les conflits." -DocType: Purchase Invoice,Scan Barcode,Scan Code Barre apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Créer des Commandes d'Achat ,Purchase Register,Registre des Achats apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Patient non trouvé @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Partenaire de Canal DocType: Account,Old Parent,Grand Parent apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Champ Obligatoire - Année Académique apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} n'est pas associé à {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Composante Salariale pour la rémunération basée sur la feuille de temps DocType: Driver,Applicable for external driver,Applicable pour pilote externe DocType: Sales Order Item,Used for Production Plan,Utilisé pour Plan de Production +DocType: BOM,Total Cost (Company Currency),Coût total (devise de l'entreprise) DocType: Loan,Total Payment,Paiement Total apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Impossible d'annuler la transaction lorsque l'ordre de travail est terminé. DocType: Manufacturing Settings,Time Between Operations (in mins),Temps entre les opérations (en min) @@ -876,6 +889,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Notifier Autre DocType: Vital Signs,Blood Pressure (systolic),Pression Artérielle (Systolique) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} est {2} DocType: Item Price,Valid Upto,Valide Jusqu'au +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. @@ -893,6 +907,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Changements dans {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Veuillez sélectionner une Société DocType: Employee Skill,Employee Skill,Compétence de l'employé apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Compte d’Écart @@ -936,6 +951,7 @@ DocType: Patient,Risk Factors,Facteurs de Risque DocType: Patient,Occupational Hazards and Environmental Factors,Dangers Professionnels et Facteurs Environnementaux apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Ecritures de stock déjà créées pour l'ordre de travail apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Voir les commandes passées +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} conversations DocType: Vital Signs,Respiratory rate,Fréquence Respiratoire apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Gestion de la Sous-traitance DocType: Vital Signs,Body Temperature,Température Corporelle @@ -977,6 +993,7 @@ DocType: Purchase Invoice,Registered Composition,Composition enregistrée apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Bonjour apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Déplacer l'Article DocType: Employee Incentive,Incentive Amount,Montant de l'intéressement +,Employee Leave Balance Summary,Sommaire du solde des congés des employés DocType: Serial No,Warranty Period (Days),Période de Garantie (Jours) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Le montant total du crédit / débit doit être le même que dans l'écriture de journal liée DocType: Installation Note Item,Installation Note Item,Article Remarque d'Installation @@ -990,6 +1007,7 @@ DocType: Vital Signs,Bloated,Gonflé DocType: Salary Slip,Salary Slip Timesheet,Feuille de Temps de la Fiche de Paie apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Entrepôt Fournisseur obligatoire pour les Reçus d'Achat sous-traités DocType: Item Price,Valid From,Valide à Partir de +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Votre note : DocType: Sales Invoice,Total Commission,Total de la Commission DocType: Tax Withholding Account,Tax Withholding Account,Compte de taxation à la source DocType: Pricing Rule,Sales Partner,Partenaire Commercial @@ -997,6 +1015,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Toutes les Fiches 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 +DocType: Item,Website Image,Image du site apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,L'entrepôt cible dans la ligne {0} doit être identique à l'entrepôt de l'ordre de travail apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Le Taux de Valorisation est obligatoire si un Stock Initial est entré apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Aucun enregistrement trouvé dans la table Facture @@ -1031,8 +1050,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},L 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Veuillez compléter la configuration de votre API Plaid avant de synchroniser votre compte. 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 DocType: Job Applicant,Resume Attachment,Reprendre la Pièce Jointe @@ -1044,7 +1063,6 @@ DocType: Production Plan,Production Plan,Plan de production DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Ouverture de l'outil de création de facture DocType: Salary Component,Round to the Nearest Integer,Arrondir à l'entier le plus proche apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Retour de Ventes -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Remarque : Le total des congés alloués {0} ne doit pas être inférieur aux congés déjà approuvés {1} pour la période DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Définir la quantité dans les transactions en fonction des données du numéro de série ,Total Stock Summary,Récapitulatif de l'Inventaire Total apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1072,6 +1090,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Un apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Montant Principal DocType: Loan Application,Total Payable Interest,Total des Intérêts Créditeurs apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total en Attente: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Contact ouvert DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Feuille de Temps de la Facture de Vente 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} @@ -1081,6 +1100,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Numéro de série par déf 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 DocType: Restaurant Reservation,Restaurant Reservation,Réservation de restaurant +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Vos articles apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Rédaction de Propositions DocType: Payment Entry Deduction,Payment Entry Deduction,Déduction d’Écriture de Paiement DocType: Service Level Priority,Service Level Priority,Priorité de niveau de service @@ -1089,6 +1109,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Série de numéros de lots apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Un autre Commercial {0} existe avec le même ID d'Employé DocType: Employee Advance,Claimed Amount,Montant réclamé +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Expiration de l'allocation 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 @@ -1157,7 +1178,6 @@ DocType: Student Batch Name,Batch Name,Nom du Lot DocType: Fee Validity,Max number of visit,Nombre maximum de visites DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Compte de résultat obligatoire ,Hotel Room Occupancy,Occupation de la chambre d'hôtel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Feuille de Temps créée : apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Veuillez définir un compte de Caisse ou de Banque par défaut pour le Mode de Paiement {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Inscrire DocType: GST Settings,GST Settings,Paramètres GST @@ -1288,6 +1308,7 @@ DocType: Sales Invoice,Commission Rate (%),Taux de Commission (%) 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: Request for Quotation,Link to material requests,Lien vers les demandes de matériaux +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Publier apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aérospatial ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Écriture de Carte de Crédit @@ -1314,6 +1335,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Actifs Actuels apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} n'est pas un Article de stock apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Partagez vos commentaires sur la formation en cliquant sur 'Retour d'Expérience de la formation', puis 'Nouveau'" +DocType: Call Log,Caller Information,Informations sur l'appelant DocType: Mode of Payment Account,Default Account,Compte par Défaut apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Veuillez d'abord définir un entrepôt de stockage des échantillons dans les paramètres de stock apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Veuillez sélectionner le type de programme à plusieurs niveaux pour plus d'une règle de collecte. @@ -1338,6 +1360,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Demandes de Matériel Générées Automatiquement DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Heures de travail en dessous desquelles la demi-journée est marquée. (Zéro à désactiver) DocType: Job Card,Total Completed Qty,Total terminé Quantité +DocType: HR Settings,Auto Leave Encashment,Auto Leave Encashment apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Perdu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Vous ne pouvez pas entrer le bon actuel dans la colonne 'Pour l'Écriture de Journal' DocType: Employee Benefit Application Detail,Max Benefit Amount,Montant maximal des prestations @@ -1367,9 +1390,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Abonné DocType: Item Attribute Value,Item Attribute Value,Valeur de l'Attribut de l'Article apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Le taux de change doit être applicable à l'achat ou la vente. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Seule l'allocation expirée peut être annulée DocType: Item,Maximum sample quantity that can be retained,Quantité maximale d'échantillon pouvant être conservée apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},La ligne {0} # article {1} ne peut pas être transférée plus de {2} par commande d'achat {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Campagnes de vente. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Appelant inconnu DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1421,6 +1446,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Horaire hor apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Nom du Document DocType: Expense Claim Detail,Expense Claim Type,Type de Note de Frais DocType: Shopping Cart Settings,Default settings for Shopping Cart,Paramètres par défaut pour le Panier d'Achat +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Enregistrer l'élément apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Nouvelle dépense apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignorer la quantité commandée existante apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Ajouter des Créneaux @@ -1433,6 +1459,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Examiner l'invitation envoyée DocType: Shift Assignment,Shift Assignment,Affectation de quart DocType: Employee Transfer Property,Employee Transfer Property,Propriété des champs pour le transfert des employés +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Le champ Compte d’équité / de responsabilité ne peut pas être vide apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Du temps devrait être moins que du temps apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotechnologie apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1514,11 +1541,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Etat (Ori 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Horaire du Cours DocType: GSTR 3B Report,GSTR 3B Report,Rapport GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Statut du Devis DocType: GoCardless Settings,Webhooks Secret,Secret Webhooks DocType: Maintenance Visit,Completion Status,État d'Achèvement +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Le montant total des paiements ne peut être supérieur à {} DocType: Daily Work Summary Group,Select Users,Sélectionner les utilisateurs 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 @@ -1556,6 +1585,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST Mon DocType: Lab Test Template,Result Format,Format du Résultat DocType: Expense Claim,Expenses,Charges DocType: Service Level,Support Hours,Heures de Support +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Bons de livraison DocType: Item Variant Attribute,Item Variant Attribute,Attribut de Variante de l'Article ,Purchase Receipt Trends,Tendances des Reçus d'Achats DocType: Payroll Entry,Bimonthly,Bimensuel @@ -1578,7 +1608,6 @@ DocType: Sales Team,Incentives,Incitations DocType: SMS Log,Requested Numbers,Numéros Demandés DocType: Volunteer,Evening,Soir DocType: Quiz,Quiz Configuration,Configuration du quiz -DocType: Customer,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 @@ -1625,7 +1654,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Donnée ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Impossible de trouver le Créneau Horaires dans les {0} prochains jours pour l'Opération {1} DocType: Work Order,Plan material for sub-assemblies,Plan de matériaux pour les sous-ensembles 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 @@ -1640,9 +1668,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Vous devez activer la re-commande automatique dans les paramètres de stock pour maintenir les niveaux de ré-commande. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Annuler les Visites Matérielles {0} avant d'annuler cette Visite de Maintenance DocType: Pricing Rule,Rate or Discount,Prix unitaire ou réduction +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Coordonnées bancaires DocType: Vital Signs,One Sided,Une face apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},N° de Série {0} n'appartient pas à l'Article {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Qté Requise +DocType: Purchase Order Item Supplied,Required Qty,Qté Requise DocType: Marketplace Settings,Custom Data,Données personnalisées apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Les entrepôts avec des transactions existantes ne peuvent pas être convertis en livre. DocType: Service Day,Service Day,Jour de service @@ -1670,7 +1699,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Compte Devise DocType: Lab Test,Sample ID,ID de l'Échantillon apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Veuillez indiquer le Compte d’Arrondi de la Société -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Plage DocType: Supplier,Default Payable Accounts,Comptes Créditeur par Défaut apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,"L'employé {0} n'est pas actif, ou n'existe pas" @@ -1711,8 +1739,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Demande de Renseignements DocType: Course Activity,Activity Date,Date d'activité apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} de {} -,LeaderBoard,Classement DocType: Sales Invoice Item,Rate With Margin (Company Currency),Taux avec marge (devise de l'entreprise) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Catégories apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Synchroniser les Factures hors-ligne DocType: Payment Request,Paid,Payé DocType: Service Level,Default Priority,Priorité par défaut @@ -1747,11 +1775,11 @@ DocType: Agriculture Task,Agriculture Task,Tâche d'agriculture apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Revenu Indirect DocType: Student Attendance Tool,Student Attendance Tool,Outil de Présence des Étudiants DocType: Restaurant Menu,Price List (Auto created),Liste de prix (créée automatiquement) +DocType: Pick List Item,Picked Qty,Quantité choisie DocType: Cheque Print Template,Date Settings,Paramètres de Date 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 -,Company Name,Nom de la Société 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. @@ -1770,7 +1798,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Dernière tentative 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} -DocType: BOM,Raw Material Cost(Company Currency),Coût des Matières Premières (Devise Société) 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é @@ -1837,6 +1864,7 @@ DocType: Travel Itinerary,Train,Train ,Delayed Item Report,Rapport d'élément retardé apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,CTI éligible DocType: Healthcare Service Unit,Inpatient Occupancy,Occupation des patients hospitalisés +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Publiez vos premiers articles DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Heure après la fin du quart de travail au cours de laquelle la prise en charge est prise en compte. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Veuillez spécifier un {0} @@ -1952,6 +1980,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Toutes les LDM apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Créer une entrée de journal inter-entreprises DocType: Company,Parent Company,Maison mère apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Les chambres d'hôtel de type {0} sont indisponibles le {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Comparer les nomenclatures aux modifications apportées aux matières premières et aux opérations apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Document {0} non effacé avec succès DocType: Healthcare Practitioner,Default Currency,Devise par Défaut apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Réconcilier ce compte @@ -1986,6 +2015,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,Formulaire-C Détail de la Facture DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Facture de Réconciliation des Paiements DocType: Clinical Procedure,Procedure Template,Modèle de procédure +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publier des articles apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Contribution % apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","D'après les Paramètres d'Achat, si Bon de Commande Requis == 'OUI', alors l'utilisateur doit d'abord créer un Bon de Commande pour l'article {0} pour pouvoir créer une Facture d'Achat" ,HSN-wise-summary of outward supplies,Récapitulatif des fournitures extérieures par code HSN @@ -1998,7 +2028,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Veuillez définir ‘Appliquer Réduction Supplémentaire Sur ‘ DocType: Party Tax Withholding Config,Applicable Percent,Pourcentage applicable ,Ordered Items To Be Billed,Articles Commandés À Facturer -DocType: Employee Checkin,Exit Grace Period Consequence,Conséquence de la période de grâce à la sortie apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,La Plage Initiale doit être inférieure à la Plage Finale DocType: Global Defaults,Global Defaults,Valeurs par Défaut Globales apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Invitation de Collaboration à un Projet @@ -2006,13 +2035,11 @@ DocType: Salary Slip,Deductions,Déductions DocType: Setup Progress Action,Action Name,Nom de l'Action apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Année de Début apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Créer un prêt -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,Chèques post-datés / Lettres de crédit DocType: Purchase Invoice,Start date of current invoice's period,Date de début de la période de facturation en cours DocType: Shift Type,Process Attendance After,Processus de présence après ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Congé Sans Solde DocType: Payment Request,Outward,À l'extérieur -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Erreur de Planification de Capacité apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Taxe Etat / UT ,Trial Balance for Party,Balance Auxiliaire ,Gross and Net Profit Report,Rapport de bénéfice brut et net @@ -2031,7 +2058,6 @@ DocType: Payroll Entry,Employee Details,Détails des employés 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}. -DocType: Setup Progress Action,Domains,Domaines 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} @@ -2074,7 +2100,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Total des 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.",Le Mode de Paiement n’est pas configuré. Veuillez vérifier si le compte a été réglé sur Mode de Paiement ou sur Profil de Point de Vente. apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Le même article ne peut pas être entré plusieurs fois. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","D'autres comptes individuels peuvent être créés dans les groupes, mais les écritures ne peuvent être faites que sur les comptes individuels" -DocType: Email Campaign,Lead,Prospect +DocType: Call Log,Lead,Prospect DocType: Email Digest,Payables,Dettes DocType: Amazon MWS Settings,MWS Auth Token,Jeton d'authentification MWS DocType: Email Campaign,Email Campaign For ,Campagne d'email pour @@ -2086,6 +2112,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Articles à Facturer du Bon de Commande 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 DocType: Purchase Invoice Item,Net Rate,Taux Net apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Veuillez sélectionner un Client DocType: Leave Policy,Leave Allocations,Allocations de congé @@ -2099,6 +2126,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Nbre de jours avant de fermer le ticket ,Eway Bill,Facture Eway apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Vous devez être un utilisateur doté de rôles System Manager et Item Manager pour ajouter des utilisateurs à Marketplace. +DocType: Attendance,Early Exit,Sortie anticipée DocType: Job Opening,Staffing Plan,Plan de dotation apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON ne peut être généré qu'à partir d'un document soumis apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Impôt et avantages sociaux des employés @@ -2119,6 +2147,7 @@ DocType: Maintenance Team Member,Maintenance Role,Rôle de maintenance apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Ligne {0} en double avec le même {1} DocType: Marketplace Settings,Disable Marketplace,Désactiver le marché DocType: Quality Meeting,Minutes,Minutes +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Vos articles en vedette ,Trial Balance,Balance Générale apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Montrer terminé apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Exercice Fiscal {0} introuvable @@ -2128,8 +2157,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Utilisateur chargé des r 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 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- -DocType: Shift Type,Consequence,Conséquence DocType: Subscription Settings,Subscription Settings,Paramètres des Abonnements DocType: Purchase Invoice,Update Auto Repeat Reference,Mettre à jour la référence de répétition automatique apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Une liste de vacances facultative n'est pas définie pour la période de congé {0} @@ -2140,7 +2169,6 @@ DocType: Maintenance Visit Purpose,Work Done,Travaux Effectués apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Veuillez spécifier au moins un attribut dans la table Attributs DocType: Announcement,All Students,Tous les Etudiants apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,L'article {0} doit être un article hors stock -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatils Bank apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Voir le Livre DocType: Grading Scale,Intervals,Intervalles DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transactions rapprochées @@ -2176,6 +2204,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Article de l'Opportunité DocType: Quality Action,Quality Review,Examen de la qualité @@ -2202,7 +2231,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Obtenir les Factures Impayées -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Commande Client {0} invalide +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Les Bons de Commande vous aider à planifier et à assurer le suivi de vos achats apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Prescriptions de test de laboratoire @@ -2227,6 +2256,7 @@ DocType: Employee Onboarding,Notify users by email,Notifier les utilisateurs par DocType: Travel Request,International,International DocType: Training Event,Training Event,Évènement de Formation DocType: Item,Auto re-order,Re-commande auto +DocType: Attendance,Late Entry,Entrée tardive apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Total Obtenu DocType: Employee,Place of Issue,Lieu d'Émission DocType: Promotional Scheme,Promotional Scheme Price Discount,Promotion Tarif Promotion Prix @@ -2273,6 +2303,7 @@ DocType: Serial No,Serial No Details,Détails du N° de Série DocType: Purchase Invoice Item,Item Tax Rate,Taux de la Taxe sur l'Article apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Nom du tiers (Origine) apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Montant net du salaire +DocType: Pick List,Delivery against Sales Order,Livraison contre commande DocType: Student Group Student,Group Roll Number,Numéro de Groupe apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Pour {0}, seuls les comptes de crédit peuvent être liés avec une autre écriture de débit" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Bon de Livraison {0} n'est pas soumis @@ -2344,7 +2375,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Cette valeur est utilisée pour le calcul pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Vous devez activer le Panier DocType: Payment Entry,Writeoff,Écrire DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-. AAAA.- @@ -2358,6 +2388,7 @@ DocType: Delivery Trip,Total Estimated Distance,Distance totale estimée DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Comptes débiteurs non payés DocType: Tally Migration,Tally Company,Compagnie de comptage apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Explorateur LDM +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Non autorisé à créer une dimension comptable pour {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Veuillez mettre à jour votre statut pour cet événement de formation DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Ajouter ou Déduire @@ -2367,7 +2398,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Articles de vente inactifs DocType: Quality Review,Additional Information,Information additionnelle apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Total de la Valeur de la Commande -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Accord de niveau de service réinitialisé. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Alimentation apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Balance Agée 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Détail du bon de clôture du PDV @@ -2414,6 +2444,7 @@ 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 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é' DocType: Healthcare Practitioner,Contacts and Address,Contacts et Adresse DocType: Shift Type,Determine Check-in and Check-out,Déterminer les entrées et les sorties @@ -2433,7 +2464,6 @@ DocType: Student Admission,Eligibility and Details,Admissibilité et Détails apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Inclus dans le bénéfice brut apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Variation Nette des Actifs Immobilisés apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Qté obligatoire -DocType: Company,Client Code,Code client apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge de type ' réel ' à la ligne {0} ne peut pas être inclus dans le prix de l'article apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max : {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,A partir du (Date et Heure) @@ -2501,6 +2531,7 @@ 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. 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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1} : Un Client est requis pour le Compte Débiteur {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total des Taxes et Frais (Devise Société) DocType: Weather,Weather Parameter,Paramètre météo @@ -2563,6 +2594,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Seuil des heures de trava apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Il peut y avoir plusieurs facteurs de collecte hiérarchisés en fonction du total dépensé. Mais le facteur de conversion pour l'échange sera toujours le même pour tous les niveaux. apps/erpnext/erpnext/config/help.py,Item Variants,Variantes de l'Article apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Services +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Envoyer la Fiche de Paie à l'Employé par Mail DocType: Cost Center,Parent Cost Center,Centre de Coûts Parent @@ -2573,7 +2605,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","S DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importer les bons de livraison depuis Shopify lors de l'expédition apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Afficher fermé DocType: Issue Priority,Issue Priority,Priorité d'émission -DocType: Leave Type,Is Leave Without Pay,Est un Congé Sans Solde +DocType: Leave Ledger Entry,Is Leave Without Pay,Est un Congé Sans Solde apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Catégorie d'Actif est obligatoire pour l'article Immobilisé DocType: Fee Validity,Fee Validity,Validité des Honoraires @@ -2622,6 +2654,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Qté de lot disponi apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Mettre à Jour le Format d'Impression DocType: Bank Account,Is Company Account,Est le compte de l'entreprise apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Le type de congé {0} n'est pas encaissable +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},La limite de crédit est déjà définie pour la société {0}. DocType: Landed Cost Voucher,Landed Cost Help,Aide Coûts Logistiques DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Sélectionner l'Adresse de Livraison @@ -2646,6 +2679,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,A double-sens DocType: Item,Manufacturers,Les fabricants @@ -2682,7 +2716,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Relevé de Réconciliation Bancaire DocType: Patient Encounter,Medical Coding,Codification médicale DocType: Healthcare Settings,Reminder Message,Message de Rappel -,Lead Name,Nom du Prospect +DocType: Call Log,Lead Name,Nom du Prospect ,POS,PDV DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Prospection @@ -2714,12 +2748,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Entrepôt Fournisseur DocType: Opportunity,Contact Mobile No,N° de Portable du Contact apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Sélectionnez une entreprise ,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: 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- 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.,L'utilisateur {0} n'a aucun profil POS par défaut. Vérifiez par défaut à la ligne {1} pour cet utilisateur. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Compte rendu de réunion de qualité +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fournisseur> Type de fournisseur apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Recommandations DocType: Student Group,Set 0 for no limit,Définir à 0 pour aucune limite apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Le(s) jour(s) pour le(s)quel(s) vous demandez un congé sont des jour(s) férié(s). Vous n’avez pas besoin d’effectuer de demande. @@ -2753,12 +2789,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Variation Nette de Trésorerie DocType: Assessment Plan,Grading Scale,Échelle de Notation apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unité de Mesure {0} a été saisie plus d'une fois dans la Table de Facteur de Conversion -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Déjà terminé apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock Existant apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Veuillez ajouter les prestations restantes {0} à la demande en tant que composant au pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Veuillez définir le code fiscal de l'administration publique '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Demande de Paiement existe déjà {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Coût des Marchandises Vendues DocType: Healthcare Practitioner,Hospital,Hôpital apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Quantité ne doit pas être plus de {0} @@ -2803,6 +2837,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Ressources Humaines apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Revenu Élevé DocType: Item Manufacturer,Item Manufacturer,Fabricant d'Article +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Créer une nouvelle piste DocType: BOM Operation,Batch Size,Taille du lot apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Rejeter DocType: Journal Entry Account,Debit in Company Currency,Débit en Devise Société @@ -2823,9 +2858,11 @@ DocType: Bank Transaction,Reconciled,Réconcilié DocType: Expense Claim,Total Amount Reimbursed,Montant Total Remboursé apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Basé sur les journaux de ce Véhicule. Voir la chronologie ci-dessous pour plus de détails apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,La date de paie ne peut être inférieure à la date d'adhésion de l'employé +DocType: Pick List,Item Locations,Emplacements des articles apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} créé apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Offre d'emploi pour la désignation {0} déjà ouverte \ ou recrutement complété selon le plan de dotation en personnel {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Vous pouvez publier jusqu'à 200 articles. DocType: Vital Signs,Constipated,Constipé apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Pour la Facture Fournisseur {0} datée {1} DocType: Customer,Default Price List,Liste des Prix par Défaut @@ -2917,6 +2954,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car 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? apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Frais de Marketing +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} unités de {1} ne sont pas disponibles. ,Item Shortage Report,Rapport de Rupture de Stock d'Article 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 @@ -2939,6 +2977,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 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 DocType: Material Request,Transferred,Transféré DocType: Vehicle,Doors,Portes @@ -3018,7 +3057,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Code de l'Article du Client DocType: Stock Reconciliation,Stock Reconciliation,Réconciliation du Stock DocType: Territory,Territory Name,Nom de la Région DocType: Email Digest,Purchase Orders to Receive,Commandes d'achat à recevoir -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,L'entrepôt des Travaux en Cours est nécessaire avant de Soumettre +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,L'entrepôt des Travaux en Cours est nécessaire avant de Soumettre apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Vous ne pouvez avoir que des plans ayant le même cycle de facturation dans le même abonnement DocType: Bank Statement Transaction Settings Item,Mapped Data,Données mappées DocType: Purchase Order Item,Warehouse and Reference,Entrepôt et Référence @@ -3092,6 +3131,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Paramètres de livraison apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Récupérer des données apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},La durée maximale autorisée pour le type de congé {0} est {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publier 1 élément DocType: SMS Center,Create Receiver List,Créer une Liste de Réception DocType: Student Applicant,LMS Only,LMS seulement apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,La date de disponibilité devrait être postérieure à la date d'achat @@ -3125,6 +3165,7 @@ 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 DocType: Vital Signs,Furry,Chargée apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Veuillez définir ‘Compte de Gain/Perte sur les Cessions d’Immobilisations’ de la Société {0} +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} @@ -3136,6 +3177,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Afficher tous les problèmes de {0} 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/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. apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Visitez les forums DocType: Student,Student Mobile Number,Numéro de Mobile de l'Étudiant DocType: Item,Has Variants,A Variantes @@ -3146,9 +3188,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Nom de la Répartition Mensuelle DocType: Quality Procedure Process,Quality Procedure Process,Processus de procédure de qualité apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Le N° du lot est obligatoire +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,S'il vous plaît sélectionnez d'abord le client DocType: Sales Person,Parent Sales Person,Commercial Parent apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Aucun article à recevoir n'est en retard apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Le vendeur et l'acheteur ne peuvent pas être les mêmes +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Pas encore de vue DocType: Project,Collect Progress,Envoyer des emails de suivi d'avancement DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Sélectionnez d'abord le programme @@ -3170,11 +3214,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Atteint DocType: Student Admission,Application Form Route,Chemin du Formulaire de Candidature apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,La date de fin de l'accord ne peut être inférieure à celle d'aujourd'hui. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Entrée pour soumettre DocType: Healthcare Settings,Patient Encounters in valid days,Rencontres des patients en jours valides apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Le Type de Congé {0} ne peut pas être alloué, car c’est un congé sans solde" 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},Ligne {0} : Le montant alloué {1} doit être inférieur ou égal au montant restant sur la Facture {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,En Toutes Lettres. Sera visible une fois que vous enregistrerez la Facture. DocType: Lead,Follow Up,Suivre +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Centre de coûts: {0} n'existe pas DocType: Item,Is Sales Item,Est un Article à Vendre apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Arborescence de Groupe d'Article apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,L'article {0} n'est pas configuré pour les Numéros de Série. Vérifiez la fiche de l'Article @@ -3219,9 +3265,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Qté Fournie DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Article de Demande de Matériel -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Veuillez annuler le reçu d'achat {0} en premier apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Arbre de Groupes d’Articles . DocType: Production Plan,Total Produced Qty,Quantité totale produite +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Pas encore d'avis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Impossible de se référer au numéro de la ligne supérieure ou égale au numéro de la ligne courante pour ce type de Charge DocType: Asset,Sold,Vendu ,Item-wise Purchase History,Historique d'Achats par Article @@ -3240,7 +3286,7 @@ DocType: Designation,Required Skills,Compétences Requises DocType: Inpatient Record,O Positive,O Positif apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investissements DocType: Issue,Resolution Details,Détails de la Résolution -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Type de transaction +DocType: Leave Ledger Entry,Transaction Type,Type de transaction DocType: Item Quality Inspection Parameter,Acceptance Criteria,Critères d'Acceptation apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Veuillez entrer les Demandes de Matériel dans le tableau ci-dessus apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Aucun remboursement disponible pour l'écriture de journal @@ -3281,6 +3327,7 @@ DocType: Bank Account,Bank Account No,No de compte bancaire DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Soumission d'une preuve d'exemption de taxe DocType: Patient,Surgical History,Antécédents Chirurgicaux DocType: Bank Statement Settings Item,Mapped Header,En-tête mappé +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 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é. 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} @@ -3348,7 +3395,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Ajouter un en-tête DocType: Program Enrollment,Self-Driving Vehicle,Véhicule Autonome 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Le Total des feuilles attribuées {0} ne peut pas être inférieur aux feuilles déjà approuvées {1} pour la période DocType: Contract Fulfilment Checklist,Requirement,Obligations DocType: Journal Entry,Accounts Receivable,Comptes Débiteurs DocType: Quality Goal,Objectives,Objectifs @@ -3371,7 +3417,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Seuil de transaction DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Cette valeur est mise à jour dans la liste de prix de vente par défaut. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Votre panier est vide DocType: Email Digest,New Expenses,Nouvelles Charges -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Montant des chèques post-datés / Lettres de crédit apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Impossible d'optimiser l'itinéraire car l'adresse du pilote est manquante. DocType: Shareholder,Shareholder,Actionnaire DocType: Purchase Invoice,Additional Discount Amount,Montant de la Remise Supplémentaire @@ -3408,6 +3453,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Tâche de maintenance apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Veuillez définir la limite B2C dans les paramètres GST. DocType: Marketplace Settings,Marketplace Settings,Paramètres du marché DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,L'entrepôt où vous conservez le stock d'objets refusés +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Publier {0} éléments 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,Impossible de trouver le taux de change pour {0} à {1} pour la date clé {2}. Veuillez créer une entrée de taux de change manuellement DocType: POS Profile,Price List,Liste de Prix 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. @@ -3444,6 +3490,7 @@ DocType: Salary Component,Deduction,Déduction DocType: Item,Retain Sample,Conserver l'échantillon apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Ligne {0} : Heure de Début et Heure de Fin obligatoires. DocType: Stock Reconciliation Item,Amount Difference,Différence de Montant +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Cette page répertorie les articles que vous souhaitez acheter auprès des vendeurs. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Prix de l'Article ajouté pour {0} dans la Liste de Prix {1} DocType: Delivery Stop,Order Information,Informations sur la commande apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Veuillez entrer l’ID Employé de ce commercial @@ -3472,6 +3519,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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**. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nom du Plan d'Évaluation apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Détails de la cible apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Applicable si la société est SpA, SApA ou SRL" @@ -3524,7 +3572,6 @@ DocType: Company,Transactions Annual History,Historique annuel des transactions 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Au-dessus 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 @@ -3576,6 +3623,7 @@ DocType: Grading Scale,Grading Scale Intervals,Intervalles de l'Échelle de Nota 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Bénéfice de l'exercice 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 @@ -3629,12 +3677,10 @@ DocType: Supplier Scorecard,Scoring Setup,Paramétrage de la Notation apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Électronique 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Aucun numéro de TPS n'a été trouvé pour la société. 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 DocType: Question,Single Correct Answer,Réponse correcte unique -DocType: Employee,Contact Details,Coordonnées DocType: C-Form,Received Date,Date de Réception DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Si vous avez créé un modèle standard dans Modèle de Taxes et Frais de Vente, sélectionnez-en un et cliquez sur le bouton ci-dessous." DocType: BOM Scrap Item,Basic Amount (Company Currency),Montant de Base (Devise de la Société) @@ -3664,12 +3710,13 @@ DocType: BOM Website Operation,BOM Website Operation,Opération de LDM du Site I DocType: Bank Statement Transaction Payment Item,outstanding_amount,Encours DocType: Supplier Scorecard,Supplier Score,Note du Fournisseur apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Calendrier d'admission +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Le montant total de la demande de paiement ne peut être supérieur à {0}. DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Seuil de transaction cumulatif DocType: Promotional Scheme Price Discount,Discount Type,Type de remise -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Mnt Total Facturé DocType: Purchase Invoice Item,Is Free Item,Est un article gratuit +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Pourcentage vous êtes autorisé à transférer plus par rapport à la quantité commandée. Par exemple: Si vous avez commandé 100 unités. et que votre allocation est de 10%, vous êtes autorisé à transférer 110 unités." DocType: Supplier,Warn RFQs,Avertir lors des Appels d'Offres -apps/erpnext/erpnext/templates/pages/home.html,Explore,Explorer +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Explorer DocType: BOM,Conversion Rate,Taux de Conversion apps/erpnext/erpnext/www/all-products/index.html,Product Search,Recherche de Produit ,Bank Remittance,Virement bancaire @@ -3681,6 +3728,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Montant total payé DocType: Asset,Insurance End Date,Date de fin de l'assurance apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Veuillez sélectionner obligatoirement une Admission d'Étudiant pour la candidature étudiante payée +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Liste budgétaire DocType: Campaign,Campaign Schedules,Horaires de campagne DocType: Job Card Time Log,Completed Qty,Quantité Terminée @@ -3703,6 +3751,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Nouvelle DocType: Quality Inspection,Sample Size,Taille de l'Échantillon apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Veuillez entrer le Document de Réception apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Tous les articles ont déjà été facturés +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Feuilles prises apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Veuillez spécifier un ‘Depuis le Cas N°.’ valide 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,"D'autres centres de coûts peuvent être créés dans des Groupes, mais des écritures ne peuvent être faites que sur des centres de coûts individuels." 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,Le nombre total de congés alloués est supérieur de plusieurs jours à l'allocation maximale du type de congé {0} pour l'employé {1} au cours de la période @@ -3802,6 +3851,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Inclure tou 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 DocType: Leave Block List,Allow Users,Autoriser les Utilisateurs 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: 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. @@ -3855,6 +3906,7 @@ DocType: Support Search Source,Result Title Field,Champ du titre du résultat apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Résumé d'appel DocType: Sample Collection,Collected Time,Heure de Collecte DocType: Employee Skill Map,Employee Skills,Compétences des employés +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Frais de carburant DocType: Company,Sales Monthly History,Historique des Ventes Mensuel apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Veuillez définir au moins une ligne dans le tableau des taxes et des frais. DocType: Asset Maintenance Task,Next Due Date,prochaine date d'échéance @@ -3864,6 +3916,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Signes Vi DocType: Payment Entry,Payment Deductions or Loss,Déductions sur le Paiement ou Perte DocType: Soil Analysis,Soil Analysis Criterias,Critères d'analyse des sols apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Termes contractuels standards pour Ventes ou Achats +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Lignes supprimées dans {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Commencez l'enregistrement avant l'heure de début du poste (en minutes) DocType: BOM Item,Item operation,Opération de l'article apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Groupe par Bon @@ -3889,11 +3942,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Fiche de Paie de l'employé {0} déjà créée pour cette période apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Pharmaceutique apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Vous pouvez uniquement soumettre un encaissement de congé pour un montant d'encaissement valide +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Articles par apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Coût des Articles Achetés DocType: Employee Separation,Employee Separation Template,Modèle de départ des employés DocType: Selling Settings,Sales Order Required,Commande Client Requise apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Devenir vendeur -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Le nombre d'occurrences après lequel la conséquence est exécutée. ,Procurement Tracker,Suivi des achats DocType: Purchase Invoice,Credit To,À Créditer apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,CTI inversé @@ -3906,6 +3959,7 @@ DocType: Quality Meeting,Agenda,Ordre du jour DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Détails de l'Échéancier d'Entretien DocType: Supplier Scorecard,Warn for new Purchase Orders,Avertir lors des nouveaux Bons de Commande DocType: Quality Inspection Reading,Reading 9,Lecture 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Connectez votre compte Exotel à ERPNext et suivez les journaux d'appels DocType: Supplier,Is Frozen,Est Gelé DocType: Tally Migration,Processed Files,Fichiers traités apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Un noeud de groupe d'entrepôt ne peut pas être sélectionné pour les transactions @@ -3915,6 +3969,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,N° d’Article Pro DocType: Upload Attendance,Attendance To Date,Présence Jusqu'à 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 @@ -3939,7 +3994,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Demandeur apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Référence invalide {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Règles d'application de différents programmes promotionnels. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne peut pas être supérieur à la quantité prévue ({2}) dans l’Ordre de Production {3} DocType: Shipping Rule,Shipping Rule Label,Étiquette de la Règle de Livraison DocType: Journal Entry Account,Payroll Entry,Entrée de la paie apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Voir les honoraires @@ -3951,6 +4005,7 @@ DocType: Contract,Fulfilment Status,Statut de l'exécution DocType: Lab Test Sample,Lab Test Sample,Échantillon de test de laboratoire DocType: Item Variant Settings,Allow Rename Attribute Value,Autoriser le renommage de la valeur de l'attribut apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Écriture Rapide dans le Journal +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Montant du paiement futur apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Vous ne pouvez pas modifier le taux si la LDM est mentionnée pour un article DocType: Restaurant,Invoice Series Prefix,Préfixe de la Série de Factures DocType: Employee,Previous Work Experience,Expérience de Travail Antérieure @@ -3980,6 +4035,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Statut du Projet DocType: UOM,Check this to disallow fractions. (for Nos),Cochez cette case pour interdire les fractions. (Pour les numéros) DocType: Student Admission Program,Naming Series (for Student Applicant),Nom de série (pour un candidat étudiant) +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/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 @@ -3995,6 +4051,7 @@ DocType: Fiscal Year,Year End Date,Date de Fin de l'Exercice DocType: Task Depends On,Task Depends On,Tâche Dépend De apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Opportunité DocType: Options,Option,Option +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Vous ne pouvez pas créer d'écritures comptables dans la période comptable clôturée {0}. DocType: Operation,Default Workstation,Station de Travail par Défaut DocType: Payment Entry,Deductions or Loss,Déductions ou Perte apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} est fermé @@ -4003,6 +4060,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Obtenir le Stock Actuel DocType: Purchase Invoice,ineligible,inéligible apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Arbre des Listes de Matériaux +DocType: BOM,Exploded Items,Articles éclatés DocType: Student,Joining Date,Date d'Inscription ,Employees working on a holiday,Employés qui travaillent un jour férié ,TDS Computation Summary,Résumé des calculs TDS @@ -4035,6 +4093,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Taux de base (comme l DocType: SMS Log,No of Requested SMS,Nb de SMS Demandés apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Congé sans solde ne correspond pas aux Feuilles de Demandes de Congé Approuvées apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Prochaines Étapes +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Articles sauvegardés DocType: Travel Request,Domestic,National apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Veuillez fournir les articles spécifiés aux meilleurs tarifs possibles apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Le transfert ne peut pas être soumis avant la date de transfert @@ -4107,7 +4166,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Compte de Catégorie d'Actif apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,La valeur {0} est déjà attribuée à un élément existant {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Ligne #{0} (Table de paiement): Le montant doit être positif -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Impossible de produire plus d'Article {0} que la quantité {1} du Bon de Commande +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Impossible de produire plus d'Article {0} que la quantité {1} du Bon de Commande apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Rien n'est inclus dans le brut apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill existe déjà pour ce document apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Sélectionner les valeurs d'attribut @@ -4142,12 +4201,10 @@ 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é -DocType: Shift Type,Enable Different Consequence for Early Exit,Activer des conséquences différentes pour une sortie anticipée ,Lab Test Report,Rapport de test de laboratoire DocType: Employee Benefit Application,Employee Benefit Application,Demande d'avantages sociaux 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é -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Veuillez d’abord créer un Bon de Livraison DocType: Student Applicant,Application Date,Date de la Candidature DocType: Salary Component,Amount based on formula,Montant basé sur la formule DocType: Purchase Invoice,Currency and Price List,Devise et liste de prix @@ -4176,6 +4233,7 @@ DocType: Purchase Receipt,Time at which materials were received,Heure à laquell DocType: Products Settings,Products per Page,Produits par page 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Le montant alloué ne peut être négatif DocType: Sales Order,Billing Status,Statut de la Facturation apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Signaler un Problème @@ -4185,6 +4243,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-Dessus 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,Ligne #{0} : L’Écriture de Journal {1} n'a pas le compte {2} ou est déjà réconciliée avec une autre référence DocType: Supplier Scorecard Criteria,Criteria Weight,Pondération du Critère +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Compte: {0} n'est pas autorisé sous Saisie du paiement. DocType: Production Plan,Ignore Existing Projected Quantity,Ignorer la quantité projetée existante apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Notification d'approbation de congés DocType: Buying Settings,Default Buying Price List,Liste des Prix d'Achat par Défaut @@ -4193,6 +4252,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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..." DocType: Payment Entry,Payment Type,Type de Paiement apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Veuillez sélectionner un Lot pour l'Article {0}. Impossible de trouver un seul lot satisfaisant à cette exigence @@ -4221,6 +4281,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Paramètres du Panier DocType: Journal Entry,Accounting Entries,Écritures Comptables 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""." +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 DocType: Journal Entry,Paid Loan,Prêt payé 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 @@ -4237,12 +4298,14 @@ DocType: Shopify Settings,Webhooks Details,Détails des webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Aucunes feuilles de temps DocType: GoCardless Mandate,GoCardless Customer,Client GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Le Type de Congé {0} ne peut pas être reporté +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Code d'article> Groupe d'articles> Marque apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',L'Échéancier d'Entretien n'est pas créé pour tous les articles. Veuillez clicker sur 'Créer un Échéancier' ,To Produce,À Produire DocType: Leave Encashment,Payroll,Paie 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","Pour la ligne {0} dans {1}. Pour inclure {2} dans le prix de l'Article, les lignes {3} doivent également être incluses" DocType: Healthcare Service Unit,Parent Service Unit,Service parent DocType: Packing Slip,Identification of the package for the delivery (for print),Identification de l'emballage pour la livraison (pour l'impression) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,L'accord de niveau de service a été réinitialisé. DocType: Bin,Reserved Quantity,Quantité Réservée apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Entrez une adresse email valide DocType: Volunteer Skill,Volunteer Skill,Compétence bénévole @@ -4263,7 +4326,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Prix ou remise de produit apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Pour la ligne {0}: entrez la quantité planifiée DocType: Account,Income Account,Compte de Produits -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Groupe de clients> Territoire DocType: Payment Request,Amount in customer's currency,Montant dans la devise du client apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Livraison apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Assignation des structures... @@ -4286,6 +4348,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Vous perdrez des enregistrements de factures précédemment générées. Êtes-vous sûr de vouloir redémarrer cet abonnement? @@ -4341,11 +4404,10 @@ DocType: Additional Salary,HR User,Chargé RH DocType: Bank Guarantee,Reference Document Name,Nom du document de référence DocType: Purchase Invoice,Taxes and Charges Deducted,Taxes et Frais Déductibles DocType: Support Settings,Issues,Tickets -DocType: Shift Type,Early Exit Consequence after,Conséquence de sortie précoce après DocType: Loyalty Program,Loyalty Program Name,Nom du programme de fidélité apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Le statut doit être l'un des {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Rappel pour mettre à jour GSTIN envoyé -DocType: Sales Invoice,Debit To,Débit Pour +DocType: Discounted Invoice,Debit To,Débit Pour DocType: Restaurant Menu Item,Restaurant Menu Item,Élément de menu du restaurant DocType: Delivery Note,Required only for sample item.,Requis uniquement pour les échantillons. DocType: Stock Ledger Entry,Actual Qty After Transaction,Qté Réelle Après Transaction @@ -4428,6 +4490,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Nom du Paramètre apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Seules les Demandes de Congés avec le statut 'Appouvée' ou 'Rejetée' peuvent être soumises apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Créer des dimensions ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Nom du Groupe d'Étudiant est obligatoire dans la ligne {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Contourner la limite de crédit_check DocType: Homepage,Products to be shown on website homepage,Produits destinés à être affichés sur la page d’accueil du site web DocType: HR Settings,Password Policy,Politique de mot de passe apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,C’est un groupe de clients racine qui ne peut être modifié. @@ -4486,10 +4549,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Si p apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Veuillez définir le client par défaut dans les paramètres du restaurant ,Salary Register,Registre du Salaire DocType: Company,Default warehouse for Sales Return,Magasin par défaut pour retour de vente -DocType: Warehouse,Parent Warehouse,Entrepôt Parent +DocType: Pick List,Parent Warehouse,Entrepôt Parent DocType: Subscription,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/production_order/production_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/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. apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Définir différents types de prêts DocType: Bin,FCFS Rate,Montant PAPS @@ -4526,6 +4589,7 @@ DocType: Travel Itinerary,Lodging Required,Hébergement requis DocType: Promotional Scheme,Price Discount Slabs,Dalles à prix réduit DocType: Stock Reconciliation Item,Current Serial No,Numéro de série actuel DocType: Employee,Attendance and Leave Details,Détails de présence et de congés +,BOM Comparison Tool,Outil de comparaison de nomenclature ,Requested,Demandé apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Aucune Remarque DocType: Asset,In Maintenance,En maintenance @@ -4548,6 +4612,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Contrat de niveau de service par défaut DocType: SG Creation Tool Course,Course Code,Code de Cours apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Plus d'une sélection pour {0} non autorisée +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,La quantité de matières premières sera déterminée en fonction de la quantité de produits finis. DocType: Location,Parent Location,Localisation parente DocType: POS Settings,Use POS in Offline Mode,Utiliser PDV en Mode Hors-Ligne apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,La priorité a été changée en {0}. @@ -4566,7 +4631,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Entrepôt de stockage des éc DocType: Company,Default Receivable Account,Compte Client par Défaut apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Formule de quantité projetée DocType: Sales Invoice,Deemed Export,Export Estimé -DocType: Stock Entry,Material Transfer for Manufacture,Transfert de Matériel pour la Production +DocType: Pick List,Material Transfer for Manufacture,Transfert de Matériel pour la Production 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.,Pourcentage de Réduction peut être appliqué pour une liste de prix en particulier ou pour toutes les listes de prix. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Écriture Comptable pour Stock DocType: Lab Test,LabTest Approver,Approbateur de test de laboratoire @@ -4609,7 +4674,6 @@ DocType: Training Event,Theory,Théorie apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Attention : La Quantité de Matériel Commandé est inférieure à la Qté Minimum de Commande apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Le compte {0} est gelé DocType: Quiz Question,Quiz Question,Quiz Question -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fournisseur> Type de fournisseur 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" @@ -4640,6 +4704,7 @@ 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 DocType: Account,Expense Account,Compte de Charge apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Logiciel apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Couleur @@ -4677,6 +4742,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Gérer les Partena 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 DocType: Fee Validity,Visited yet,Déjà Visité +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Vous pouvez présenter jusqu'à 8 éléments. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Les entrepôts avec des transactions existantes ne peuvent pas être convertis en groupe. 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? @@ -4684,7 +4750,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Articles-éclatés 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 @@ -4709,7 +4774,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Conversion UOM en DocType: Contract,Signee Details,Détails du signataire apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} est actuellement associée avec une fiche d'évaluation fournisseur {1}. Les appels d'offres pour ce fournisseur doivent être édités avec précaution. DocType: Certified Consultant,Non Profit Manager,Responsable de l'association -DocType: BOM,Total Cost(Company Currency),Coût Total (Devise Société) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,N° de Série {0} créé DocType: Homepage,Company Description for website homepage,Description de la Société pour la page d'accueil du site web DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Pour la commodité des clients, ces codes peuvent être utilisés dans des formats d'impression comme les Factures et les Bons de Livraison" @@ -4737,7 +4801,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Articles DocType: Amazon MWS Settings,Enable Scheduled Synch,Activer la synchronisation programmée apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,À la Date apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Journaux pour maintenir le statut de livraison des sms -DocType: Shift Type,Early Exit Consequence,Conséquence de sortie anticipée DocType: Accounts Settings,Make Payment via Journal Entry,Effectuer un Paiement par une Écriture de Journal apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Ne créez pas plus de 500 objets à la fois. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Imprimé sur @@ -4794,6 +4857,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limite Dépass 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 +DocType: Plaid Settings,Plaid Secret,Secret de plaid DocType: Company,Date of Establishment,Date de création apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Capital Risque apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Une période universitaire avec cette 'Année Universitaire' {0} et 'Nom de la Période' {1} existe déjà. Veuillez modifier ces entrées et essayer à nouveau. @@ -4855,6 +4919,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Type de client DocType: Compensatory Leave Request,Leave Allocation,Allocation de Congés DocType: Payment Request,Recipient Message And Payment Details,Message du Destinataire et Détails de Paiement +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Veuillez sélectionner un bon de livraison DocType: Support Search Source,Source DocType,DocType source apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Ouvrir un nouveau ticket DocType: Training Event,Trainer Email,Email du Formateur @@ -4975,6 +5040,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',La ‘Date de Début’ doit être antérieure à la ‘Date de Fin’ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Aucun plan de dotation trouvé pour cette désignation apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Le lot {0} de l'élément {1} est désactivé. @@ -4996,7 +5062,7 @@ DocType: Clinical Procedure,Patient,Patient apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Éviter le contrôle de crédit à la commande client DocType: Employee Onboarding Activity,Employee Onboarding Activity,Activité d'accueil des nouveaux employés DocType: Location,Check if it is a hydroponic unit,Vérifiez s'il s'agit d'une unité hydroponique -DocType: Stock Reconciliation Item,Serial No and Batch,N° de Série et lot +DocType: Pick List Item,Serial No and Batch,N° de Série et lot DocType: Warranty Claim,From Company,De la Société DocType: GSTR 3B Report,January,janvier apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Somme des Scores de Critères d'Évaluation doit être {0}. @@ -5020,7 +5086,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Remise ( 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/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. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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 @@ -5053,11 +5118,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centre de co 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Restant DocType: Appraisal,Appraisal,Estimation DocType: Loan,Loan Account,Compte de prêt apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Les champs valides à partir de et valables jusqu'à sont obligatoires pour le cumulatif. +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Pour l'élément {0} à la ligne {1}, le nombre de numéros de série ne correspond pas à la quantité sélectionnée." DocType: Purchase Invoice,GST Details,Détails de la GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Ce graphique est basé sur les transactions réalisées par ce praticien de santé. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Email envoyé au fournisseur {0} @@ -5121,6 +5188,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Le poids brut du colis. Habituellement poids net + poids du matériau d'emballage. (Pour l'impression) DocType: Assessment Plan,Program,Programme DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Les utilisateurs ayant ce rôle sont autorisés à définir les comptes gelés et à créer / modifier des écritures comptables sur des comptes gelés +DocType: Plaid Settings,Plaid Environment,Environnement écossais ,Project Billing Summary,Récapitulatif de facturation du projet DocType: Vital Signs,Cuts,Coupures DocType: Serial No,Is Cancelled,Est Annulée @@ -5182,7 +5250,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Remarque : Le système ne vérifiera pas les sur-livraisons et les sur-réservations pour l’Article {0} car la quantité ou le montant est égal à 0 DocType: Issue,Opening Date,Date d'Ouverture apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Veuillez d'abord enregistrer le patient -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Faire un nouveau contact apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,La présence a été marquée avec succès. DocType: Program Enrollment,Public Transport,Transports Publics DocType: Sales Invoice,GST Vehicle Type,Type de véhicule de la TPS @@ -5208,6 +5275,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Factures é 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Premièrement ajouter des éléments dans le tableau Emplacements des éléments DocType: Pricing Rule,Discount Amount,Remise DocType: Pricing Rule,Period Settings,Paramètres de période DocType: Purchase Invoice,Return Against Purchase Invoice,Retour contre Facture d’Achat @@ -5240,7 +5308,6 @@ DocType: Assessment Plan,Assessment Plan,Plan d'Évaluation DocType: Travel Request,Fully Sponsored,Entièrement commandité apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Ecriture de journal de contre-passation apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Créer une carte de travail -DocType: Shift Type,Consequence after,Conséquence après DocType: Quality Procedure Process,Process Description,Description du processus apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Le client {0} est créé. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,"Actuellement, aucun stock disponible dans aucun entrepôt" @@ -5275,6 +5342,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Date de Compensation DocType: Delivery Settings,Dispatch Notification Template,Modèle de notification d'expédition apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Rapport d'Évaluation apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Obtenir des employés +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 @@ -5368,7 +5436,6 @@ DocType: Stock Settings,Use Naming Series,Utiliser la série de noms apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Pas d'action apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Frais de type valorisation ne peuvent pas être marqués comme inclus DocType: POS Profile,Update Stock,Mettre à Jour le Stock -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. apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Différentes UDM pour les articles conduira à un Poids Net (Total) incorrect . Assurez-vous que le Poids Net de chaque article a la même unité de mesure . DocType: Certification Application,Payment Details,Détails de paiement apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Taux LDM @@ -5403,7 +5470,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,C’est un commercial racine qui ne peut être modifié. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Si cette option est sélectionnée, la valeur spécifiée ou calculée dans ce composant ne contribuera pas aux gains ou aux déductions. Cependant, sa valeur peut être référencée par d'autres composants qui peuvent être ajoutés ou déduits." -DocType: Asset Settings,Number of Days in Fiscal Year,Nombre de jours dans l'exercice fiscal ,Stock Ledger,Livre d'Inventaire DocType: Company,Exchange Gain / Loss Account,Compte de Profits / Pertes sur Change DocType: Amazon MWS Settings,MWS Credentials,Informations d'identification MWS @@ -5438,6 +5504,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Colonne dans le fichier bancaire apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Laisser l'application {0} existe déjà pour l'étudiant {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Mise à jour des prix les plus récents dans toutes les Listes de Matériaux en file d'attente. Cela peut prendre quelques minutes. +DocType: Pick List,Get Item Locations,Obtenir les emplacements des articles apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nom du Nouveau Compte. Note: Veuillez ne pas créer de comptes Clients et Fournisseurs DocType: POS Profile,Display Items In Stock,Afficher les articles en stock apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Modèles d'Adresse par défaut en fonction du pays @@ -5461,6 +5528,7 @@ DocType: Crop,Materials Required,Matériaux nécessaires apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Aucun étudiant Trouvé DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Exemption d'allocation logement (HRA) mensuelle DocType: Clinical Procedure,Medical Department,Département médical +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Total des sorties anticipées DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Critères de Notation de la Fiche d'Évaluation Fournisseur apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Date d’Envois de la Facture apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Vendre @@ -5472,11 +5540,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Supprimez l'employé {0} \ pour annuler ce document." 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é +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Votre profil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Nombre d’Amortissements Comptabilisés ne peut pas être supérieur à Nombre Total d'Amortissements DocType: Purchase Order,Order Confirmation Date,Date de confirmation de la commande DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5570,7 +5637,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Il existe des incohérences entre le prix unitaire, le nombre d'actions et le montant calculé" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Vous n'êtes pas présent(e) tous les jours vos demandes de congé compensatoire apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Veuillez saisir à nouveau le nom de la société pour confirmer -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Encours Total DocType: Journal Entry,Printing Settings,Paramètres d'Impression DocType: Payment Order,Payment Order Type,Type d'ordre de paiement DocType: Employee Advance,Advance Account,Compte d'avances @@ -5659,7 +5725,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Nom de l'Année apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Il y a plus de vacances que de jours travaillés ce mois-ci. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Les éléments suivants {0} ne sont pas marqués comme {1} élément. Vous pouvez les activer en tant qu'élément {1} à partir de sa fiche article. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,Référence des chèques post-datés / Lettres de crédit DocType: Production Plan Item,Product Bundle Item,Article d'un Ensemble de Produits DocType: Sales Partner,Sales Partner Name,Nom du Partenaire de Vente apps/erpnext/erpnext/hooks.py,Request for Quotations,Appel d’Offres @@ -5668,19 +5733,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Feuilles +DocType: Leave Ledger Entry,Leaves,Feuilles DocType: Student Language,Student Language,Langue des Étudiants DocType: Cash Flow Mapping,Is Working Capital,Est du capital apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Soumettre une preuve apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Commande / Devis % apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Enregistrer les Signes Vitaux du Patient DocType: Fee Schedule,Institution,Institution -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} DocType: Asset,Partially Depreciated,Partiellement Déprécié DocType: Issue,Opening Time,Horaire d'Ouverture apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Les date Du et Au sont requises apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Bourses de Valeurs Mobilières et de Marchandises -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Récapitulatif des appels par {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Recherche de documents apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',L’Unité de mesure par défaut pour la variante '{0}' doit être la même que dans le Modèle '{1}' DocType: Shipping Rule,Calculate Based On,Calculer en fonction de @@ -5726,6 +5789,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Valeur maximale autorisé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 DocType: Lab Test Template,Sensitivity,Sensibilité DocType: Plaid Settings,Plaid Settings,Paramètres de plaid apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,La synchronisation a été temporairement désactivée car les tentatives maximales ont été dépassées @@ -5743,6 +5807,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Veuillez d’abord sélectionner la Date de Comptabilisation apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Date d'Ouverture devrait être antérieure à la Date de Clôture DocType: Travel Itinerary,Flight,Vol +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,De retour à la maison DocType: Leave Control Panel,Carry Forward,Reporter apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Un Centre de Coûts avec des transactions existantes ne peut pas être converti en grand livre DocType: Budget,Applicable on booking actual expenses,Applicable sur la base de l'enregistrement des dépenses réelles @@ -5798,6 +5863,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,créer offre apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Vous n'êtes pas autorisé à approuver les congés sur les Dates Bloquées apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} demande de {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Tous ces articles ont déjà été facturés +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Aucune facture en attente n'a été trouvée pour le {0} {1} qui qualifie les filtres que vous avez spécifiés. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Définir la nouvelle date de fin de mise en attente DocType: Company,Monthly Sales Target,Objectif de Vente Mensuel apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Aucune facture en attente trouvée @@ -5844,6 +5910,7 @@ DocType: Water Analysis,Type of Sample,Type d'échantillon DocType: Batch,Source Document Name,Nom du Document Source DocType: Production Plan,Get Raw Materials For Production,Obtenir des matières premières pour la production DocType: Job Opening,Job Title,Titre de l'Emploi +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Paiement futur Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} indique que {1} ne fournira pas de devis, mais tous les articles \ ont été évalués. Mise à jour du statut de devis RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Nombre maximum d'échantillons - {0} ont déjà été conservés pour le lot {1} et l'article {2} dans le lot {3}. @@ -5854,12 +5921,10 @@ apps/erpnext/erpnext/utilities/activation.py,Create Users,Créer des Utilisateur 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: Company,Product Code,Code produit DocType: Quality Review Table,Objective,Objectif DocType: Supplier Scorecard,Per Month,Par Mois DocType: Education Settings,Make Academic Term Mandatory,Faire un terme académique obligatoire -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,La quantité à produire doit être supérieur à 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Calculer le calendrier d'amortissement au prorata sur la base de l'exercice fiscal +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,La quantité à produire doit être supérieur à 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Rapport de visite pour appel de maintenance DocType: Stock Entry,Update Rate and Availability,Mettre à Jour le Prix et la Disponibilité 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.,Pourcentage que vous êtes autorisé à recevoir ou à livrer en plus de la quantité commandée. Par exemple : Si vous avez commandé 100 unités et que votre allocation est de 10% alors que vous êtes autorisé à recevoir 110 unités. @@ -5870,7 +5935,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,La date de sortie doit être dans le futur DocType: BOM,Website Description,Description du Site Web apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Variation Nette de Capitaux Propres -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Veuillez d’abord annuler la Facture d'Achat {0} apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Pas permis. Veuillez désactiver le type d'unité de service apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Adresse Email doit être unique, existe déjà pour {0}" DocType: Serial No,AMC Expiry Date,Date d'Expiration CMA @@ -5914,6 +5978,7 @@ DocType: Pricing Rule,Price Discount Scheme,Schéma de remise de prix apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Le statut de maintenance doit être annulé ou complété pour pouvoir être envoyé DocType: Amazon MWS Settings,US,États-Unis d'Amérique DocType: Holiday List,Add Weekly Holidays,Ajouter des vacances hebdomadaires +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Elément de rapport DocType: Staffing Plan Detail,Vacancies,Postes vacants DocType: Hotel Room,Hotel Room,Chambre d'hôtel apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Le compte {0} n'appartient pas à la société {1} @@ -5965,12 +6030,15 @@ DocType: Email Digest,Open Quotations,Citations ouvertes 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Supprimez l'employé {0} \ pour annuler ce document." 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 @@ -5984,6 +6052,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Vacant DocType: Patient,Alcohol Past Use,Consommation Passée d'Alcool DocType: Fertilizer Content,Fertilizer Content,Contenu d'engrais +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Pas de description apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,État de la Facturation DocType: Quality Goal,Monitoring Frequency,Fréquence de surveillance @@ -6001,6 +6070,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,La date de fin ne peut pas être avant la prochaine date de contact apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Entrées de lot DocType: Journal Entry,Pay To / Recd From,Payé À / Reçu De +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Annuler la publication DocType: Naming Series,Setup Series,Configuration des Séries DocType: Payment Reconciliation,To Invoice Date,Date de Facture Finale DocType: Bank Account,Contact HTML,HTML du Contact @@ -6022,6 +6092,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Vente de Détail DocType: Student Attendance,Absent,Absent DocType: Staffing Plan,Staffing Plan Detail,Détail du plan de dotation DocType: Employee Promotion,Promotion Date,Date de promotion +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,L'allocation de congé% s est liée à l'application de congé% s 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 @@ -6056,9 +6127,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,La facture {0} n'existe plus DocType: Guardian Interest,Guardian Interest,Part du Tuteur DocType: Volunteer,Availability,Disponibilité +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,La demande de congé est liée aux allocations de congé {0}. Demande de congé ne peut pas être défini comme congé sans solde apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Configurer les valeurs par défaut pour les factures de point de vente DocType: Employee Training,Training,Formation DocType: Project,Time to send,Heure d'envoi +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Cette page conserve une trace de vos articles pour lesquels les acheteurs ont manifesté un certain intérêt. DocType: Timesheet,Employee Detail,Détail Employé 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 @@ -6154,12 +6227,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valeur d'Ouverture DocType: Salary Component,Formula,Formule apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Série # -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 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/setup/doctype/company/company.py,Sales Account,Compte de vente DocType: Purchase Invoice Item,Total Weight,Poids total +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}" @@ -6183,6 +6256,7 @@ DocType: Company,Default Employee Advance Account,Compte d'avances versées aux apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Rechercher un élément (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Un compte contenant une transaction ne peut pas être supprimé +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Pourquoi pensez-vous que cet élément devrait être supprimé? DocType: Vehicle,Last Carbon Check,Dernière Vérification Carbone apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Frais Juridiques apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Veuillez sélectionner la quantité sur la ligne @@ -6202,6 +6276,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Panne DocType: Travel Itinerary,Vegetarian,Végétarien DocType: Patient Encounter,Encounter Date,Date de consultation +DocType: Work Order,Update Consumed Material Cost In Project,Mettre à jour le coût des matières consommées dans le projet apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Compte : {0} avec la devise : {1} ne peut pas être sélectionné DocType: Bank Statement Transaction Settings Item,Bank Data,Données bancaires DocType: Purchase Receipt Item,Sample Quantity,Quantité d'échantillon @@ -6256,7 +6331,7 @@ DocType: GSTR 3B Report,April,avril 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Remarque : Article {0} saisi plusieurs fois +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Remarque : Article {0} saisi plusieurs fois apps/erpnext/erpnext/config/buying.py,All Contacts.,Tous les Contacts. DocType: Accounting Period,Closed Documents,Documents fermés 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 @@ -6338,9 +6413,7 @@ DocType: Member,Membership Type,Type d'adhésion ,Reqd By Date,Requis par Date apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Créditeurs DocType: Assessment Plan,Assessment Name,Nom de l'Évaluation -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Afficher les chèques post-datés dans l'impression apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Ligne # {0} : N° de série est obligatoire -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Aucune facture en attente n'a été trouvée pour le {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Détail des Taxes par Article DocType: Employee Onboarding,Job Offer,Offre d'emploi apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abréviation de l'Institut @@ -6398,6 +6471,7 @@ DocType: Serial No,Out of Warranty,Hors Garantie DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Type de données mappées DocType: BOM Update Tool,Replace,Remplacer apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Aucun Produit trouvé. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Publier plus d'articles apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Cet accord de niveau de service est spécifique au client {0}. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} pour la Facture de Vente {1} DocType: Antibiotic,Laboratory User,Utilisateur de laboratoire @@ -6420,7 +6494,6 @@ DocType: Payment Order Reference,Bank Account Details,Détails de compte en banq DocType: Purchase Order Item,Blanket Order,Commande avec limites 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},L'Ordre de Production a été {0} DocType: BOM Item,BOM No,N° LDM 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 @@ -6493,6 +6566,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Fournitures taxables à la sortie (détaxées) DocType: BOM,Materials Required (Exploded),Matériel Requis (Éclaté) 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/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 @@ -6550,7 +6624,6 @@ DocType: Pricing Rule,Same Item,Même article DocType: Stock Ledger Entry,Stock Ledger Entry,Écriture du Livre d'Inventaire DocType: Quality Action Resolution,Quality Action Resolution,Quality Action Resolution apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} en demi-journée de congés le {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Le même article a été saisi plusieurs fois DocType: Department,Leave Block List,Liste de Blocage des Congés DocType: Purchase Invoice,Tax ID,Numéro d'Identification Fiscale apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,L'article {0} n'est pas configuré pour un Numéros de Série. La colonne doit être vide @@ -6588,7 +6661,7 @@ DocType: Cheque Print Template,Distance from top edge,Distance du bord supérieu 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 DocType: Purchase Invoice,Return,Retour -DocType: Accounting Dimension,Disable,Désactiver +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 DocType: Task,Pending Review,Revue en Attente apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Modifier en pleine page pour plus d'options comme les actifs, les numéros de série, les lots, etc." @@ -6701,7 +6774,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,La portion combinée de la facture doit être égale à 100% DocType: Item Default,Default Expense Account,Compte de Charges par Défaut DocType: GST Account,CGST Account,Compte CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Code d'article> Groupe d'articles> Marque apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,ID Email de l'Étudiant DocType: Employee,Notice (days),Préavis (jours) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Factures du bon de clôture du PDV @@ -6712,6 +6784,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Sélectionner les articles pour sauvegarder la facture DocType: Employee,Encashment Date,Date de l'Encaissement DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Information du vendeur DocType: Special Test Template,Special Test Template,Modèle de Test Spécial DocType: Account,Stock Adjustment,Ajustement du Stock apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Un Coût d’Activité par défault existe pour le Type d’Activité {0} @@ -6723,7 +6796,6 @@ 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 -DocType: Company,Bank Remittance Settings,Paramètres de remise bancaire apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Prix moyen 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" @@ -6752,6 +6824,7 @@ DocType: Grading Scale Interval,Threshold,Seuil apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtrer les employés par (facultatif) DocType: BOM Update Tool,Current BOM,LDM Actuelle apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Balance (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Quantité de produits finis apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Ajouter un Numéro de série DocType: Work Order Item,Available Qty at Source Warehouse,Qté Disponible à l'Entrepôt Source apps/erpnext/erpnext/config/support.py,Warranty,Garantie @@ -6830,7 +6903,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Ici vous pouvez conserver la hauteur, le poids, les allergies, les préoccupations médicales etc." apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Création de comptes ... DocType: Leave Block List,Applies to Company,S'applique à la Société -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Impossible d'annuler car l'Écriture de Stock soumise {0} existe +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Impossible d'annuler car l'Écriture de Stock soumise {0} existe DocType: Loan,Disbursement Date,Date de Décaissement DocType: Service Level Agreement,Agreement Details,Détails de l'accord apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,La date de début de l'accord ne peut être supérieure ou égale à la date de fin. @@ -6839,6 +6912,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Dossier médical DocType: Vehicle,Vehicle,Véhicule DocType: Purchase Invoice,In Words,En Toutes Lettres +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,À ce jour doit être avant la date du apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Entrez le nom de la banque ou de l'institution de prêt avant de soumettre. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} doit être soumis DocType: POS Profile,Item Groups,Groupes d'articles @@ -6910,7 +6984,6 @@ DocType: Customer,Sales Team Details,Détails de l'Équipe des Ventes apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Supprimer définitivement ? DocType: Expense Claim,Total Claimed Amount,Montant Total Réclamé apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Opportunités potentielles de vente. -DocType: Plaid Settings,Link a new bank account,Lier un nouveau compte bancaire apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} est un statut de présence invalide. DocType: Shareholder,Folio no.,No. de Folio apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Invalide {0} @@ -6926,7 +6999,6 @@ DocType: Production Plan,Material Requested,Matériel demandé DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Qté réservée pour le sous-contrat DocType: Patient Service Unit,Patinet Service Unit,Service de soins pour les patients -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Générer un fichier texte DocType: Sales Invoice,Base Change Amount (Company Currency),Montant de Base à Rendre (Devise de la Société) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Pas d’écritures comptables pour les entrepôts suivants apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Seulement {0} en stock pour l'article {1} @@ -6940,6 +7012,7 @@ DocType: Item,No of Months,Nombre de mois DocType: Item,Max Discount (%),Réduction Max (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Les jours de crédit ne peuvent pas être un nombre négatif apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Télécharger une déclaration +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Signaler cet article DocType: Purchase Invoice Item,Service Stop Date,Date d'arrêt du service apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Montant de la Dernière Commande DocType: Cash Flow Mapper,e.g Adjustments for:,Par exemple des ajustements pour: @@ -7032,16 +7105,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr 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. DocType: Sales Invoice,C-Form Applicable,Formulaire-C Applicable -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Temps de l'Opération doit être supérieur à 0 pour l'Opération {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Temps de l'Opération doit être supérieur à 0 pour l'Opération {0} DocType: Support Search Source,Post Route String,Chaîne de caractères du lien du message apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,L'entrepôt est obligatoire apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Échec de la création du site Web DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Détails de Conversion de l'UDM apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Admission et inscription -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Saisie de stock de rétention déjà créée ou quantité d'échantillon non fournie +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Saisie de stock de rétention déjà créée ou quantité d'échantillon non fournie DocType: Program,Program Abbreviation,Abréviation du Programme -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Ordre de Production ne peut être créé avec un Modèle d’Article apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grouper par bon (consolidé) DocType: HR Settings,Encrypt Salary Slips in Emails,Crypter les bulletins de salaire dans les courriels DocType: Question,Multiple Correct Answer,Réponse correcte multiple @@ -7088,7 +7160,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Est nul ou exempté DocType: Employee,Educational Qualification,Qualification pour l'Éducation DocType: Workstation,Operating Costs,Coûts d'Exploitation apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Devise pour {0} doit être {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Conséquence de la période de grâce d'entrée DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Marquez la présence sur la base de 'Enregistrement des employés' pour les employés affectés à ce poste. DocType: Asset,Disposal Date,Date d’Élimination DocType: Service Level,Response and Resoution Time,Temps de réponse et de rappel @@ -7136,6 +7207,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Date d'Achèvement DocType: Purchase Invoice Item,Amount (Company Currency),Montant (Devise de la Société) DocType: Program,Is Featured,Est en vedette +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Aller chercher... DocType: Agriculture Analysis Criteria,Agriculture User,Agriculteur apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,La date de validité ne peut pas être avant la date de transaction apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unités de {1} nécessaires dans {2} sur {3} {4} pour {5} pour compléter cette transaction. @@ -7168,7 +7240,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Mnt Total Payé 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 @@ -7192,6 +7263,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonyme apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Reçu De 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: 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} @@ -7306,7 +7378,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synch Taxes et Charges 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,LDM par défaut {0} introuvable +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Choisissez des articles pour les ajouter ici @@ -7340,7 +7412,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Date de l'Entretien DocType: Purchase Invoice Item,Rejected Serial No,N° de Série Rejeté apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Année de début ou de fin chevauche avec {0}. Pour l'éviter veuillez définir la société -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 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Veuillez mentionner le nom du Prospect dans le Prospect {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},La date de début doit être antérieure à la date de fin pour l'Article {0} DocType: Shift Type,Auto Attendance Settings,Paramètres de présence automatique @@ -7350,9 +7421,11 @@ DocType: Upload Attendance,Upload Attendance,Charger Fréquentation apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,LDM et quantité de production sont nécessaires apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Balance Agée 2 DocType: SG Creation Tool Course,Max Strength,Force Max +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Le compte {0} existe déjà dans la société enfant {1}. Les champs suivants ont des valeurs différentes, ils doivent être identiques:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Installation des réglages DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.AAAA.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Aucun bon de livraison sélectionné pour le client {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Lignes ajoutées dans {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,L'employé {0} n'a pas de montant maximal d'avantages sociaux apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Sélectionnez les articles en fonction de la Date de Livraison DocType: Grant Application,Has any past Grant Record,A obtenu des bourses par le passé @@ -7396,6 +7469,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Détails de l'Étudiant DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Il s'agit de l'UOM par défaut utilisée pour les articles et les commandes clients. La MOU de repli est "Nos". DocType: Purchase Invoice Item,Stock Qty,Qté en Stock +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 DocType: Loan,Repayment Period in Months,Période de Remboursement en Mois @@ -7424,6 +7498,7 @@ DocType: Authorization Rule,Customerwise Discount,Remise en fonction du Client apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Feuille de Temps pour les tâches. DocType: Purchase Invoice,Against Expense Account,Pour le Compte de Charges apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Note d'Installation {0} à déjà été sousmise +DocType: BOM,Raw Material Cost (Company Currency),Coût de la matière première (devise de la société) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Jours de location de maison payés avec chevauchement avec {0} DocType: GSTR 3B Report,October,octobre DocType: Bank Reconciliation,Get Payment Entries,Obtenir les Écritures de Paiement @@ -7470,15 +7545,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,La date de mise en service est nécessaire DocType: Request for Quotation,Supplier Detail,Détails du Fournisseur apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Erreur dans la formule ou dans la condition : {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Montant Facturé +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Montant Facturé apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Le total des pondérations des critères doit être égal à 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Présence apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Articles de Stock DocType: Sales Invoice,Update Billed Amount in Sales Order,Mettre à jour le montant facturé dans la commande client +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Contacter le vendeur 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,En Toutes Lettres. Sera visible une fois que vous enregistrerez le Bon de Commande. @@ -7492,6 +7569,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Données de Base des Listes de Prix DocType: Task,Review Date,Date de Revue DocType: BOM,Allow Alternative Item,Autoriser un article alternatif +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Le reçu d’achat ne contient aucun élément pour lequel Conserver échantillon est activé. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Total général de la facture DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Série pour la Dépréciation d'Actifs (Entrée de Journal) DocType: Membership,Member Since,Membre depuis @@ -7501,6 +7579,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Sur le Total Net 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},Valeur pour l'attribut {0} doit être dans la gamme de {1} à {2} dans les incréments de {3} pour le poste {4} DocType: Pricing Rule,Product Discount Scheme,Schéma de remise de produit +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Aucun problème n'a été soulevé par l'appelant. DocType: Restaurant Reservation,Waitlisted,En liste d'attente DocType: Employee Tax Exemption Declaration Category,Exemption Category,Catégorie d'exemption apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Devise ne peut être modifiée après avoir fait des entrées en utilisant une autre devise @@ -7514,7 +7593,6 @@ DocType: Customer Group,Parent Customer Group,Groupe Client Parent apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON peut uniquement être généré à partir de la facture client apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Nombre maximal de tentatives pour ce quiz atteint! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonnement -DocType: Purchase Invoice,Contact Email,Email du Contact apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Création d'honoraires en attente DocType: Project Template Task,Duration (Days),Durée (jours) DocType: Appraisal Goal,Score Earned,Score Gagné @@ -7539,7 +7617,6 @@ DocType: Landed Cost Item,Landed Cost Item,Coût de l'Article au Débarquement 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Le montant pour une transaction unique dépasse le montant maximum autorisé, créez un ordre de paiement séparé en fractionnant les transactions." 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 @@ -7707,6 +7784,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,dispo DocType: Quality Inspection Reading,Reading 3,Reading 3 DocType: Stock Entry,Source Warehouse Address,Adresse de l'entrepôt source DocType: GL Entry,Voucher Type,Type de Référence +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Paiements futurs 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é @@ -7733,6 +7811,7 @@ DocType: Travel Request,Identification Document Number,Numéro du document d'ide 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é." DocType: Sales Invoice,Customer GSTIN,GSTIN Client DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Liste des maladies détectées sur le terrain. Une fois sélectionné, il ajoutera automatiquement une liste de tâches pour faire face à la maladie" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Ceci est une unité de service de soins de santé racine et ne peut pas être édité. DocType: Asset Repair,Repair Status,État de réparation 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é ." @@ -7747,6 +7826,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Compte pour le Rendu de Monnaie DocType: QuickBooks Migrator,Connecting to QuickBooks,Connexion à QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Total des profits/pertes +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Créer une liste de choix apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ligne {0} : Tiers / Compte ne correspond pas à {1} / {2} en {3} {4} DocType: Employee Promotion,Employee Promotion,Promotion des employés DocType: Maintenance Team Member,Maintenance Team Member,Membre de l'équipe de maintenance @@ -7829,6 +7909,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Salaire Net ne peut pas être négatif @@ -7860,7 +7941,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Objectif de qualité DocType: BOM,Item to be manufactured or repacked,Article à produire ou à réemballer apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Erreur de syntaxe dans la condition: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Aucun problème soulevé par le client. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-YYYY.- DocType: Employee Education,Major/Optional Subjects,Sujets Principaux / En Option apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Veuillez définir un groupe de fournisseurs par défaut dans les paramètres d'achat. @@ -7953,8 +8033,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Jours de Crédit apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Veuillez sélectionner un patient pour obtenir les tests de laboratoire DocType: Exotel Settings,Exotel Settings,Paramètres Exotel -DocType: Leave Type,Is Carry Forward,Est un Report +DocType: Leave Ledger Entry,Is Carry Forward,Est un Report DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Heures de travail en dessous desquelles Absent est marqué. (Zéro à désactiver) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Envoyer un message apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Obtenir les Articles depuis LDM 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 diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv index 46f0dc6bc5..6c39590724 100644 --- a/erpnext/translations/gu.csv +++ b/erpnext/translations/gu.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,પુરવઠોકર્તાને સૂચિત કરો apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,પ્રથમ પક્ષ પ્રકાર પસંદ કરો DocType: Item,Customer Items,ગ્રાહક વસ્તુઓ +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,જવાબદારીઓ DocType: Project,Costing and Billing,પડતર અને બિલિંગ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},એડવાન્સ એકાઉન્ટ ચલણ કંપની ચલણ {0} જેટલું જ હોવું જોઈએ DocType: QuickBooks Migrator,Token Endpoint,ટોકન એન્ડપોઇન્ટ @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,માપવા એકમ મૂળભૂ DocType: SMS Center,All Sales Partner Contact,બધા વેચાણ ભાગીદાર સંપર્ક DocType: Department,Leave Approvers,સાક્ષી છોડો DocType: Employee,Bio / Cover Letter,બાયો / કવર લેટર +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,આઇટમ્સ શોધો ... DocType: Patient Encounter,Investigations,તપાસ DocType: Restaurant Order Entry,Click Enter To Add,ઍડ કરવા માટે દાખલ કરો ક્લિક કરો apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","પાસવર્ડ, API કી અથવા Shopify URL માટે ખૂટે મૂલ્ય" DocType: Employee,Rented,ભાડાનાં apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,બધા એકાઉન્ટ્સ apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,કર્મચારીને દરજ્જા સાથે સ્થાનાંતરિત કરી શકાતું નથી -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","અટકાવાયેલ ઉત્પાદન ઓર્ડર રદ કરી શકાતી નથી, રદ કરવા તે પ્રથમ Unstop" DocType: Vehicle Service,Mileage,માઇલેજ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,શું તમે ખરેખર આ એસેટ સ્ક્રેપ કરવા માંગો છો? DocType: Drug Prescription,Update Schedule,શેડ્યૂલ અપડેટ કરો @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,ગ્રાહક DocType: Purchase Receipt Item,Required By,દ્વારા જરૂરી DocType: Delivery Note,Return Against Delivery Note,ડ લવર નોંધ સામે પાછા ફરો DocType: Asset Category,Finance Book Detail,ફાઇનાન્સ બુક વિગત +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,તમામ અવમૂલ્યન બુક કરાયા છે DocType: Purchase Order,% Billed,% ગણાવી apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,પેરોલ નંબર apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),વિનિમય દર તરીકે જ હોવી જોઈએ {0} {1} ({2}) @@ -95,6 +97,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,બેચ વસ્તુ સમાપ્તિ સ્થિતિ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,બેંક ડ્રાફ્ટ DocType: Journal Entry,ACC-JV-.YYYY.-,એસીસી-જે.વી.-વાય.વાય.વાય.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,કુલ અંતમાં પ્રવેશ DocType: Mode of Payment Account,Mode of Payment Account,ચુકવણી એકાઉન્ટ પ્રકાર apps/erpnext/erpnext/config/healthcare.py,Consultation,પરામર્શ DocType: Accounts Settings,Show Payment Schedule in Print,પ્રિન્ટમાં પેમેન્ટ શેડ્યૂલ દર્શાવો @@ -122,6 +125,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,પ્રાથમિક સંપર્ક વિગતો apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,ઓપન મુદ્દાઓ DocType: Production Plan Item,Production Plan Item,ઉત્પાદન યોજના વસ્તુ +DocType: Leave Ledger Entry,Leave Ledger Entry,લેજર એન્ટ્રી છોડો 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,લીડ બનાવો @@ -140,6 +144,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,મ DocType: Purchase Invoice Item,Item Weight Details,આઇટમ વજન વિગતો DocType: Asset Maintenance Log,Periodicity,સમયગાળાના apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,ફિસ્કલ વર્ષ {0} જરૂરી છે +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,ચોખ્ખો નફો / નુકસાન DocType: Employee Group Table,ERPNext User ID,ERPNext વપરાશકર્તા ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,શ્રેષ્ઠ વૃદ્ધિ માટે છોડની પંક્તિઓ વચ્ચે લઘુત્તમ અંતર apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,સૂચિત પ્રક્રિયા મેળવવા માટે કૃપા કરીને દર્દીને પસંદ કરો @@ -166,10 +171,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,વેચાણ કિંમત યાદી DocType: Patient,Tobacco Current Use,તમાકુ વર્તમાન ઉપયોગ apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,વેચાણ દર -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,નવું એકાઉન્ટ ઉમેરતા પહેલા કૃપા કરીને તમારા દસ્તાવેજને સાચવો 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 ...,કંઈપણ માટે શોધ કરો ... DocType: Company,Phone No,ફોન કોઈ DocType: Delivery Trip,Initial Email Notification Sent,પ્રારંભિક ઇમેઇલ સૂચન મોકલ્યું DocType: Bank Statement Settings,Statement Header Mapping,નિવેદન હેડર મેપિંગ @@ -231,6 +236,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,પ DocType: Exchange Rate Revaluation Account,Gain/Loss,લાભ / નુકસાન DocType: Crop,Perennial,બારમાસી DocType: Program,Is Published,પ્રકાશિત થયેલ છે +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,ડિલિવરી નોટ્સ બતાવો apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","વધુ બિલિંગને મંજૂરી આપવા માટે, એકાઉન્ટ્સ સેટિંગ્સ અથવા આઇટમમાં "ઓવર બિલિંગ એલાઉન્સ" અપડેટ કરો." DocType: Patient Appointment,Procedure,કાર્યવાહી DocType: Accounts Settings,Use Custom Cash Flow Format,કસ્ટમ કેશ ફ્લો ફોર્મેટનો ઉપયોગ કરો @@ -279,6 +285,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,ચુકવણી બોલ કાળ સંખ્યા apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,નિર્માણની માત્રા શૂન્યથી ઓછી હોઈ શકે નહીં DocType: Stock Entry,Additional Costs,વધારાના ખર્ચ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> ક્ષેત્ર apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,હાલની વ્યવહાર સાથે એકાઉન્ટ જૂથ રૂપાંતરિત કરી શકતા નથી. DocType: Lead,Product Enquiry,ઉત્પાદન ઇન્કવાયરી DocType: Education Settings,Validate Batch for Students in Student Group,વિદ્યાર્થી જૂથમાં વિદ્યાર્થીઓ માટે બેચ માન્ય @@ -290,7 +297,9 @@ DocType: Employee Education,Under Graduate,ગ્રેજ્યુએટ હે apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,એચઆર સેટિંગ્સમાં સ્થિતિ સૂચન છોડો માટે ડિફૉલ્ટ નમૂનો સેટ કરો. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,લક્ષ્યાંક પર DocType: BOM,Total Cost,કુલ ખર્ચ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,ફાળવણી સમાપ્ત! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,મહત્તમ ફોરવર્ડ કરેલા પાંદડા DocType: Salary Slip,Employee Loan,કર્મચારીનું લોન DocType: Additional Salary,HR-ADS-.YY.-.MM.-,એચઆર-એડીએસ-. વાય.વાય.- એમ.એમ.- DocType: Fee Schedule,Send Payment Request Email,ચુકવણી વિનંતી ઇમેઇલ મોકલો @@ -300,6 +309,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,રિ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,એકાઉન્ટ સ્ટેટમેન્ટ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ફાર્માસ્યુટિકલ્સ DocType: Purchase Invoice Item,Is Fixed Asset,સ્થિર એસેટ છે +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,ભાવિ ચુકવણીઓ બતાવો DocType: Patient,HLC-PAT-.YYYY.-,એચએલસી-પીએટી -વાયવાયવાય- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,આ બેંક ખાતું પહેલાથી સિંક્રનાઇઝ થયેલ છે DocType: Homepage,Homepage Section,હોમપેજ વિભાગ @@ -345,7 +355,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,ખાતર apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",સીરીયલ નંબર દ્વારા ડિલિવરીની ખાતરી કરી શકાતી નથી કારણ કે \ Item {0} સાથે \ Serial No -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,કૃપા કરીને શિક્ષણ> શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,ચુકવણી ઓછામાં ઓછો એક મોડ POS ભરતિયું માટે જરૂરી છે. DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,બેંક સ્ટેટમેન્ટ ટ્રાન્ઝેક્શન ઇન્વોઇસ આઇટમ DocType: Salary Detail,Tax on flexible benefit,લવચીક લાભ પર કર @@ -419,6 +428,7 @@ DocType: Job Offer,Select Terms and Conditions,પસંદ કરો નિય apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,મૂલ્ય DocType: Bank Statement Settings Item,Bank Statement Settings Item,બેંક સ્ટેટમેન્ટ સેટિંગ્સ આઇટમ DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce સેટિંગ્સ +DocType: Leave Ledger Entry,Transaction Name,વ્યવહાર નામ DocType: Production Plan,Sales Orders,વેચાણ ઓર્ડર apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,ગ્રાહક માટે બહુવિધ લોયલ્ટી પ્રોગ્રામ જોવા મળે છે કૃપા કરીને જાતે પસંદ કરો DocType: Purchase Taxes and Charges,Valuation,મૂલ્યાંકન @@ -453,6 +463,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: 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,સુધારા ઇમેઇલ ગ્રુપ DocType: POS Profile,Only show Customer of these Customer Groups,ફક્ત આ ગ્રાહક જૂથોના ગ્રાહક બતાવો DocType: Sales Invoice,Is Opening Entry,એન્ટ્રી ખુલી છે @@ -461,8 +472,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,ઉલ્લેખ બિન પ્રમાણભૂત મળવાપાત્ર એકાઉન્ટ લાગુ પડતું હોય તો 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,આ ચૂંટેલા સૂચિની સામે સ્ટોક એન્ટ્રી પહેલાથી જ બનાવવામાં આવી છે DocType: Supplier Scorecard,Criteria Setup,માપદંડ સેટઅપ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,વેરહાઉસ માટે જમા પહેલાં જરૂરી છે +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,પર પ્રાપ્ત DocType: Codification Table,Medical Code,તબીબી કોડ apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ERPNext સાથે એમેઝોન કનેક્ટ કરો @@ -478,7 +490,7 @@ DocType: Restaurant Order Entry,Add Item,આઇટમ ઉમેરો DocType: Party Tax Withholding Config,Party Tax Withholding Config,પાર્ટી કર રોકવાની રૂપરેખા DocType: Lab Test,Custom Result,કસ્ટમ પરિણામ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,બેંક ખાતાઓ ઉમેર્યા -DocType: Delivery Stop,Contact Name,સંપર્ક નામ +DocType: Call Log,Contact Name,સંપર્ક નામ DocType: Plaid Settings,Synchronize all accounts every hour,દર કલાકે બધા એકાઉન્ટ્સને સિંક્રનાઇઝ કરો DocType: Course Assessment Criteria,Course Assessment Criteria,કોર્સ આકારણી માપદંડ DocType: Pricing Rule Detail,Rule Applied,નિયમ લાગુ @@ -522,7 +534,6 @@ 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,સેલ્સ ભરતિયું કોઈ -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,અજ્ Unknownાત નંબર DocType: Website Filter Field,Website Filter Field,વેબસાઇટ ફિલ્ટર ક્ષેત્ર apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,પુરવઠા પ્રકાર DocType: Material Request Item,Min Order Qty,મીન ઓર્ડર Qty @@ -550,7 +561,6 @@ DocType: Salary Slip,Total Principal Amount,કુલ મુખ્ય રકમ DocType: Student Guardian,Relation,સંબંધ DocType: Quiz Result,Correct,સુધારો DocType: Student Guardian,Mother,મધર -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,કૃપા કરીને પહેલા સાઇટ_કોનફિગ.જ.સનમાં માન્ય પ્લેઇડ એપીઆઇ કીઓ ઉમેરો DocType: Restaurant Reservation,Reservation End Time,આરક્ષણ અંત સમય DocType: Crop,Biennial,દ્વિવાર્ષિક ,BOM Variance Report,બોમ વેરિઅન્સ રીપોર્ટ @@ -565,6 +575,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,પ્લેઇડ સાર્વજનિક કી DocType: Payment Term,Payment Term Name,ચુકવણીની ટર્મનું નામ DocType: Healthcare Settings,Create documents for sample collection,નમૂના સંગ્રહ માટે દસ્તાવેજો બનાવો apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},સામે ચુકવણી {0} {1} બાકી રકમ કરતાં વધારે ન હોઈ શકે {2} @@ -612,12 +623,14 @@ DocType: POS Profile,Offline POS Settings,OSફલાઇન પીઓએસ સ DocType: Stock Entry Detail,Reference Purchase Receipt,સંદર્ભ ખરીદી રસીદ DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,મેટ-રીકો -YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,ચલ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',કરતાં 'Qty ઉત્પાદન' પૂર્ણ Qty વધારે ન હોઈ શકે +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',કરતાં 'Qty ઉત્પાદન' પૂર્ણ Qty વધારે ન હોઈ શકે +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,પીરિયડ ચાલુ DocType: Period Closing Voucher,Closing Account Head,એકાઉન્ટ વડા બંધ DocType: Employee,External Work History,બાહ્ય કામ ઇતિહાસ apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,ગોળ સંદર્ભ ભૂલ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,વિદ્યાર્થી અહેવાલ કાર્ડ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,પિન કોડથી +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,વેચાણ વ્યક્તિ બતાવો DocType: Appointment Type,Is Inpatient,ઇનપેશન્ટ છે apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 નામ DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,તમે બોલ પર કોઈ નોંધ સેવ વાર શબ્દો (નિકાસ) દૃશ્યમાન થશે. @@ -631,6 +644,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,પરિમાણ નામ apps/erpnext/erpnext/healthcare/setup.py,Resistant,રેઝિસ્ટન્ટ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{} પર હોટેલ રૂમ રેટ સેટ કરો +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ> નંબરિંગ સિરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો DocType: Journal Entry,Multi Currency,મલ્ટી કરન્સી DocType: Bank Statement Transaction Invoice Item,Invoice Type,ભરતિયું પ્રકાર apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,તારીખથી માન્ય માન્ય તારીખથી ઓછી હોવી જોઈએ @@ -649,6 +663,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,પ્રવેશ DocType: Workstation,Rent Cost,ભાડું ખર્ચ 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,રકમ અવમૂલ્યન પછી apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,આગામી કેલેન્ડર ઘટનાઓ apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,વેરિએન્ટ વિશેષતાઓ @@ -733,7 +748,6 @@ DocType: Request for Quotation,Request for Quotation,અવતરણ માટ 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,છાપવામાં વેચાણ વ્યક્તિ બતાવો 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,સ્ટ્રેન્થ @@ -741,7 +755,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,નવી ગ્રાહક બનાવવા apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,સમાપ્તિ પર apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","બહુવિધ કિંમતના નિયમોમાં જીતવું ચાલુ હોય, વપરાશકર્તાઓ તકરાર ઉકેલવા માટે જાતે અગ્રતા સુયોજિત કરવા માટે કહેવામાં આવે છે." -DocType: Purchase Invoice,Scan Barcode,બારકોડ સ્કેન કરો apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,ખરીદી ઓર્ડર બનાવો ,Purchase Register,ખરીદી રજીસ્ટર apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,પેશન્ટ મળ્યું નથી @@ -799,6 +812,7 @@ DocType: Lead,Channel Partner,ચેનલ ભાગીદાર DocType: Account,Old Parent,ઓલ્ડ પિતૃ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,ફરજિયાત ફીલ્ડ - શૈક્ષણિક વર્ષ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} {2} {3} સાથે સંકળાયેલ નથી +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} સામે વ્યવહારોની મંજૂરી નથી @@ -841,6 +855,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Timesheet આધારિત પેરોલ માટે પગાર પુન. DocType: Driver,Applicable for external driver,બાહ્ય ડ્રાઇવર માટે લાગુ DocType: Sales Order Item,Used for Production Plan,ઉત્પાદન યોજના માટે વપરાય છે +DocType: BOM,Total Cost (Company Currency),કુલ ખર્ચ (કંપની કરન્સી) DocType: Loan,Total Payment,કુલ ચુકવણી apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,પૂર્ણ કાર્ય ઓર્ડર માટે ટ્રાન્ઝેક્શન રદ કરી શકાતું નથી. DocType: Manufacturing Settings,Time Between Operations (in mins),(મિનિટ) ઓપરેશન્સ વચ્ચે સમય @@ -861,6 +876,7 @@ DocType: Supplier Scorecard Standing,Notify Other,અન્ય સૂચિત DocType: Vital Signs,Blood Pressure (systolic),બ્લડ પ્રેશર (સિસ્ટેલોક) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} એ {2} છે DocType: Item Price,Valid Upto,માન્ય સુધી +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.,તમારા ગ્રાહકો થોડા યાદી આપે છે. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે. @@ -878,6 +894,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} માં ફેરફાર apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,કંપની પસંદ કરો DocType: Employee Skill,Employee Skill,કર્મચારી કૌશલ્ય apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,તફાવત એકાઉન્ટ @@ -920,6 +937,7 @@ DocType: Patient,Risk Factors,જોખમ પરિબળો DocType: Patient,Occupational Hazards and Environmental Factors,વ્યવસાય જોખમો અને પર્યાવરણીય પરિબળો apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,સ્ટોક્સ એન્ટ્રીઝ પહેલેથી જ વર્ક ઓર્ડર માટે બનાવેલ છે apps/erpnext/erpnext/templates/pages/cart.html,See past orders,પાછલા ઓર્ડર જુઓ +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} વાતચીત DocType: Vital Signs,Respiratory rate,શ્વસન દર apps/erpnext/erpnext/config/help.py,Managing Subcontracting,મેનેજિંગ Subcontracting DocType: Vital Signs,Body Temperature,શારીરિક તાપમાન @@ -961,6 +979,7 @@ DocType: Purchase Invoice,Registered Composition,રજિસ્ટર્ડ ક apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,હેલો apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,ખસેડો વસ્તુ DocType: Employee Incentive,Incentive Amount,પ્રોત્સાહન રકમ +,Employee Leave Balance Summary,કર્મચારી રજા બેલેન્સ સારાંશ DocType: Serial No,Warranty Period (Days),વોરંટી સમયગાળા (દિવસ) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,કુલ ક્રેડિટ / ડેબિટ રકમ લિન્ક જર્નલ એન્ટ્રી તરીકે જ હોવી જોઈએ DocType: Installation Note Item,Installation Note Item,સ્થાપન નોંધ વસ્તુ @@ -974,6 +993,7 @@ DocType: Vital Signs,Bloated,ફૂલેલું DocType: Salary Slip,Salary Slip Timesheet,પગાર કાપલી Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,પેટા કોન્ટ્રાક્ટ ખરીદી રસીદ માટે ફરજિયાત પુરવઠોકર્તા વેરહાઉસ DocType: Item Price,Valid From,થી માન્ય +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,તમારી રેટિંગ: DocType: Sales Invoice,Total Commission,કુલ કમિશન DocType: Tax Withholding Account,Tax Withholding Account,ટેક્સ રોકવાનો એકાઉન્ટ DocType: Pricing Rule,Sales Partner,વેચાણ ભાગીદાર @@ -981,6 +1001,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,બધા પુ DocType: Buying Settings,Purchase Receipt Required,ખરીદી રસીદ જરૂરી DocType: Sales Invoice,Rail,રેલ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,વાસ્તવિક કિંમત +DocType: Item,Website Image,વેબસાઇટ છબી apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,પંક્તિ {0} માં લક્ષ્ય વેરહાઉસ વર્ક ઓર્ડર તરીકે જ હોવું જોઈએ apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,જો ખુલે સ્ટોક દાખલ મૂલ્યાંકન દર ફરજિયાત છે apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,ભરતિયું ટેબલ માં શોધી કોઈ રેકોર્ડ @@ -1014,8 +1035,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,કૃપા કરીને તમારું એકાઉન્ટ સિંક્રનાઇઝ કરતા પહેલાં તમારું પ્લેઇડ API ગોઠવણી પૂર્ણ કરો apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,અર્ધ દિવસની તારીખ ફરજિયાત છે DocType: Sales Order,Billing and Delivery Status,બિલિંગ અને ડ લવર સ્થિતિ DocType: Job Applicant,Resume Attachment,ફરી શરૂ કરો જોડાણ @@ -1027,7 +1048,6 @@ DocType: Production Plan,Production Plan,ઉત્પાદન યોજના DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ઇન્વોઇસ બનાવટ ટૂલ ખુલે છે DocType: Salary Component,Round to the Nearest Integer,નજીકના પૂર્ણાંક માટેનો ગોળ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,વેચાણ પરત -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,નોંધ: કુલ ફાળવેલ પાંદડા {0} પહેલાથી મંજૂર પાંદડા કરતાં ઓછી ન હોવી જોઈએ {1} સમયગાળા માટે DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,સીરીઅલ ઇનપુટ પર આધારિત વ્યવહારોમાં જથ્થો સેટ કરો ,Total Stock Summary,કુલ સ્ટોક સારાંશ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1054,6 +1074,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.," apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,મુખ્ય રકમ DocType: Loan Application,Total Payable Interest,કુલ ચૂકવવાપાત્ર વ્યાજ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},કુલ ઉત્કૃષ્ટ: {0} +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} DocType: Payroll Entry,Select Payment Account to make Bank Entry,પસંદ ચુકવણી એકાઉન્ટ બેન્ક એન્ટ્રી બનાવવા માટે @@ -1062,6 +1083,7 @@ 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,અપડેટ પ્રક્રિયા દરમિયાન ભૂલ આવી DocType: Restaurant Reservation,Restaurant Reservation,રેસ્ટોરન્ટ રિઝર્વેશન +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,તમારી આઇટમ્સ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,દરખાસ્ત લેખન DocType: Payment Entry Deduction,Payment Entry Deduction,ચુકવણી એન્ટ્રી કપાત DocType: Service Level Priority,Service Level Priority,સેવા સ્તરની પ્રાધાન્યતા @@ -1070,6 +1092,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,બેચ સંખ્યા શ્રેણી apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,અન્ય વેચાણ વ્યક્તિ {0} એ જ કર્મચારીનું ID સાથે અસ્તિત્વમાં DocType: Employee Advance,Claimed Amount,દાવાની રકમ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,ફાળવણીની અવધિ DocType: QuickBooks Migrator,Authorization Settings,અધિકૃતતા સેટિંગ્સ DocType: Travel Itinerary,Departure Datetime,પ્રસ્થાન ડેટાટાઇમ apps/erpnext/erpnext/hub_node/api.py,No items to publish,પ્રકાશિત કરવા માટે કોઈ આઇટમ્સ નથી @@ -1137,7 +1160,6 @@ DocType: Student Batch Name,Batch Name,બેચ નામ DocType: Fee Validity,Max number of visit,મુલાકાતની મહત્તમ સંખ્યા DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,નફા અને ખોટ ખાતા માટે ફરજિયાત ,Hotel Room Occupancy,હોટેલ રૂમ વ્યવસ્થિત -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet બનાવવામાં: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},ચૂકવણીની પદ્ધતિ મૂળભૂત કેશ અથવા બેન્ક એકાઉન્ટ સેટ કરો {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,નોંધણી DocType: GST Settings,GST Settings,જીએસટી સેટિંગ્સ @@ -1267,6 +1289,7 @@ DocType: Sales Invoice,Commission Rate (%),કમિશન દર (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,પસંદ કરો કાર્યક્રમ DocType: Project,Estimated Cost,અંદાજીત કિંમત DocType: Request for Quotation,Link to material requests,સામગ્રી વિનંતીઓ લિંક +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,પ્રકાશિત કરો apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,એરોસ્પેસ ,Fichier des Ecritures Comptables [FEC],ફિચિયર ડેસ ઇક્ચિટર્સ કૉમ્પેટબલ્સ [એફઇસી] DocType: Journal Entry,Credit Card Entry,ક્રેડિટ કાર્ડ એન્ટ્રી @@ -1293,6 +1316,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,વર્તમાન અસ્કયામતો apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} સ્ટોક વસ્તુ નથી apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New','તાલીમ અભિપ્રાય' પર ક્લિક કરીને અને પછી 'નવું' પર ક્લિક કરીને તાલીમ માટે તમારી પ્રતિક્રિયા શેર કરો. +DocType: Call Log,Caller Information,કlerલર માહિતી DocType: Mode of Payment Account,Default Account,મૂળભૂત એકાઉન્ટ apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,પ્રથમ સ્ટોક સેટિંગ્સમાં નમૂના રીટેન્શન વેરહાઉસ પસંદ કરો apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,કૃપા કરીને એકથી વધુ સંગ્રહ નિયમો માટે મલ્ટીપલ ટાયર પ્રોગ્રામ પ્રકાર પસંદ કરો @@ -1317,6 +1341,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,ઓટો સામગ્રી અરજીઓ પેદા DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),કામના કલાકો કે જેના નીચે અર્ધ દિવસ ચિહ્નિત થયેલ છે. (અક્ષમ કરવા માટે શૂન્ય) DocType: Job Card,Total Completed Qty,કુલ પૂર્ણ સંખ્યા +DocType: HR Settings,Auto Leave Encashment,Autoટો લીવ એન્કેશમેન્ટ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,લોસ્ટ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,તમે સ્તંભ 'જર્નલ પ્રવેશ સામે વર્તમાન વાઉચર દાખલ નહીં કરી શકો DocType: Employee Benefit Application Detail,Max Benefit Amount,મહત્તમ લાભ રકમ @@ -1346,9 +1371,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,ઉપભોક્તા DocType: Item Attribute Value,Item Attribute Value,વસ્તુ કિંમત એટ્રીબ્યુટ apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,ખરીદ અથવા વેચાણ માટે કરન્સી એક્સચેન્જ લાગુ હોવું આવશ્યક છે. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,ફક્ત સમયસીમાની ફાળવણી રદ કરી શકાય છે DocType: Item,Maximum sample quantity that can be retained,મહત્તમ નમૂના જથ્થો કે જે જાળવી શકાય apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},રો {0} # આઇટમ {1} ખરીદ ઑર્ડર {2} વિરુદ્ધ {2} કરતાં વધુ સ્થાનાંતરિત કરી શકાતી નથી apps/erpnext/erpnext/config/crm.py,Sales campaigns.,વેચાણ ઝુંબેશ. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,અજાણ્યો કlerલર DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1380,6 +1407,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,હેલ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,ડૉક નામ DocType: Expense Claim Detail,Expense Claim Type,ખર્ચ દાવાનો પ્રકાર DocType: Shopping Cart Settings,Default settings for Shopping Cart,શોપિંગ કાર્ટ માટે મૂળભૂત સુયોજનો +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,આઇટમ સાચવો apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,નવો ખર્ચ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,હાલની ઓર્ડર થયેલ ક્વોટીને અવગણો apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,ટાઇમસ્લોટ્સ ઉમેરો @@ -1392,6 +1420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,સમીક્ષા આમંત્રણ મોકલાયું DocType: Shift Assignment,Shift Assignment,શીફ્ટ એસાઈનમેન્ટ DocType: Employee Transfer Property,Employee Transfer Property,કર્મચારી ટ્રાન્સફર સંપત્તિ +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,ફીલ્ડ ઇક્વિટી / જવાબદારી એકાઉન્ટ ખાલી હોઈ શકતું નથી apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,સમય પ્રતિ તે સમય કરતાં ઓછું હોવું જોઈએ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,બાયોટેકનોલોજી apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1472,11 +1501,13 @@ 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,નવો સંપર્ક બનાવો apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,કોર્સ શેડ્યૂલ DocType: GSTR 3B Report,GSTR 3B Report,જીએસટીઆર 3 બી રિપોર્ટ DocType: Request for Quotation Supplier,Quote Status,ભાવ સ્થિતિ DocType: GoCardless Settings,Webhooks Secret,વેબહૂક્સ સિક્રેટ DocType: Maintenance Visit,Completion Status,પૂર્ણ સ્થિતિ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},કુલ ચુકવણીની રકમ {than કરતા વધુ હોઈ શકતી નથી DocType: Daily Work Summary Group,Select Users,વપરાશકર્તાઓને પસંદ કરો DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,હોટેલ રૂમ પ્રાઇસીંગ આઇટમ DocType: Loyalty Program Collection,Tier Name,ટાયર નામ @@ -1514,6 +1545,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,એસ DocType: Lab Test Template,Result Format,પરિણામ ફોર્મેટ DocType: Expense Claim,Expenses,ખર્ચ DocType: Service Level,Support Hours,આધાર કલાક +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,ડિલિવરી નોંધો DocType: Item Variant Attribute,Item Variant Attribute,વસ્તુ વેરિએન્ટ એટ્રીબ્યુટ ,Purchase Receipt Trends,ખરીદી રસીદ પ્રવાહો DocType: Payroll Entry,Bimonthly,દ્વિમાસિક @@ -1535,7 +1567,6 @@ DocType: Sales Team,Incentives,ઇનસેન્ટીવ્સ DocType: SMS Log,Requested Numbers,વિનંતી નંબર્સ DocType: Volunteer,Evening,સાંજ DocType: Quiz,Quiz Configuration,ક્વિઝ રૂપરેખાંકન -DocType: Customer,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,સ્ટોક વિગતો @@ -1582,7 +1613,6 @@ apps/erpnext/erpnext/config/accounting.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,ફિલ્ટર કુલ ઝીરો જથ્થો -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},ઓપરેશન માટે આગામી {0} દિવસોમાં સમય સ્લોટ શોધવામાં અસમર્થ {1} DocType: Work Order,Plan material for sub-assemblies,પેટા-સ્થળોના માટે યોજના સામગ્રી 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,ટ્રાન્સફર માટે કોઈ આઇટમ્સ ઉપલબ્ધ નથી @@ -1597,9 +1627,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,ફરીથી orderર્ડર સ્તર જાળવવા માટે તમારે સ્ટોક સેટિંગ્સમાં સ્વચાલિત રી-orderર્ડરને સક્ષમ કરવું પડશે. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,આ જાળવણી મુલાકાત લો રદ રદ સામગ્રી મુલાકાત {0} DocType: Pricing Rule,Rate or Discount,દર અથવા ડિસ્કાઉન્ટ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,બેંકની વિગત DocType: Vital Signs,One Sided,એક બાજુ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},સીરીયલ કોઈ {0} વસ્તુ ને અનુલક્ષતું નથી {1} -DocType: Purchase Receipt Item Supplied,Required Qty,જરૂરી Qty +DocType: Purchase Order Item Supplied,Required Qty,જરૂરી Qty DocType: Marketplace Settings,Custom Data,કસ્ટમ ડેટા apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,હાલની વ્યવહાર સાથે વખારો ખાતાવહી રૂપાંતરિત કરી શકાય છે. DocType: Service Day,Service Day,સેવા દિવસ @@ -1626,7 +1657,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,એકાઉન્ટ કરન્સી DocType: Lab Test,Sample ID,નમૂના ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,કંપની રાઉન્ડ બંધ એકાઉન્ટ ઉલ્લેખ કરો -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,ડેબિટ_નોટ_અમટ DocType: Purchase Receipt,Range,રેંજ DocType: Supplier,Default Payable Accounts,મૂળભૂત ચૂકવવાપાત્ર હિસાબ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,{0} કર્મચારીનું સક્રિય નથી અથવા અસ્તિત્વમાં નથી @@ -1667,8 +1697,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,માહિતી માટે વિનંતી DocType: Course Activity,Activity Date,પ્રવૃત્તિ તારીખ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{{ના { -,LeaderBoard,લીડરબોર્ડ DocType: Sales Invoice Item,Rate With Margin (Company Currency),માર્જિન સાથેનો દર (કંપની કરન્સી) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,શ્રેણીઓ apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,સમન્વય ઑફલાઇન ઇનવૉઇસેસ DocType: Payment Request,Paid,ચૂકવેલ DocType: Service Level,Default Priority,ડિફોલ્ટ પ્રાધાન્યતા @@ -1703,11 +1733,11 @@ 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,પરોક્ષ આવક DocType: Student Attendance Tool,Student Attendance Tool,વિદ્યાર્થી એટેન્ડન્સ સાધન DocType: Restaurant Menu,Price List (Auto created),ભાવ સૂચિ (સ્વતઃ બનાવેલ) +DocType: Pick List Item,Picked Qty,ક્વોટી પસંદ કર્યું DocType: Cheque Print Template,Date Settings,તારીખ સેટિંગ્સ 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,કર્મચારીનું પ્રમોશન વિગતવાર -,Company Name,કંપની નું નામ DocType: SMS Center,Total Message(s),કુલ સંદેશ (ઓ) DocType: Share Balance,Purchased,ખરીદી DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,આઇટમ એટ્રીબ્યુટમાં એટ્રીબ્યુટ મૂલ્યનું નામ બદલો @@ -1726,7 +1756,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,નવીનતમ પ્રયાસ 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} માટે ફાળવેલ કુલ પાંદડા ફરજિયાત છે -DocType: BOM,Raw Material Cost(Company Currency),કાચો સામગ્રી ખર્ચ (કંપની ચલણ) 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,વીજળી ખર્ચ @@ -1793,6 +1822,7 @@ DocType: Travel Itinerary,Train,ટ્રેન ,Delayed Item Report,વિલંબિત આઇટમ રિપોર્ટ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,પાત્ર આઇટીસી DocType: Healthcare Service Unit,Inpatient Occupancy,ઇનપેશન્ટ ઑક્યુપેન્સી +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,તમારી પ્રથમ વસ્તુઓ પ્રકાશિત કરો DocType: Sample Collection,HLC-SC-.YYYY.-,એચએલસી-એસસી-. યેવાયવાય.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"શિફ્ટની સમાપ્તિ પછીનો સમય, જેમાં હાજરી માટે ચેક-આઉટ માનવામાં આવે છે." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},ઉલ્લેખ કરો એક {0} @@ -1908,6 +1938,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,બધા BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,ઇન્ટર કંપની જર્નલ એન્ટ્રી બનાવો DocType: Company,Parent Company,પિતૃ કંપની apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},હોટેલના રૂમ {0} {1} પર અનુપલબ્ધ છે +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,કાચો માલ અને ઓપરેશન્સમાં પરિવર્તન માટે BOM ની તુલના કરો apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,દસ્તાવેજ {0} સફળતાપૂર્વક અસ્પષ્ટ છે DocType: Healthcare Practitioner,Default Currency,મૂળભૂત ચલણ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,આ એકાઉન્ટને ફરીથી સમાપ્ત કરો @@ -1942,6 +1973,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,સી-ફોર્મ ભરતિયું વિગતવાર DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ચુકવણી રિકંસીલેશન ભરતિયું DocType: Clinical Procedure,Procedure Template,પ્રોસિજર ઢાંચો +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,આઇટમ્સ પ્રકાશિત કરો apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,યોગદાન% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ખરીદી સેટિંગ્સ મુજબ જો ખરીદી ઓર્ડર જરૂરી == 'હા' હોય, તો પછી ખરીદી ઇન્વોઇસ બનાવવા માટે, વપરાશકર્તા આઇટમ માટે પ્રથમ ખરીદી હુકમ બનાવવાની જરૂર {0}" ,HSN-wise-summary of outward supplies,બાહ્ય પુરવઠાનો એચએસએન-મુજબનો સારાંશ @@ -1953,7 +1985,6 @@ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,શોપિં apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',સુયોજિત 'પર વધારાની ડિસ્કાઉન્ટ લાગુ' કરો DocType: Party Tax Withholding Config,Applicable Percent,લાગુ ટકાવારી ,Ordered Items To Be Billed,આદેશ આપ્યો વસ્તુઓ બિલ કરવા -DocType: Employee Checkin,Exit Grace Period Consequence,બહાર નીકળો ગ્રેસ સમયગાળો પરિણામ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,રેન્જ ઓછી હોઈ શકે છે કરતાં શ્રેણી DocType: Global Defaults,Global Defaults,વૈશ્વિક ડિફૉલ્ટ્સ apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,પ્રોજેક્ટ સહયોગ આમંત્રણ @@ -1961,13 +1992,11 @@ DocType: Salary Slip,Deductions,કપાત DocType: Setup Progress Action,Action Name,ક્રિયા નામ apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,પ્રારંભ વર્ષ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,લોન બનાવો -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,પી.ડી.સી. / એલ.સી. DocType: Purchase Invoice,Start date of current invoice's period,વર્તમાન ભરતિયું માતાનો સમયગાળા તારીખ શરૂ DocType: Shift Type,Process Attendance After,પ્રક્રિયાની હાજરી પછી ,IRS 1099,આઈઆરએસ 1099 DocType: Salary Slip,Leave Without Pay,પગાર વિના છોડો DocType: Payment Request,Outward,બાહ્ય -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,ક્ષમતા આયોજન ભૂલ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,રાજ્ય / યુ.ટી. ટેક્સ ,Trial Balance for Party,પાર્ટી માટે ટ્રાયલ બેલેન્સ ,Gross and Net Profit Report,કુલ અને ચોખ્ખો નફો અહેવાલ @@ -1985,7 +2014,6 @@ DocType: Bank Statement Transaction Entry,Payment Invoice Items,ચુકવણ DocType: Payroll Entry,Employee Details,કર્મચારીનું વિગતો DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,બનાવટના સમયે જ ક્ષેત્રોની નકલ કરવામાં આવશે. -DocType: Setup Progress Action,Domains,ડોમેન્સ 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} @@ -2027,7 +2055,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,કુલ 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.","ચુકવણી સ્થિતિ રૂપરેખાંકિત થયેલ નથી. કૃપા કરીને તપાસો, કે શું એકાઉન્ટ ચૂકવણી સ્થિતિ પર અથવા POS પ્રોફાઇલ પર સેટ કરવામાં આવ્યો છે." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,એ જ વસ્તુ ઘણી વખત દાખલ કરી શકાતી નથી. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","વધુ એકાઉન્ટ્સ જૂથો હેઠળ કરી શકાય છે, પરંતુ પ્રવેશો બિન-જૂથો સામે કરી શકાય છે" -DocType: Email Campaign,Lead,લીડ +DocType: Call Log,Lead,લીડ DocType: Email Digest,Payables,ચૂકવણીના DocType: Amazon MWS Settings,MWS Auth Token,MWS AUTH ટોકન DocType: Email Campaign,Email Campaign For ,માટે ઇમેઇલ ઝુંબેશ @@ -2039,6 +2067,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,ખરીદી ક્રમમાં વસ્તુઓ બિલ કરવા 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,ક્રેડિટ મર્યાદા DocType: Purchase Invoice Item,Net Rate,નેટ દર apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,ગ્રાહકને પસંદ કરો DocType: Leave Policy,Leave Allocations,ફાળવણી છોડો @@ -2052,6 +2081,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,બંધ અંક દિવસો પછી ,Eway Bill,ઇવે બિલ apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,માર્કેટપ્લેસમાં વપરાશકર્તાઓ ઉમેરવા માટે તમારે સિસ્ટમ મેનેજર અને આઇટમ મેનેજર ભૂમિકાઓ સાથે વપરાશકર્તા બનવાની જરૂર છે. +DocType: Attendance,Early Exit,વહેલી બહાર નીકળો DocType: Job Opening,Staffing Plan,સ્ટાફિંગ પ્લાન apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,ઇ-વે બિલ જેએસઓન ફક્ત સબમિટ કરેલા દસ્તાવેજમાંથી જ પેદા કરી શકાય છે apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,કર્મચારી કર અને લાભ @@ -2072,6 +2102,7 @@ DocType: Maintenance Team Member,Maintenance Role,જાળવણી ભૂમ apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},સાથે નકલી પંક્તિ {0} જ {1} DocType: Marketplace Settings,Disable Marketplace,માર્કેટપ્લેસ અક્ષમ કરો DocType: Quality Meeting,Minutes,મિનિટ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,તમારી ફીચર્ડ આઇટમ્સ ,Trial Balance,ટ્રાયલ બેલેન્સ apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,પૂર્ણ થયું બતાવો apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ફિસ્કલ વર્ષ {0} મળી નથી @@ -2081,8 +2112,8 @@ 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,પ્રથમ ઉપસર્ગ પસંદ કરો DocType: Contract,Fulfilment Deadline,સમાપ્તિની છેલ્લી તારીખ +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,તમારી નજીક DocType: Student,O-,ઓ- -DocType: Shift Type,Consequence,પરિણામ DocType: Subscription Settings,Subscription Settings,સબ્સ્ક્રિપ્શન સેટિંગ્સ DocType: Purchase Invoice,Update Auto Repeat Reference,સ્વતઃ પુનરાવર્તન સંદર્ભને અપડેટ કરો apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},વૈકલ્પિક રજાઓની સૂચિ રજાની અવધિ માટે સેટ નથી {0} @@ -2093,7 +2124,6 @@ DocType: Maintenance Visit Purpose,Work Done,કામ કર્યું apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,લક્ષણો ટેબલ ઓછામાં ઓછા એક લક્ષણ સ્પષ્ટ કરો DocType: Announcement,All Students,બધા વિદ્યાર્થીઓ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,વસ્તુ {0} નોન-સ્ટોક વસ્તુ હોઇ જ જોઈએ -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,બેંક ડીટિલ્સ apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,જુઓ ખાતાવહી DocType: Grading Scale,Intervals,અંતરાલો DocType: Bank Statement Transaction Entry,Reconciled Transactions,સુવ્યવસ્થિત વ્યવહારો @@ -2129,6 +2159,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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,ખરીદી ચક્ર દરમ્યાન જ દર જાળવી DocType: Opportunity Item,Opportunity Item,તક વસ્તુ DocType: Quality Action,Quality Review,ગુણવત્તા સમીક્ષા @@ -2155,7 +2186,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,બાકી ઇન્વૉઇસેસ મેળવો -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,વેચાણ ઓર્ડર {0} માન્ય નથી +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,સુવાકયો માટે નવી વિનંતી માટે ચેતવો apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,ખરીદી ઓર્ડર કરવાની યોજના ઘડી મદદ અને તમારી ખરીદી પર અનુસરો apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,લેબ ટેસ્ટ પ્રિસ્ક્રિપ્શન્સ @@ -2179,6 +2210,7 @@ DocType: Employee Onboarding,Notify users by email,વપરાશકર્ત DocType: Travel Request,International,આંતરરાષ્ટ્રીય DocType: Training Event,Training Event,તાલીમ ઘટના DocType: Item,Auto re-order,ઓટો ફરી ઓર્ડર +DocType: Attendance,Late Entry,અંતમાં પ્રવેશ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,કુલ પ્રાપ્ત DocType: Employee,Place of Issue,ઇશ્યૂ સ્થળ DocType: Promotional Scheme,Promotional Scheme Price Discount,પ્રમોશનલ સ્કીમના ભાવની છૂટ @@ -2225,6 +2257,7 @@ DocType: Serial No,Serial No Details,સીરીયલ કોઈ વિગત DocType: Purchase Invoice Item,Item Tax Rate,વસ્તુ ટેક્સ રેટ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,પાર્ટી નામ પરથી apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,ચોખ્ખી પગારની રકમ +DocType: Pick List,Delivery against Sales Order,વેચાણ ઓર્ડર સામે ડિલિવરી DocType: Student Group Student,Group Roll Number,ગ્રુપ રોલ નંબર apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","{0}, માત્ર ક્રેડિટ ખાતાઓ અન્ય ડેબિટ પ્રવેશ સામે લિંક કરી શકો છો" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,ડ લવર નોંધ {0} અપર્ણ ન કરાય @@ -2296,7 +2329,6 @@ DocType: Contract,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,પુરવઠોકર્તા ભરતિયું તારીખ -DocType: Asset Settings,This value is used for pro-rata temporis calculation,આ કિંમત પ્રો-રટા ટેમ્પોરિસ ગણતરી માટે વપરાય છે apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,તમે શોપિંગ કાર્ટ સક્રિય કરવાની જરૂર છે DocType: Payment Entry,Writeoff,Writeoff DocType: Maintenance Visit,MAT-MVS-.YYYY.-,એમએટી-એમવીએસ- .YYYY.- @@ -2319,7 +2351,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,નિષ્ક્રિય વેચાણ વસ્તુઓ DocType: Quality Review,Additional Information,વધારાની માહિતી apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,કુલ ઓર્ડર ભાવ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,સેવા સ્તર કરાર ફરીથી સેટ કરો. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ફૂડ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,એઇજીંગનો રેન્જ 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS ક્લોઝિંગ વાઉચર વિગતો @@ -2364,6 +2395,7 @@ 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,ઝુંબેશ 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',મંજૂરી પરિસ્થિતિ 'માન્ય' અથવા 'નકારેલું' હોવું જ જોઈએ DocType: Healthcare Practitioner,Contacts and Address,સંપર્કો અને સરનામું DocType: Shift Type,Determine Check-in and Check-out,ચેક-ઇન નક્કી કરો અને ચેક-આઉટ કરો @@ -2383,7 +2415,6 @@ DocType: Student Admission,Eligibility and Details,લાયકાત અને apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,કુલ નફામાં સમાવિષ્ટ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,સ્થિર એસેટ કુલ ફેરફાર apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,રેક્યુડ જથ્થો -DocType: Company,Client Code,ક્લાયંટ કોડ apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,પ્રકાર 'વાસ્તવિક' પંક્તિ માં ચાર્જ {0} આઇટમ રેટ સમાવેશ કરવામાં નથી કરી શકો છો apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},મહત્તમ: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,તારીખ સમય પ્રતિ @@ -2451,6 +2482,7 @@ DocType: Journal Entry Account,Account Balance,એકાઉન્ટ બેલ apps/erpnext/erpnext/config/accounting.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 (%),ઓવર ટ્રાન્સફર એલાઉન્સ (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ગ્રાહક પ્રાપ્ત એકાઉન્ટ સામે જરૂરી છે {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),કુલ કર અને ખર્ચ (કંપની ચલણ) DocType: Weather,Weather Parameter,હવામાન પરિમાપક @@ -2511,6 +2543,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,ગેરહાજર ર apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,કુલ ખર્ચવામાં આવેલા કુલ પર આધારિત બહુવિધ ટાયર્ડ સંગ્રહ પરિબળ હોઇ શકે છે. પરંતુ રીડેમ્પશન માટેના રૂપાંતરણ પરિબળ હંમેશા તમામ ટાયર માટે સમાન હશે. apps/erpnext/erpnext/config/help.py,Item Variants,વસ્તુ ચલો apps/erpnext/erpnext/public/js/setup_wizard.js,Services,સેવાઓ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,બીઓએમ 2 DocType: Payment Order,PMO-,પીએમઓ- DocType: HR Settings,Email Salary Slip to Employee,કર્મચારીનું ઇમેઇલ પગાર કાપલી DocType: Cost Center,Parent Cost Center,પિતૃ ખર્ચ કેન્દ્રને @@ -2521,7 +2554,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields"," DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,શિપ પર Shopify માંથી ડિલિવરી નોંધો આયાત કરો apps/erpnext/erpnext/templates/pages/projects.html,Show closed,બતાવો બંધ DocType: Issue Priority,Issue Priority,અગ્રતા અદા કરો -DocType: Leave Type,Is Leave Without Pay,પગાર વિના છોડી દો +DocType: Leave Ledger Entry,Is Leave Without Pay,પગાર વિના છોડી દો apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,જીએસટીઆઈએન apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,એસેટ વર્ગ સ્થિર એસેટ આઇટમ માટે ફરજિયાત છે DocType: Fee Validity,Fee Validity,ફી માન્યતા @@ -2593,6 +2626,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,બે-રસ્તો DocType: Item,Manufacturers,ઉત્પાદકો @@ -2628,7 +2662,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,બેન્ક રિકંસીલેશન નિવેદન DocType: Patient Encounter,Medical Coding,તબીબી કોડિંગ DocType: Healthcare Settings,Reminder Message,રીમાઇન્ડર સંદેશ -,Lead Name,લીડ નામ +DocType: Call Log,Lead Name,લીડ નામ ,POS,POS DocType: C-Form,III,ત્રીજા apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,સંભવિત @@ -2660,12 +2694,14 @@ DocType: Purchase Invoice,Supplier Warehouse,પુરવઠોકર્તા DocType: Opportunity,Contact Mobile No,સંપર્ક મોબાઈલ નં apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,કંપની પસંદ કરો ,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: Student Report Generation Tool,Print Section,પ્રિન્ટ વિભાગ DocType: Staffing Plan Detail,Estimated Cost Per Position,પોઝિશન દીઠ અંદાજિત કિંમત DocType: Employee,HR-EMP-,એચઆર-ઇએમપી- 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,ગુણવત્તા મીટિંગ મિનિટ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,સપ્લાયર> સપ્લાયર પ્રકાર apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,કર્મચારી રેફરલ DocType: Student Group,Set 0 for no limit,કોઈ મર્યાદા માટે 0 સેટ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,તમે રજા માટે અરજી છે કે જેના પર દિવસ (ઓ) રજાઓ છે. તમે રજા માટે અરજી જરૂર નથી. @@ -2697,12 +2733,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,કેશ કુલ ફેરફાર DocType: Assessment Plan,Grading Scale,ગ્રેડીંગ સ્કેલ apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,મેઝર {0} એકમ રૂપાંતર ફેક્ટર ટેબલ એક કરતા વધુ વખત દાખલ કરવામાં આવી છે -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,પહેલેથી જ પૂર્ણ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,સ્ટોક હેન્ડ માં apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",કૃપા કરીને એપ્લિકેશનમાં બાકીના લાભ {0} ને \ pro-rata ઘટક તરીકે ઉમેરો apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',કૃપા કરીને જાહેર વહીવટ '% s' માટે નાણાકીય કોડ સેટ કરો -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},ચુકવણી વિનંતી પહેલેથી હાજર જ છે {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,બહાર પાડેલી વસ્તુઓ કિંમત DocType: Healthcare Practitioner,Hospital,હોસ્પિટલ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},જથ્થો કરતાં વધુ ન હોવું જોઈએ {0} @@ -2746,6 +2780,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,માનવ સંસાધન apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,ઉચ્ચ આવક DocType: Item Manufacturer,Item Manufacturer,આઇટમ ઉત્પાદક +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,નવી લીડ બનાવો DocType: BOM Operation,Batch Size,બેચનું કદ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,નકારો DocType: Journal Entry Account,Debit in Company Currency,કંપની કરન્સી ડેબિટ @@ -2765,9 +2800,11 @@ DocType: Bank Transaction,Reconciled,સમાધાન DocType: Expense Claim,Total Amount Reimbursed,કુલ રકમ reimbursed apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,આ વાહન સામે લોગ પર આધારિત છે. વિગતો માટે નીચે જુઓ ટાઇમલાઇન apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,પેરોલ તારીખ કર્મચારીની જોડાઈ તારીખ કરતાં ઓછી ન હોઈ શકે +DocType: Pick List,Item Locations,આઇટમ સ્થાનો apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} બનાવવામાં apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",હોદ્દો માટે જોબ ઓપનિંગ્સ {0} પહેલેથી જ ખુલ્લી છે / અથવા કર્મચારીઓની યોજના મુજબ ભરતી પૂર્ણ છે {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,તમે 200 જેટલી આઇટમ્સ પ્રકાશિત કરી શકો છો. DocType: Vital Signs,Constipated,કબજિયાત apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},પુરવઠોકર્તા સામે ભરતિયું {0} ના રોજ {1} DocType: Customer,Default Price List,ડિફૉલ્ટ ભાવ યાદી @@ -2879,6 +2916,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,નિવૃત્તિ તારીખ DocType: Upload Attendance,Get Template,નમૂના મેળવવા +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,સૂચિ ચૂંટો ,Sales Person Commission Summary,સેલ્સ પર્સન કમિશન સારાંશ DocType: Material Request,Transferred,પર સ્થાનાંતરિત કરવામાં આવી DocType: Vehicle,Doors,દરવાજા @@ -2958,7 +2996,7 @@ DocType: Sales Invoice Item,Customer's Item Code,ગ્રાહક વસ્ત DocType: Stock Reconciliation,Stock Reconciliation,સ્ટોક રિકંસીલેશન DocType: Territory,Territory Name,પ્રદેશ નામ DocType: Email Digest,Purchase Orders to Receive,ખરીદી ઓર્ડર પ્રાપ્ત કરવા માટે -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,વર્ક ઈન પ્રોગ્રેસ વેરહાઉસ સબમિટ પહેલાં જરૂરી છે +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,વર્ક ઈન પ્રોગ્રેસ વેરહાઉસ સબમિટ પહેલાં જરૂરી છે apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,તમે સબ્સ્ક્રિપ્શનમાં જ બિલિંગ ચક્ર સાથે માત્ર યોજનાઓ ધરાવી શકો છો DocType: Bank Statement Transaction Settings Item,Mapped Data,મેપ થયેલ ડેટા DocType: Purchase Order Item,Warehouse and Reference,વેરહાઉસ અને સંદર્ભ @@ -3029,6 +3067,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,ડિલિવરી સેટિંગ્સ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,માહિતી મેળવો apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},રજાના પ્રકાર {0} માં મંજૂર મહત્તમ રજા {1} છે +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 આઇટમ પ્રકાશિત કરો DocType: SMS Center,Create Receiver List,રીસીવર યાદી બનાવો DocType: Student Applicant,LMS Only,ફક્ત એલએમએસ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,વપરાશ માટે ઉપલબ્ધ તારીખ ખરીદી તારીખ પછી હોવી જોઈએ @@ -3062,6 +3101,7 @@ DocType: Serial No,Delivery Document No,ડ લવર દસ્તાવેજ DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ઉત્પાદિત સીરિયલ નંબર પર આધારિત ડિલિવરીની ખાતરી કરો DocType: Vital Signs,Furry,રુંવાટીદાર apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},કંપની એસેટ નિકાલ પર ગેઇન / નુકશાન એકાઉન્ટ 'સુયોજિત કરો {0} +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} માટે લક્ષ્યાંક સ્થાન આવશ્યક છે @@ -3082,9 +3122,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,માસિક વિતરણ નામ DocType: Quality Procedure Process,Quality Procedure Process,ગુણવત્તા પ્રક્રિયા પ્રક્રિયા apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,બૅચ ID ફરજિયાત છે +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,કૃપા કરીને પહેલા ગ્રાહક પસંદ કરો DocType: Sales Person,Parent Sales Person,પિતૃ વેચાણ વ્યક્તિ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,પ્રાપ્ત થવાની કોઈ વસ્તુ બાકી નથી apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,વેચનાર અને ખરીદનાર તે જ ન હોઈ શકે +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,હજુ સુધી કોઈ દૃશ્યો નથી DocType: Project,Collect Progress,પ્રગતિ એકત્રિત કરો DocType: Delivery Note,MAT-DN-.YYYY.-,એમએટી-ડી.એન.-વાય.વાય.વાય.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,પ્રથમ પ્રોગ્રામ પસંદ કરો @@ -3106,6 +3148,7 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,પ્રાપ્ત DocType: Student Admission,Application Form Route,અરજી ફોર્મ રૂટ apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,કરારની સમાપ્તિ તારીખ આજ કરતાં ઓછી હોઈ શકે નહીં. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,સબમિટ કરવા માટે Ctrl + Enter DocType: Healthcare Settings,Patient Encounters in valid days,માન્ય દિવસોમાં પેશન્ટ એન્કાઉન્ટર્સ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,છોડો પ્રકાર {0} ફાળવવામાં કરી શકાતી નથી કારણ કે તે પગાર વિના છોડી 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} @@ -3154,9 +3197,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,પૂરી પાડવામાં Qty DocType: Clinical Procedure,HLC-CPR-.YYYY.-,એચએલસી-સીપીઆર-. વાયવાયવાય.- DocType: Purchase Order Item,Material Request Item,સામગ્રી વિનંતી વસ્તુ -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,કૃપા કરીને પહેલાં ખરીદ રસીદ {0} રદ કરો apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,વસ્તુ જૂથો વૃક્ષ. DocType: Production Plan,Total Produced Qty,કુલ ઉત્પાદન જથ્થો +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,હજુ સુધી કોઈ સમીક્ષાઓ નથી apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,આ ચાર્જ પ્રકાર માટે વર્તમાન પંક્તિ નંબર એક કરતાં વધારે અથવા સમાન પંક્તિ નંબર નો સંદર્ભ લો નથી કરી શકો છો DocType: Asset,Sold,વેચાઈ ,Item-wise Purchase History,વસ્તુ મુજબના ખરીદ ઈતિહાસ @@ -3175,7 +3218,7 @@ DocType: Designation,Required Skills,આવશ્યક કુશળતા DocType: Inpatient Record,O Positive,ઓ હકારાત્મક apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,રોકાણો DocType: Issue,Resolution Details,ઠરાવ વિગતો -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,વ્યવહાર પ્રકાર +DocType: Leave Ledger Entry,Transaction Type,વ્યવહાર પ્રકાર DocType: Item Quality Inspection Parameter,Acceptance Criteria,સ્વીકૃતિ માપદંડ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,ઉપરના કોષ્ટકમાં સામગ્રી અરજીઓ દાખલ કરો apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,જર્નલ એન્ટ્રી માટે કોઈ ચુકવણી ઉપલબ્ધ નથી @@ -3216,6 +3259,7 @@ DocType: Bank Account,Bank Account No,બેન્ક એકાઉન્ટ ન DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,કર્મચારી કર મુક્તિ પ્રૂફ ભર્યા DocType: Patient,Surgical History,સર્જિકલ હિસ્ટ્રી DocType: Bank Statement Settings Item,Mapped Header,મેપ થયેલ મથાળું +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને માનવ સંસાધન> એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો DocType: Employee,Resignation Letter Date,રાજીનામું પત્ર તારીખ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,પ્રાઇસીંગ નિયમો વધુ જથ્થો પર આધારિત ફિલ્ટર કરવામાં આવે છે. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},કર્મચારી માટે જોડાયા તારીખ સેટ કરો {0} @@ -3281,7 +3325,6 @@ DocType: Student Report Generation Tool,Add Letterhead,લેટરહેડ ઉ 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,કુલ ફાળવેલ પાંદડા {0} ઓછી ન હોઈ શકે સમયગાળા માટે પહેલાથી મંજૂર પાંદડા {1} કરતાં DocType: Contract Fulfilment Checklist,Requirement,જરૂરિયાત DocType: Journal Entry,Accounts Receivable,મળવાપાત્ર હિસાબ DocType: Quality Goal,Objectives,ઉદ્દેશો @@ -3304,7 +3347,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,એક ટ્રા DocType: Lab Test Template,This value is updated in the Default Sales Price List.,આ કિંમત ડિફૉલ્ટ સેલ્સ પ્રાઈસ લિસ્ટમાં અપડેટ થાય છે. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,તમારું ટોપલું ખાલી છે DocType: Email Digest,New Expenses,ન્યૂ ખર્ચ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,પી.ડી.સી. / એલસી રકમ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,ડ્રાઇવર સરનામું ખૂટે હોવાથી રૂટને Opપ્ટિમાઇઝ કરી શકાતો નથી. DocType: Shareholder,Shareholder,શેરહોલ્ડર DocType: Purchase Invoice,Additional Discount Amount,વધારાના ડિસ્કાઉન્ટ રકમ @@ -3375,6 +3417,7 @@ DocType: Salary Component,Deduction,કપાત DocType: Item,Retain Sample,નમૂના જાળવો apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,રો {0}: સમય અને સમય ફરજિયાત છે. DocType: Stock Reconciliation Item,Amount Difference,રકમ તફાવત +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,આ પૃષ્ઠ તમે વેચાણકર્તાઓ પાસેથી ખરીદવા માંગતા હો તે વસ્તુઓનો ટ્ર trackક રાખે છે. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},વસ્તુ ભાવ માટે ઉમેરવામાં {0} ભાવ યાદીમાં {1} DocType: Delivery Stop,Order Information,ઓર્ડર માહિતી apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,આ વેચાણ વ્યક્તિ કર્મચારી ID દાખલ કરો @@ -3403,6 +3446,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ફિસ્કલ વર્ષ ** એક નાણાકીય વર્ષ રજૂ કરે છે. બધા હિસાબી પ્રવેશો અને અન્ય મોટા પાયાના વ્યવહારો ** ** ફિસ્કલ યર સામે ટ્રેક છે. DocType: Opportunity,Customer / Lead Address,ગ્રાહક / લીડ સરનામું DocType: Supplier Scorecard Period,Supplier Scorecard Setup,સપ્લાયર સ્કોરકાર્ડ સેટઅપ +DocType: Customer Credit Limit,Customer Credit Limit,ગ્રાહક ક્રેડિટ મર્યાદા apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,આકારણી યોજના નામ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,લક્ષ્યાંક વિગતો apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","જો કંપની એસપીએ, એસપીએ અથવા એસઆરએલ હોય તો લાગુ પડે છે" @@ -3455,7 +3499,6 @@ DocType: Company,Transactions Annual History,વ્યવહારો વાર 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,બેન્ક નામ -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-ઉપર 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,ફ્લુઇડ @@ -3507,6 +3550,7 @@ 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,ફીચર્ડ આઇટમ્સમાં ઉમેર્યું apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,વર્ષ માટેનો નફો 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,પ્રક્રિયામાં @@ -3560,12 +3604,10 @@ 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,મલ્ટીપલ ટાઇમ્સને સમાન આઇટમને મંજૂરી આપો -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,કંપની માટે કોઈ જીએસટી નંબર મળ્યો નથી. 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,કર્મચારીઓની DocType: Question,Single Correct Answer,એક જ સાચો જવાબ -DocType: Employee,Contact Details,સંપર્ક વિગતો DocType: C-Form,Received Date,પ્રાપ્ત તારીખ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","તમે વેચાણ કર અને ખર્ચ નમૂનો એક સ્ટાન્ડર્ડ ટેમ્પલેટ બનાવેલ હોય, તો એક પસંદ કરો અને નીચે બટન પર ક્લિક કરો." DocType: BOM Scrap Item,Basic Amount (Company Currency),મૂળભૂત રકમ (કંપની ચલણ) @@ -3595,12 +3637,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM વેબસાઇટ DocType: Bank Statement Transaction Payment Item,outstanding_amount,બાકી_માઉન્ટ DocType: Supplier Scorecard,Supplier Score,સપ્લાયર સ્કોર apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,પ્રવેશ સુનિશ્ચિત કરો +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,કુલ ચુકવણી વિનંતી રકમ {0} રકમથી વધુ હોઈ શકતી નથી DocType: Tax Withholding Rate,Cumulative Transaction Threshold,સંચિત ટ્રાન્ઝેક્શન થ્રેશોલ્ડ DocType: Promotional Scheme Price Discount,Discount Type,ડિસ્કાઉન્ટનો પ્રકાર -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,કુલ ભરતિયું એએમટી DocType: Purchase Invoice Item,Is Free Item,મફત વસ્તુ છે +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,ઓર્ડર કરેલી માત્રાની તુલનામાં તમને ટકાવારીની મંજૂરી છે. ઉદાહરણ તરીકે: જો તમે 100 એકમોનો ઓર્ડર આપ્યો છે. અને તમારું ભથ્થું 10% છે પછી તમને 110 એકમો સ્થાનાંતરિત કરવાની મંજૂરી છે. DocType: Supplier,Warn RFQs,RFQs ચેતવો -apps/erpnext/erpnext/templates/pages/home.html,Explore,અન્વેષણ +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,અન્વેષણ DocType: BOM,Conversion Rate,રૂપાંતરણ દર apps/erpnext/erpnext/www/all-products/index.html,Product Search,ઉત્પાદન શોધ ,Bank Remittance,બેંક રેમિટન્સ @@ -3612,6 +3655,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,ચુકવેલ કુલ રકમ DocType: Asset,Insurance End Date,વીમા સમાપ્તિ તારીખ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,કૃપા કરીને વિદ્યાર્થી પ્રવેશ પસંદ કરો જે પેઇડ વિદ્યાર્થી અરજદાર માટે ફરજિયાત છે +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,બજેટ સૂચિ DocType: Campaign,Campaign Schedules,ઝુંબેશની સૂચિ DocType: Job Card Time Log,Completed Qty,પૂર્ણ Qty @@ -3634,6 +3678,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,નવુ DocType: Quality Inspection,Sample Size,સેમ્પલ કદ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,રસીદ દસ્તાવેજ દાખલ કરો apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,બધી વસ્તુઓ પહેલેથી જ તેનું ભરતિયું કરાય છે +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,પાંદડા લીધા apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.','કેસ નંબર પ્રતિ' માન્ય સ્પષ્ટ કરો 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,વધુ ખર્ચ કેન્દ્રો જૂથો હેઠળ કરી શકાય છે પરંતુ પ્રવેશો બિન-જૂથો સામે કરી શકાય છે 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,સમયગાળા દરમિયાન કર્મચારી {1} માટેના {0} રજાના પ્રકારની મહત્તમ ફાળવણી કરતાં કુલ ફાળવેલ પાંદડા વધુ દિવસ છે @@ -3733,6 +3778,8 @@ 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: Call Log,Received By,દ્વારા પ્રાપ્ત 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.,અલગ ઇન્કમ ટ્રૅક અને ઉત્પાદન ક્ષેત્રોમાં અથવા વિભાગો માટે ખર્ચ. @@ -3786,6 +3833,7 @@ DocType: Support Search Source,Result Title Field,શીર્ષક ક્ષ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,ક Callલ સારાંશ DocType: Sample Collection,Collected Time,એકત્રિત સમય DocType: Employee Skill Map,Employee Skills,કર્મચારીની કુશળતા +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,બળતણ ખર્ચ DocType: Company,Sales Monthly History,સેલ્સ માસિક ઇતિહાસ apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,કર અને ચાર્જ કોષ્ટકમાં ઓછામાં ઓછી એક પંક્તિ સેટ કરો DocType: Asset Maintenance Task,Next Due Date,આગળની તારીખ @@ -3820,11 +3868,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,કર્મચારી પગાર કાપલી {0} પહેલાથી જ આ સમયગાળા માટે બનાવવામાં apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,ફાર્માસ્યુટિકલ apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,તમે એક માન્ય ભંડોળ રકમ માટે ખાલી એન્કેશમેન્ટ જ સબમિટ કરી શકો છો +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,દ્વારા વસ્તુઓ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,ખરીદી વસ્તુઓ કિંમત DocType: Employee Separation,Employee Separation Template,કર્મચારી વિભાજન ઢાંચો DocType: Selling Settings,Sales Order Required,વેચાણ ઓર્ડર જરૂરી apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,એક વિક્રેતા બનો -DocType: Shift Type,The number of occurrence after which the consequence is executed.,ઘટનાની સંખ્યા જેના પછી પરિણામ ચલાવવામાં આવે છે. ,Procurement Tracker,પ્રાપ્તિ ટ્રેકર DocType: Purchase Invoice,Credit To,માટે ક્રેડિટ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,આઇટીસી versલટું @@ -3837,6 +3885,7 @@ DocType: Quality Meeting,Agenda,એજન્ડા DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,જાળવણી સુનિશ્ચિત વિગતવાર DocType: Supplier Scorecard,Warn for new Purchase Orders,નવા ખરીદ ઓર્ડર્સ માટે ચેતવણી આપો DocType: Quality Inspection Reading,Reading 9,9 વાંચન +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,તમારા એક્સટેલ એકાઉન્ટને ERPNext અને ટ્રેક ક callલ લ toગ્સથી કનેક્ટ કરો DocType: Supplier,Is Frozen,સ્થિર છે DocType: Tally Migration,Processed Files,પ્રોસેસ્ડ ફાઇલો apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,ગ્રુપ નોડ વેરહાઉસ વ્યવહારો માટે પસંદ કરવા માટે મંજૂરી નથી @@ -3845,6 +3894,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,એક ફિનિ DocType: Upload Attendance,Attendance To Date,તારીખ હાજરી 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,પ્રિસ્ક્રિપ્શનો @@ -3868,7 +3918,6 @@ DocType: Room,Room Number,રૂમ સંખ્યા apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,વિનંતી કરનાર apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},અમાન્ય સંદર્ભ {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,વિવિધ પ્રમોશનલ યોજનાઓ લાગુ કરવાના નિયમો. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) આયોજિત quanitity કરતાં વધારે ન હોઈ શકે છે ({2}) ઉત્પાદન ઓર્ડર {3} DocType: Shipping Rule,Shipping Rule Label,શીપીંગ નિયમ લેબલ DocType: Journal Entry Account,Payroll Entry,પેરોલ એન્ટ્રી apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,ફી રેકોર્ડ્સ જુઓ @@ -3880,6 +3929,7 @@ DocType: Contract,Fulfilment Status,પૂર્ણ સ્થિતિ DocType: Lab Test Sample,Lab Test Sample,લેબ ટેસ્ટ નમૂના DocType: Item Variant Settings,Allow Rename Attribute Value,નામ બદલો લક્ષણ મૂલ્યને મંજૂરી આપો apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,ઝડપી જર્નલ પ્રવેશ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,ભાવિ ચુકવણીની રકમ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,BOM કોઈપણ વસ્તુ agianst ઉલ્લેખ તો તમે દર બદલી શકતા નથી DocType: Restaurant,Invoice Series Prefix,ઇન્વોઇસ સિરીઝ ઉપસર્ગ DocType: Employee,Previous Work Experience,પહેલાંના કામ અનુભવ @@ -3909,6 +3959,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,પ્રોજેક્ટ સ્થિતિ DocType: UOM,Check this to disallow fractions. (for Nos),અપૂર્ણાંક નામંજૂર કરવા માટે આ તપાસો. (સંખ્યા માટે) DocType: Student Admission Program,Naming Series (for Student Applicant),સિરીઝ નામકરણ (વિદ્યાર્થી અરજદાર માટે) +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/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,પ્રેક્ટિશનર સેવા એકમ સૂચિ @@ -3932,6 +3983,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,વર્તમાન સ્ટોક મેળવો DocType: Purchase Invoice,ineligible,અયોગ્ય apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,સામગ્રી બિલ વૃક્ષ +DocType: BOM,Exploded Items,વિસ્ફોટિત વસ્તુઓ DocType: Student,Joining Date,જોડાયા તારીખ ,Employees working on a holiday,રજા પર કામ કરતા કર્મચારીઓ ,TDS Computation Summary,ટીડીએસ કમ્પ્યુટેશન સારાંશ @@ -3964,6 +4016,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),મૂળભૂત દ DocType: SMS Log,No of Requested SMS,વિનંતી એસએમએસ કોઈ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,પગાર વિના છોડો મંજૂર છોડો અરજી રેકોર્ડ સાથે મેળ ખાતું નથી apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,આગળ કરવાનાં પગલાંઓ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,સાચવેલ વસ્તુઓ DocType: Travel Request,Domestic,સ્થાનિક apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,શ્રેષ્ઠ શક્ય દરે સ્પષ્ટ વસ્તુઓ સપ્લાય કૃપા કરીને apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,ટ્રાન્સફર તારીખ પહેલાં કર્મચારીનું ટ્રાન્સફર સબમિટ કરી શકાતું નથી @@ -4015,7 +4068,7 @@ 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,એસેટ વર્ગ એકાઉન્ટ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,પંક્તિ # {0} (ચુકવણી ટેબલ): રકમ સકારાત્મક હોવી જોઈએ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},સેલ્સ ક્રમ સાથે જથ્થો કરતાં વધુ આઇટમ {0} પેદા કરી શકતા નથી {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},સેલ્સ ક્રમ સાથે જથ્થો કરતાં વધુ આઇટમ {0} પેદા કરી શકતા નથી {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,કંઈ પણ સ્થૂળમાં શામેલ નથી apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,આ દસ્તાવેજ માટે ઇ-વે બિલ પહેલાથી અસ્તિત્વમાં છે apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,એટ્રીબ્યુટ મૂલ્યો પસંદ કરો @@ -4050,12 +4103,10 @@ 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,સેટઅપ કંપની -DocType: Shift Type,Enable Different Consequence for Early Exit,વહેલી બહાર નીકળવા માટે વિવિધ પરિણામ સક્ષમ કરો ,Lab Test Report,લેબ ટેસ્ટ રિપોર્ટ DocType: Employee Benefit Application,Employee Benefit Application,કર્મચારી લાભ અરજી apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,વધારાના પગાર ઘટક અસ્તિત્વમાં છે. DocType: Purchase Invoice,Unregistered,નોંધણી વગરની -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,કૃપા કરીને બોલ પર કોઈ નોંધ પ્રથમ DocType: Student Applicant,Application Date,અરજી તારીખ DocType: Salary Component,Amount based on formula,સૂત્ર પર આધારિત રકમ DocType: Purchase Invoice,Currency and Price List,કરન્સી અને ભાવ યાદી @@ -4084,6 +4135,7 @@ DocType: Purchase Receipt,Time at which materials were received,"સામગ્ DocType: Products Settings,Products per Page,પૃષ્ઠ દીઠ પ્રોડક્ટ્સ 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,બિલિંગ તારીખ apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,ફાળવેલ રકમ નકારાત્મક હોઈ શકતી નથી DocType: Sales Order,Billing Status,બિલિંગ સ્થિતિ apps/erpnext/erpnext/public/js/conf.js,Report an Issue,સમસ્યાની જાણ કરો @@ -4099,6 +4151,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},રો {0}: એસેટ આઇટમ માટે સ્થાન દાખલ કરો {1} DocType: Employee Checkin,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.","વગેરે કંપની, કરન્સી, ચાલુ નાણાકીય વર્ષના, જેવા સેટ મૂળભૂત મૂલ્યો" DocType: Payment Entry,Payment Type,ચુકવણી પ્રકાર apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,કૃપા કરીને આઇટમ માટે બેચ પસંદ {0}. એક બેચ કે આ જરૂરિયાત પૂર્ણ શોધવામાં અસમર્થ @@ -4127,6 +4180,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,શોપિંગ કા DocType: Journal Entry,Accounting Entries,હિસાબી પ્રવેશો 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.","જો પસંદ કરેલ પ્રાઇસીંગ નિયમ 'દર' માટે કરવામાં આવે છે, તો તે કિંમત યાદી પર ફરીથી લખશે. પ્રાઇસીંગ નિયમ દર અંતિમ દર છે, તેથી આગળ કોઈ ડિસ્કાઉન્ટ લાગુ ન કરવો જોઈએ. તેથી, સેલ્સ ઓર્ડર, ખરીદી ઓર્ડર વગેરે જેવી વ્યવહારોમાં, 'ભાવ યાદી રેટ' ક્ષેત્રની જગ્યાએ 'દર' ક્ષેત્રમાં મેળવવામાં આવશે." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,કૃપા કરીને શિક્ષણ> શિક્ષણ સેટિંગ્સમાં પ્રશિક્ષક નામકરણ સિસ્ટમ સેટ કરો DocType: Journal Entry,Paid Loan,પેઇડ લોન 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,સંદર્ભની તારીખ @@ -4143,12 +4197,14 @@ DocType: Shopify Settings,Webhooks Details,વેબહૂક્સ વિગત apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,કોઈ સમય શીટ્સ DocType: GoCardless Mandate,GoCardless Customer,GoCardless ગ્રાહક apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} હાથ ધરવા આગળ કરી શકાતી નથી પ્રકાર છોડો +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ જૂથ> બ્રાન્ડ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',જાળવણી સુનિશ્ચિત બધી વસ્તુઓ માટે પેદા નથી. 'બનાવો સૂચિ' પર ક્લિક કરો ,To Produce,પેદા કરવા માટે DocType: Leave Encashment,Payroll,પગારપત્રક 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} પણ સમાવેશ કરવો જ જોઈએ" DocType: Healthcare Service Unit,Parent Service Unit,પિતૃ સેવા એકમ DocType: Packing Slip,Identification of the package for the delivery (for print),વિતરણ માટે પેકેજ ઓળખ (પ્રિન્ટ માટે) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,સેવા સ્તર કરાર ફરીથી સેટ કરવામાં આવ્યો હતો. DocType: Bin,Reserved Quantity,અનામત જથ્થો apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,કૃપા કરીને માન્ય ઇમેઇલ સરનામું દાખલ DocType: Volunteer Skill,Volunteer Skill,સ્વયંસેવક કૌશલ્ય @@ -4169,7 +4225,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,કિંમત અથવા ઉત્પાદન ડિસ્કાઉન્ટ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,{0} પંક્તિ માટે: નિયુક્ત કરેલું કક્ષ દાખલ કરો DocType: Account,Income Account,આવક એકાઉન્ટ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> ક્ષેત્ર DocType: Payment Request,Amount in customer's currency,ગ્રાહકોના ચલણ માં જથ્થો apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,ડ લવર apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,સ્ટ્રક્ચર્સ સોંપી રહ્યું છે ... @@ -4192,6 +4247,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,સંદર્ભ 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?,તમે અગાઉ બનાવેલ ઇન્વૉઇસેસના રેકોર્ડ ગુમાવશો. શું તમે ખરેખર આ સબ્સ્ક્રિપ્શન ફરીથી શરૂ કરવા માંગો છો? @@ -4246,11 +4302,10 @@ DocType: Additional Salary,HR User,એચઆર વપરાશકર્તા DocType: Bank Guarantee,Reference Document Name,સંદર્ભ દસ્તાવેજનું નામ DocType: Purchase Invoice,Taxes and Charges Deducted,કર અને ખર્ચ બાદ DocType: Support Settings,Issues,મુદ્દાઓ -DocType: Shift Type,Early Exit Consequence after,પ્રારંભિક એક્ઝિટ પરિણામ પછી DocType: Loyalty Program,Loyalty Program Name,લોયલ્ટી પ્રોગ્રામ નામ apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},સ્થિતિ એક હોવો જ જોઈએ {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,GSTIN મોકલવા માટે રીમાઇન્ડર મોકલેલ -DocType: Sales Invoice,Debit To,ડેબિટ +DocType: Discounted Invoice,Debit To,ડેબિટ DocType: Restaurant Menu Item,Restaurant Menu Item,રેસ્ટોરન્ટ મેનુ આઇટમ DocType: Delivery Note,Required only for sample item.,માત્ર નમૂના આઇટમ માટે જરૂરી છે. DocType: Stock Ledger Entry,Actual Qty After Transaction,સોદા બાદ વાસ્તવિક Qty @@ -4333,6 +4388,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,પેરામી apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,માત્ર છોડો સ્થિતિ સાથે કાર્યક્રમો 'માન્ય' અને 'નકારી કાઢ્યો સબમિટ કરી શકો છો apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,પરિમાણો બનાવી રહ્યાં છે ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},વિદ્યાર્થી જૂથ નામ પંક્તિ માં ફરજિયાત છે {0} +DocType: Customer Credit Limit,Bypass credit limit_check,બાયપાસ ક્રેડિટ લિમિટ_ચેક DocType: Homepage,Products to be shown on website homepage,પ્રોડક્ટ્સ વેબસાઇટ હોમપેજ પર બતાવવામાં આવશે DocType: HR Settings,Password Policy,પાસવર્ડ નીતિ apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,આ રુટ ગ્રાહક જૂથ છે અને સંપાદિત કરી શકાતી નથી. @@ -4379,10 +4435,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),જ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,કૃપા કરીને રેસ્ટોરેન્ટ સેટિંગ્સમાં ડિફોલ્ટ ગ્રાહક સેટ કરો ,Salary Register,પગાર રજિસ્ટર DocType: Company,Default warehouse for Sales Return,સેલ્સ રીટર્ન માટે ડિફોલ્ટ વેરહાઉસ -DocType: Warehouse,Parent Warehouse,પિતૃ વેરહાઉસ +DocType: Pick List,Parent Warehouse,પિતૃ વેરહાઉસ DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},ડિફૉલ્ટ BOM આઇટમ માટે મળી નથી {0} અને પ્રોજેક્ટ {1} +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 દર @@ -4419,6 +4475,7 @@ DocType: Travel Itinerary,Lodging Required,લોજીંગ આવશ્યક DocType: Promotional Scheme,Price Discount Slabs,ભાવ ડિસ્કાઉન્ટ સ્લેબ DocType: Stock Reconciliation Item,Current Serial No,વર્તમાન સીરીયલ નં DocType: Employee,Attendance and Leave Details,હાજરી અને રજા વિગતો +,BOM Comparison Tool,BOM તુલના સાધન ,Requested,વિનંતી apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,કોઈ ટિપ્પણી DocType: Asset,In Maintenance,જાળવણીમાં @@ -4440,6 +4497,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Include UOM,ય apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Material Request No,સામગ્રી વિનંતી કોઈ DocType: Service Level Agreement,Default Service Level Agreement,ડિફોલ્ટ સેવા સ્તર કરાર DocType: SG Creation Tool Course,Course Code,કોર્સ કોડ +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,કાચા માલની રકમનો નિર્ણય ફિનિશ્ડ ગૂડ્ઝ આઈટમની માત્રાના આધારે લેવામાં આવશે DocType: Location,Parent Location,માતાપિતા સ્થાન DocType: POS Settings,Use POS in Offline Mode,ઑફલાઇન મોડમાં POS નો ઉપયોગ કરો apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,પ્રાધાન્યતાને બદલીને {0} કરી દેવામાં આવી છે. @@ -4458,7 +4516,7 @@ DocType: Stock Settings,Sample Retention Warehouse,નમૂના રીટે DocType: Company,Default Receivable Account,મૂળભૂત પ્રાપ્ત એકાઉન્ટ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,પ્રોજેક્ટેડ ક્વોન્ટીટી ફોર્મ્યુલા DocType: Sales Invoice,Deemed Export,ડીમ્ડ એક્સપોર્ટ -DocType: Stock Entry,Material Transfer for Manufacture,ઉત્પાદન માટે માલ પરિવહન +DocType: Pick List,Material Transfer for Manufacture,ઉત્પાદન માટે માલ પરિવહન 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.,ડિસ્કાઉન્ટ ટકાવારી ભાવ યાદી સામે અથવા બધું ભાવ યાદી માટે ક્યાં લાગુ પાડી શકાય છે. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,સ્ટોક માટે એકાઉન્ટિંગ એન્ટ્રી DocType: Lab Test,LabTest Approver,લેબસ્ટસ્ટ એપોવરવર @@ -4500,7 +4558,6 @@ DocType: Training Event,Theory,થિયરી apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,ચેતવણી: Qty વિનંતી સામગ્રી ન્યુનત્તમ ઓર્ડર Qty કરતાં ઓછી છે apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,એકાઉન્ટ {0} સ્થિર છે DocType: Quiz Question,Quiz Question,ક્વિઝ પ્રશ્ન -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,સપ્લાયર> સપ્લાયર પ્રકાર 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","ફૂડ, પીણું અને તમાકુ" @@ -4529,6 +4586,7 @@ 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,પ્રકાશિત વસ્તુઓ DocType: Account,Expense Account,ખર્ચ એકાઉન્ટ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,સોફ્ટવેર apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,કલર @@ -4566,6 +4624,7 @@ 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,તમામ બેંક વ્યવહાર બનાવવામાં આવ્યા છે DocType: Fee Validity,Visited yet,હજુ સુધી મુલાકાત લીધી +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,તમે 8 વસ્તુઓ સુધી ફીચર કરી શકો છો. 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.,સેલ્સ વ્યવહારો પર આધારિત કેટલી વાર પ્રોજેક્ટ અને કંપનીને અપડેટ કરવું જોઈએ. @@ -4573,7 +4632,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,સંગ્રહ તાપમાન @@ -4598,7 +4656,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,કલાકમા DocType: Contract,Signee Details,સહી વિગતો apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} પાસે હાલમાં {1} સપ્લાયર સ્કોરકાર્ડ સ્થાયી છે, અને આ સપ્લાયરને આરએફક્યુઝ સાવધાની સાથે જારી કરાવવી જોઈએ." DocType: Certified Consultant,Non Profit Manager,નૉન-પ્રોફિટ મેનેજર -DocType: BOM,Total Cost(Company Currency),કુલ ખર્ચ (કંપની ચલણ) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,{0} બનાવવામાં સીરીયલ કોઈ DocType: Homepage,Company Description for website homepage,વેબસાઇટ હોમપેજ માટે કંપની વર્ણન DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ગ્રાહકોની સુવિધા માટે, આ કોડ ઇન્વૉઇસેસ અને ડ લવર નોંધો જેવા પ્રિન્ટ બંધારણો ઉપયોગ કરી શકાય છે" @@ -4626,7 +4683,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,ખરી DocType: Amazon MWS Settings,Enable Scheduled Synch,શેડ્યૂડ સમન્વય સક્ષમ કરો apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,તારીખ સમય માટે apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,SMS વિતરણ સ્થિતિ જાળવવા માટે લોગ -DocType: Shift Type,Early Exit Consequence,પ્રારંભિક બહાર નીકળો પરિણામ DocType: Accounts Settings,Make Payment via Journal Entry,જર્નલ પ્રવેશ મારફતે ચુકવણી બનાવો apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,કૃપા કરીને એક સમયે 500 થી વધુ વસ્તુઓ બનાવશો નહીં apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,મુદ્રિત પર @@ -4682,6 +4738,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,મર્યા 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,સિક્રેટ +DocType: Plaid Settings,Plaid Secret,પ્લેઇડ સિક્રેટ DocType: Company,Date of Establishment,સ્થાપનાની તારીખ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,વેન્ચર કેપિટલ apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,આ શૈક્ષણિક વર્ષ 'સાથે એક શૈક્ષણિક શબ્દ {0} અને' શબ્દ નામ '{1} પહેલેથી હાજર છે. આ પ્રવેશો સુધારવા માટે અને ફરીથી પ્રયાસ કરો. @@ -4743,6 +4800,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,ગ્રાહકનો પ્રકાર DocType: Compensatory Leave Request,Leave Allocation,ફાળવણી છોડો DocType: Payment Request,Recipient Message And Payment Details,પ્રાપ્તિકર્તા સંદેશ અને ચુકવણી વિગતો +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,કૃપા કરીને ડિલિવરી નોટ પસંદ કરો DocType: Support Search Source,Source DocType,સોર્સ ડોક ટાઇપ apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,નવી ટિકિટ ખોલો DocType: Training Event,Trainer Email,ટ્રેનર ઇમેઇલ @@ -4863,6 +4921,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,ફોરવર્ડ કરેલા પાંદડા વહન કરો apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','તારીખ થી' પછી જ ’તારીખ સુધી’ હોવી જોઈએ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,આ હોદ્દો માટે કોઈ સ્ટાફિંગ યોજનાઓ મળી નથી apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,આઇટમ {1} નો બેચ {0} અક્ષમ છે @@ -4884,7 +4943,7 @@ DocType: Clinical Procedure,Patient,પેશન્ટ apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,સેલ્સ ઓર્ડર પર ક્રેડિટ ચેક બાયપાસ DocType: Employee Onboarding Activity,Employee Onboarding Activity,એમ્પ્લોયી ઑનબોર્ડિંગ પ્રવૃત્તિ DocType: Location,Check if it is a hydroponic unit,જો તે હાયડ્રોફોનિક એકમ છે કે કેમ તે તપાસો -DocType: Stock Reconciliation Item,Serial No and Batch,સીરીયલ કોઈ અને બેચ +DocType: Pick List Item,Serial No and Batch,સીરીયલ કોઈ અને બેચ DocType: Warranty Claim,From Company,કંપનીથી DocType: GSTR 3B Report,January,જાન્યુઆરી apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,આકારણી માપદંડ સ્કોર્સ ની રકમ {0} હોઈ જરૂર છે. @@ -4908,7 +4967,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,આંતર કંપની વ્યવહારો માટે કોઈ {0} મળ્યું નથી. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,ક્રેડિટ_નોટ_અમટ DocType: Travel Itinerary,Rented Car,ભાડે આપતી કાર apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,તમારી કંપની વિશે apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,એકાઉન્ટ ક્રેડિટ બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ @@ -4941,6 +4999,7 @@ apps/erpnext/erpnext/config/accounting.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 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,એન apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,બાકી DocType: Appraisal,Appraisal,મૂલ્યાંકન @@ -5008,6 +5067,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),પેકેજ ગ્રોસ વજન. સામાન્ય રીતે નેટ વજન + પેકેજિંગ સામગ્રી વજન. (પ્રિન્ટ માટે) DocType: Assessment Plan,Program,કાર્યક્રમ DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,આ ભૂમિકા સાથેના વપરાશકર્તાઓ સ્થિર એકાઉન્ટ્સ સામે હિસાબી પ્રવેશો સ્થિર એકાઉન્ટ્સ સેટ અને બનાવવા / સુધારવા માટે માન્ય છે +DocType: Plaid Settings,Plaid Environment,પ્લેઇડ પર્યાવરણ ,Project Billing Summary,પ્રોજેક્ટ બિલિંગ સારાંશ DocType: Vital Signs,Cuts,કટ્સ DocType: Serial No,Is Cancelled,રદ છે @@ -5069,7 +5129,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"નોંધ: {0} જથ્થો કે રકમ 0 છે, કારણ કે ડિલિવરી ઉપર અને ઉપર બુકિંગ વસ્તુ માટે સિસ્ટમ તપાસ કરશે નહીં" DocType: Issue,Opening Date,શરૂઆતના તારીખ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,પહેલા દર્દીને બચાવો -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,નવો સંપર્ક કરો apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,એટેન્ડન્સ સફળતાપૂર્વક ચિહ્નિત કરવામાં આવી છે. DocType: Program Enrollment,Public Transport,જાહેર પરિવહન DocType: Sales Invoice,GST Vehicle Type,જીએસટી વાહન પ્રકાર @@ -5095,6 +5154,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,સપ્ DocType: POS Profile,Write Off Account,એકાઉન્ટ માંડવાળ DocType: Patient Appointment,Get prescribed procedures,નિયત કાર્યવાહી મેળવો DocType: Sales Invoice,Redemption Account,રીડેમ્પશન એકાઉન્ટ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,પ્રથમ આઇટમ સ્થાન કોષ્ટકમાં આઇટમ્સ ઉમેરો DocType: Pricing Rule,Discount Amount,ડિસ્કાઉન્ટ રકમ DocType: Pricing Rule,Period Settings,પીરિયડ સેટિંગ્સ DocType: Purchase Invoice,Return Against Purchase Invoice,સામે ખરીદી ભરતિયું પાછા ફરો @@ -5126,7 +5186,6 @@ DocType: Assessment Plan,Assessment Plan,આકારણી યોજના DocType: Travel Request,Fully Sponsored,સંપૂર્ણપણે પ્રાયોજિત apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,રિવર્સ જર્નલ એન્ટ્રી apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,જોબ કાર્ડ બનાવો -DocType: Shift Type,Consequence after,પરિણામ પછી DocType: Quality Procedure Process,Process Description,પ્રક્રિયા વર્ણન apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ગ્રાહક {0} બનાવવામાં આવેલ છે apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,હાલમાં કોઈ વેરહાઉસમાં કોઈ સ્ટોક ઉપલબ્ધ નથી @@ -5160,6 +5219,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,ક્લિયરન્સ DocType: Delivery Settings,Dispatch Notification Template,ડિસ્પ્લે સૂચના ટેમ્પલેટ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,આકારણી રિપોર્ટ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,કર્મચારીઓ મેળવો +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 સરનામું @@ -5283,7 +5343,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,આ રુટ વેચાણ વ્યક્તિ છે અને સંપાદિત કરી શકાતી નથી. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","જો પસંદ કરેલ હોય, ઉલ્લેખિત કર્યો છે કે આ ઘટક ગણતરી કિંમત કમાણી અથવા કપાત ફાળો નહીં. જોકે, તે કિંમત અન્ય ઘટકો છે કે જે ઉમેરવામાં આવે અથવા કપાત કરી શકાય સંદર્ભ શકાય છે." -DocType: Asset Settings,Number of Days in Fiscal Year,ફિસ્કલ વર્ષમાં દિવસોની સંખ્યા ,Stock Ledger,સ્ટોક ખાતાવહી DocType: Company,Exchange Gain / Loss Account,એક્સચેન્જ મેળવી / નુકશાન એકાઉન્ટ DocType: Amazon MWS Settings,MWS Credentials,MWS ઓળખપત્રો @@ -5317,6 +5376,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,બેંક ફાઇલમાં કumnલમ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},છોડો એપ્લિકેશન {0} વિદ્યાર્થી સામે પહેલાથી અસ્તિત્વમાં છે {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,સામગ્રીના તમામ બિલમાં નવીનતમ ભાવને અપડેટ કરવા માટે કતારબદ્ધ. તેમાં થોડો સમય લાગી શકે છે. +DocType: Pick List,Get Item Locations,આઇટમ સ્થાનો મેળવો apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,નવા એકાઉન્ટ ના નામ. નોંધ: ગ્રાહકો અને સપ્લાયર્સ માટે એકાઉન્ટ્સ બનાવી નથી કરો DocType: POS Profile,Display Items In Stock,સ્ટોક માં વસ્તુઓ દર્શાવો apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,દેશ મુજબની મૂળભૂત સરનામું નમૂનાઓ @@ -5340,6 +5400,7 @@ DocType: Crop,Materials Required,સામગ્રી આવશ્યક છે apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,કોઈ વિદ્યાર્થીઓ મળ્યો DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,માસિક એચઆરએ મુક્તિ DocType: Clinical Procedure,Medical Department,તબીબી વિભાગ +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,કુલ પ્રારંભિક બહાર નીકળો DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,સપ્લાયર સ્કોરકાર્ડ સ્કોરિંગ માપદંડ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,ભરતિયું પોસ્ટ તારીખ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,વેચાણ @@ -5351,11 +5412,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","કૃપા કરીને આ દસ્તાવેજ રદ કરવા માટે કર્મચારી {0} delete કા deleteી નાખો" DocType: Program Enrollment,School House,શાળા હાઉસ DocType: Serial No,Out of AMC,એએમસીના આઉટ DocType: Opportunity,Opportunity Amount,તકનીક રકમ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,તમારી પ્રોફાઇલ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,નક્કી Depreciations સંખ્યા કુલ Depreciations સંખ્યા કરતાં વધારે ન હોઈ શકે DocType: Purchase Order,Order Confirmation Date,ઑર્ડર પુષ્ટિકરણ તારીખ DocType: Driver,HR-DRI-.YYYY.-,એચઆર-ડીઆરઆઇ-. યેવાયવાય.- @@ -5449,7 +5509,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","દર, શેરોની સંખ્યા અને ગણતરીની રકમ વચ્ચેની અસાતત્યતા છે" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,તમે બધા દિવસ (ઓ) વળતરની રજા વિનંતી દિવસો વચ્ચે હાજર નથી apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,ફરીથી લખો કંપની નામ ખાતરી કરવા માટે કરો -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,કુલ બાકી એએમટી DocType: Journal Entry,Printing Settings,પ્રિન્ટિંગ સેટિંગ્સ DocType: Payment Order,Payment Order Type,ચુકવણી ઓર્ડરનો પ્રકાર DocType: Employee Advance,Advance Account,એડવાન્સ એકાઉન્ટ @@ -5537,7 +5596,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,વર્ષ નામ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,કામ દિવસો કરતાં વધુ રજાઓ આ મહિને છે. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,નીચેની આઇટમ્સ {0} {1} આઇટમ તરીકે ચિહ્નિત નથી. તમે તેને {1} આઇટમના માસ્ટરમાંથી વસ્તુ તરીકે સક્ષમ કરી શકો છો -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,પી.ડી.સી. / એલસી રિફ DocType: Production Plan Item,Product Bundle Item,ઉત્પાદન બંડલ વસ્તુ DocType: Sales Partner,Sales Partner Name,વેચાણ ભાગીદાર નામ apps/erpnext/erpnext/hooks.py,Request for Quotations,સુવાકયો માટે વિનંતી @@ -5546,14 +5604,13 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,સામાન્ય ટેસ્ટ આઈટમ્સ DocType: QuickBooks Migrator,Company Settings,કંપની સેટિંગ્સ DocType: Additional Salary,Overwrite Salary Structure Amount,પગાર માળખું રકમ પર ફરીથી લખી -apps/erpnext/erpnext/config/hr.py,Leaves,પાંદડા +DocType: Leave Ledger Entry,Leaves,પાંદડા DocType: Student Language,Student Language,વિદ્યાર્થી ભાષા DocType: Cash Flow Mapping,Is Working Capital,વર્કિંગ કેપિટલ છે apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,પુરાવો સબમિટ કરો apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,ઓર્ડર / quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,રેકોર્ડ પેશન્ટ Vitals DocType: Fee Schedule,Institution,સંસ્થા -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},આઇટમ માટે યુઓએમ કન્વર્ઝન પરિબળ ({0} -> {1}) મળ્યું નથી: {2} DocType: Asset,Partially Depreciated,આંશિક ઘટાડો DocType: Issue,Opening Time,ઉદઘાટન સમય apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,પ્રતિ અને જરૂરી તારીખો @@ -5603,6 +5660,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,મહત્તમ સ્વીકાર્ય કિંમત DocType: Journal Entry Account,Employee Advance,કર્મચારી એડવાન્સ DocType: Payroll Entry,Payroll Frequency,પગારપત્રક આવર્તન +DocType: Plaid Settings,Plaid Client ID,પ્લેઇડ ક્લાયંટ આઈડી DocType: Lab Test Template,Sensitivity,સંવેદનશીલતા DocType: Plaid Settings,Plaid Settings,પ્લેઇડ સેટિંગ્સ apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,સમન્વયન અસ્થાયી રૂપે અક્ષમ કરવામાં આવ્યું છે કારણ કે મહત્તમ રિટ્રીઝ ઓળંગી ગયા છે @@ -5620,6 +5678,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,પ્રથમ પોસ્ટ તારીખ પસંદ કરો apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,તારીખ ઓપનિંગ તારીખ બંધ કરતા પહેલા પ્રયત્ન કરીશું DocType: Travel Itinerary,Flight,ફ્લાઇટ +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,ઘરે પાછા DocType: Leave Control Panel,Carry Forward,આગળ લઈ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,હાલની વ્યવહારો સાથે ખર્ચ કેન્દ્રને ખાતાવહી રૂપાંતરિત કરી શકતા નથી DocType: Budget,Applicable on booking actual expenses,વાસ્તવિક ખર્ચ બુકિંગ પર લાગુ @@ -5720,6 +5779,7 @@ DocType: Water Analysis,Type of Sample,નમૂનાનો પ્રકાર DocType: Batch,Source Document Name,સોર્સ દસ્તાવેજનું નામ DocType: Production Plan,Get Raw Materials For Production,ઉત્પાદન માટે કાચો માલ મેળવો DocType: Job Opening,Job Title,જોબ શીર્ષક +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,ભાવિ ચુકવણી સંદર્ભ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} સૂચવે છે કે {1} કોઈ અવતરણ પૂરું પાડશે નહીં, પરંતુ બધી વસ્તુઓનો ઉલ્લેખ કરવામાં આવ્યો છે. RFQ ક્વોટ સ્થિતિ સુધારી રહ્યા છીએ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,મહત્તમ નમૂનાઓ - બેચ {1} અને વસ્તુ {2} બેચ {3} માં પહેલાથી જ {0} જાળવી રાખવામાં આવ્યા છે. @@ -5730,12 +5790,10 @@ 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: Company,Product Code,ઉત્પાદન કોડ DocType: Quality Review Table,Objective,ઉદ્દેશ્ય DocType: Supplier Scorecard,Per Month,દર મહિને DocType: Education Settings,Make Academic Term Mandatory,શૈક્ષણિક સમયની ફરજિયાત બનાવો -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,ઉત્પાદન જથ્થો 0 કરતાં મોટી હોવી જ જોઈએ. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,ફિસ્કલ યર પર આધારીત પ્રોપ્રરેટટેડ ડિપ્રેશન સૂચિની ગણતરી કરો +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,ઉત્પાદન જથ્થો 0 કરતાં મોટી હોવી જ જોઈએ. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,જાળવણી કોલ માટે અહેવાલ મુલાકાત લો. DocType: Stock Entry,Update Rate and Availability,સુધારા દર અને ઉપલબ્ધતા 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 એકમો આદેશ આપ્યો હોય તો. અને તમારા ભથ્થું પછી તમે 110 એકમો મેળવવા માટે માન્ય છે 10% છે. @@ -5746,7 +5804,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,પ્રકાશન તારીખ ભવિષ્યમાં હોવી આવશ્યક છે DocType: BOM,Website Description,વેબસાઇટ વર્ણન apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,ઈક્વિટી કુલ ફેરફાર -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,ખરીદી ભરતિયું {0} રદ કૃપા કરીને પ્રથમ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,પરવાનગી નથી. કૃપા કરી સેવા એકમ પ્રકારને અક્ષમ કરો apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","ઇમેઇલ સરનામું અનન્ય હોવો જોઈએ, પહેલેથી જ અસ્તિત્વમાં છે {0}" DocType: Serial No,AMC Expiry Date,એએમસી સમાપ્તિ તારીખ @@ -5788,6 +5845,7 @@ DocType: Pricing Rule,Price Discount Scheme,કિંમત છૂટ યોજ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,જાળવણી સ્થિતિ રદ અથવા સબમિટ કરવા સમાપ્ત થાય છે DocType: Amazon MWS Settings,US,યુ.એસ. DocType: Holiday List,Add Weekly Holidays,અઠવાડિક રજાઓ ઉમેરો +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,રિપોર્ટ આઇટમ DocType: Staffing Plan Detail,Vacancies,ખાલી જગ્યાઓ DocType: Hotel Room,Hotel Room,હોટેલ રૂમ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},એકાઉન્ટ {0} કરે કંપની માટે અનુસરે છે નથી {1} @@ -5838,12 +5896,15 @@ DocType: Email Digest,Open Quotations,ઓપન ક્વોટેશન્સ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","કૃપા કરીને આ દસ્તાવેજ રદ કરવા માટે કર્મચારી {0} delete કા deleteી નાખો" apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,સમય લોગ માટે પ્રવૃત્તિઓ પ્રકાર DocType: Opening Invoice Creation Tool,Sales,સેલ્સ DocType: Stock Entry Detail,Basic Amount,મૂળભૂત રકમ @@ -5857,6 +5918,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,ખાલી DocType: Patient,Alcohol Past Use,મદ્યાર્ક ભૂતકાળનો ઉપયોગ DocType: Fertilizer Content,Fertilizer Content,ખાતર સામગ્રી +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,કોઈ વર્ણન નથી apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,લાખોમાં DocType: Tax Rule,Billing State,બિલિંગ રાજ્ય DocType: Quality Goal,Monitoring Frequency,મોનિટરિંગ આવર્તન @@ -5874,6 +5936,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,સમાપ્તિ તારીખ પર સંપર્કની તારીખ પહેલાં ન હોઈ શકે apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,બેચ પ્રવેશો DocType: Journal Entry,Pay To / Recd From,ના / Recd પગાર +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,પ્રકાશન વસ્તુ DocType: Naming Series,Setup Series,સેટઅપ સિરીઝ DocType: Payment Reconciliation,To Invoice Date,તારીખ ભરતિયું DocType: Bank Account,Contact HTML,સંપર્ક HTML @@ -5895,6 +5958,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,છૂટક DocType: Student Attendance,Absent,ગેરહાજર DocType: Staffing Plan,Staffing Plan Detail,સ્ટાફિંગ પ્લાન વિગતવાર DocType: Employee Promotion,Promotion Date,પ્રમોશન તારીખ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,રજા ફાળવણી% s એ રજા એપ્લિકેશન% s સાથે જોડાયેલ છે 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} @@ -5932,6 +5996,7 @@ DocType: Volunteer,Availability,ઉપલબ્ધતા apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS ઇનવૉઇસેસ માટે ડિફોલ્ટ મૂલ્યો સેટ કરો DocType: Employee Training,Training,તાલીમ DocType: Project,Time to send,મોકલવાનો સમય +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,આ પૃષ્ઠ તમારી આઇટમ્સનો ટ્ર keepsક રાખે છે જેમાં ખરીદદારોએ કેટલીક રુચિ બતાવી છે. 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 ઇમેઇલ આઈડી @@ -6026,11 +6091,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ખુલી ભાવ DocType: Salary Component,Formula,ફોર્મ્યુલા apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,સીરીયલ # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને માનવ સંસાધન> એચઆર સેટિંગ્સમાં કર્મચારી નામકરણ સિસ્ટમ સેટ કરો DocType: Material Request Plan Item,Required Quantity,જરૂરી માત્રા DocType: Lab Test Template,Lab Test Template,લેબ ટેસ્ટ ઢાંચો apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,સેલ્સ એકાઉન્ટ DocType: Purchase Invoice Item,Total Weight,કૂલ વજન +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}" @@ -6054,6 +6119,7 @@ DocType: Company,Default Employee Advance Account,ડિફોલ્ટ કર apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),શોધ આઇટમ (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,એસીસી - સીએફ - .YYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,હાલની વ્યવહાર સાથે એકાઉન્ટ કાઢી શકાતી નથી +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,શા માટે લાગે છે કે આ વસ્તુ દૂર કરવી જોઈએ? DocType: Vehicle,Last Carbon Check,છેલ્લા કાર્બન ચેક apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,કાનૂની ખર્ચ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,કૃપા કરીને પંક્તિ પર જથ્થો પસંદ @@ -6073,6 +6139,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,વિરામ DocType: Travel Itinerary,Vegetarian,શાકાહારી DocType: Patient Encounter,Encounter Date,એન્કાઉન્ટર ડેટ +DocType: Work Order,Update Consumed Material Cost In Project,પ્રોજેક્ટમાં વપરાશી સામગ્રીની કિંમતને અપડેટ કરો apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,ખાતું: {0} ચલણ સાથે: {1} પસંદ કરી શકાતી નથી DocType: Bank Statement Transaction Settings Item,Bank Data,બેંક ડેટા DocType: Purchase Receipt Item,Sample Quantity,નમૂના જથ્થો @@ -6126,7 +6193,7 @@ DocType: GSTR 3B Report,April,એપ્રિલ DocType: Plant Analysis,Collection Datetime,કલેક્શન ડેટટાઇમ DocType: Asset Repair,ACC-ASR-.YYYY.-,એસીસી-એએસઆર-વાય.વાયવાયવાય.- DocType: Work Order,Total Operating Cost,કુલ સંચાલન ખર્ચ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,નોંધ: વસ્તુ {0} ઘણી વખત દાખલ +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,નોંધ: વસ્તુ {0} ઘણી વખત દાખલ apps/erpnext/erpnext/config/buying.py,All Contacts.,બધા સંપર્કો. DocType: Accounting Period,Closed Documents,બંધ દસ્તાવેજો DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,નિમણૂંક ઇન્વોઇસ મેનેજ કરો પેશન્ટ એન્કાઉન્ટર માટે આપોઆપ સબમિટ કરો અને રદ કરો @@ -6206,9 +6273,7 @@ DocType: Member,Membership Type,સભ્યપદ પ્રકાર ,Reqd By Date,Reqd તારીખ દ્વારા apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,ક્રેડિટર્સ DocType: Assessment Plan,Assessment Name,આકારણી નામ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,પ્રિન્ટમાં PDC દર્શાવો apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,ROW # {0}: સીરીયલ કોઈ ફરજિયાત છે -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,{0} {1} માટે કોઈ બાકી ઇન્વoicesઇસેસ મળ્યાં નથી. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,વસ્તુ વાઈસ ટેક્સ વિગતવાર DocType: Employee Onboarding,Job Offer,નોકરી ની તક apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,સંસ્થા સંક્ષેપનો @@ -6266,6 +6331,7 @@ DocType: Serial No,Out of Warranty,વોરંટી બહાર DocType: Bank Statement Transaction Settings Item,Mapped Data Type,મેપ કરેલ ડેટા પ્રકાર DocType: BOM Update Tool,Replace,બદલો apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,કોઈ ઉત્પાદનો મળી. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,વધુ વસ્તુઓ પ્રકાશિત કરો apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},આ સેવા સ્તરનો કરાર ગ્રાહક માટે વિશિષ્ટ છે {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} સેલ્સ ભરતિયું સામે {1} DocType: Antibiotic,Laboratory User,લેબોરેટરી વપરાશકર્તા @@ -6287,7 +6353,6 @@ DocType: Payment Order Reference,Bank Account Details,બેંક એકાઉ DocType: Purchase Order Item,Blanket Order,બ્લેંકેટ ઓર્ડર 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,ટેક્સ અસ્કયામતો -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},ઉત્પાદન ઓર્ડર કરવામાં આવ્યો છે {0} DocType: BOM Item,BOM No,BOM કોઈ 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,ખસેડવું સરેરાશ @@ -6360,6 +6425,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),બાહ્ય કરપાત્ર પુરવઠો (શૂન્ય રેટેડ) DocType: BOM,Materials Required (Exploded),મટિરીયલ્સ (વિસ્ફોટ) જરૂરી 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/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,પોસ્ટ તારીખ ભવિષ્યના તારીખ ન હોઈ શકે @@ -6417,7 +6483,6 @@ DocType: Pricing Rule,Same Item,સમાન વસ્તુ DocType: Stock Ledger Entry,Stock Ledger Entry,સ્ટોક ખાતાવહી એન્ટ્રી DocType: Quality Action Resolution,Quality Action Resolution,ગુણવત્તા ક્રિયા ઠરાવ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{1} અર્ધ દિવસ પર {1} છોડો -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,એક જ આઇટમ્સનો અનેકવાર દાખલ કરવામાં આવી DocType: Department,Leave Block List,બ્લોક યાદી છોડો DocType: Purchase Invoice,Tax ID,કરવેરા ID ને apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,{0} વસ્તુ સીરીયલ અમે માટે સુયોજિત નથી. કોલમ ખાલી હોવા જ જોઈએ @@ -6454,7 +6519,7 @@ 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} અક્ષમ કરેલી છે અથવા અસ્તિત્વમાં નથી DocType: Purchase Invoice,Return,રીટર્ન -DocType: Accounting Dimension,Disable,અક્ષમ કરો +DocType: Account,Disable,અક્ષમ કરો apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,ચુકવણી સ્થિતિ ચૂકવણી કરવા માટે જરૂરી છે DocType: Task,Pending Review,બાકી સમીક્ષા apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","અસ્કયામતો, સીરીઅલ નંબર, બૅચેસ જેવા વધુ વિકલ્પો માટે સંપૂર્ણ પૃષ્ઠમાં સંપાદિત કરો." @@ -6565,7 +6630,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,એસીસી-એસએચ-. વાયવ apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,સંયુક્ત ભરતાનો હિસ્સો 100% જેટલો જ હોવો જોઈએ DocType: Item Default,Default Expense Account,મૂળભૂત ખર્ચ એકાઉન્ટ DocType: GST Account,CGST Account,CGST એકાઉન્ટ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,આઇટમ કોડ> આઇટમ જૂથ> બ્રાન્ડ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,વિદ્યાર્થી ઇમેઇલ ને DocType: Employee,Notice (days),સૂચના (દિવસ) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS બંધ વાઉચર ઇનવૉઇસેસ @@ -6576,6 +6640,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ભરતિયું સેવ આઇટમ્સ પસંદ કરો DocType: Employee,Encashment Date,એન્કેશમેન્ટ તારીખ DocType: Training Event,Internet,ઈન્ટરનેટ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,વેચનાર માહિતી DocType: Special Test Template,Special Test Template,ખાસ ટેસ્ટ ઢાંચો DocType: Account,Stock Adjustment,સ્ટોક એડજસ્ટમેન્ટ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},મૂળભૂત પ્રવૃત્તિ કિંમત પ્રવૃત્તિ પ્રકાર માટે અસ્તિત્વમાં છે - {0} @@ -6587,7 +6652,6 @@ 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,બંને ટ્રાયલ પીરિયડ પ્રારંભ તારીખ અને ટ્રાયલ પીરિયડ સમાપ્તિ તારીખ સેટ હોવી જોઈએ -DocType: Company,Bank Remittance Settings,બેંક રેમિટન્સ સેટિંગ્સ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,સરેરાશ દર 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","""ગ્રાહક મોકલેલ વસ્તુ"" ""મૂલ્યાંકન દર ન હોઈ શકે" @@ -6615,6 +6679,7 @@ DocType: Grading Scale Interval,Threshold,થ્રેશોલ્ડ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),દ્વારા ફિલ્ટર કરો કર્મચારીઓ (વૈકલ્પિક) DocType: BOM Update Tool,Current BOM,વર્તમાન BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),બેલેન્સ (ડો - સીઆર) +DocType: Pick List,Qty of Finished Goods Item,સમાપ્ત માલની આઇટમની માત્રા apps/erpnext/erpnext/public/js/utils.js,Add Serial No,સીરીયલ કોઈ ઉમેરો DocType: Work Order Item,Available Qty at Source Warehouse,સોર્સ વેરહાઉસ પર ઉપલબ્ધ Qty apps/erpnext/erpnext/config/support.py,Warranty,વોરંટી @@ -6691,7 +6756,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","અહીં તમે વગેરે ઊંચાઇ, વજન, એલર્જી, તબીબી બાબતો જાળવી શકે છે" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,એકાઉન્ટ્સ બનાવી રહ્યાં છે ... DocType: Leave Block List,Applies to Company,કંપની માટે લાગુ પડે છે -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,સબમિટ સ્ટોક એન્ટ્રી {0} અસ્તિત્વમાં છે કારણ કે રદ કરી શકાતી નથી +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,સબમિટ સ્ટોક એન્ટ્રી {0} અસ્તિત્વમાં છે કારણ કે રદ કરી શકાતી નથી DocType: Loan,Disbursement Date,વહેંચણી તારીખ DocType: Service Level Agreement,Agreement Details,કરાર વિગતો apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,કરારની પ્રારંભ તારીખ સમાપ્તિ તારીખ કરતા મોટી અથવા તેનાથી વધુ હોઈ શકતી નથી. @@ -6700,6 +6765,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,તબીબી રેકોર્ડ DocType: Vehicle,Vehicle,વાહન DocType: Purchase Invoice,In Words,શબ્દો માં +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,આજની તારીખથી તારીખની તારીખની જરૂરિયાત છે apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,સબમિટ પહેલાં બેંક અથવા ધિરાણ સંસ્થાના નામ દાખલ કરો. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} સબમિટ હોવી જ જોઈએ DocType: POS Profile,Item Groups,વસ્તુ જૂથો @@ -6771,7 +6837,6 @@ DocType: Customer,Sales Team Details,સેલ્સ ટીમ વિગતો apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,કાયમી કાઢી નાખો? DocType: Expense Claim,Total Claimed Amount,કુલ દાવો રકમ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,વેચાણ માટે સંભવિત તકો. -DocType: Plaid Settings,Link a new bank account,નવા બેંક ખાતાને લિંક કરો apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,} an એ અમાન્ય હાજરીની સ્થિતિ છે. DocType: Shareholder,Folio no.,ફોલિયો નં. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},અમાન્ય {0} @@ -6787,7 +6852,6 @@ DocType: Production Plan,Material Requested,વપરાયેલી સામ DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,પેટા કરાર માટે અનામત જથ્થો DocType: Patient Service Unit,Patinet Service Unit,પાટિનેટ સેવા એકમ -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,ટેક્સ્ટ ફાઇલ બનાવો DocType: Sales Invoice,Base Change Amount (Company Currency),આધાર બદલી રકમ (કંપની ચલણ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,નીચેના વખારો માટે કોઈ હિસાબ પ્રવેશો apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},આઇટમ {1} માટે સ્ટોકમાં ફક્ત {0} @@ -6801,6 +6865,7 @@ DocType: Item,No of Months,મહિનાની સંખ્યા DocType: Item,Max Discount (%),મેક્સ ડિસ્કાઉન્ટ (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,ક્રેડિટ દિવસો નકારાત્મક નંબર હોઈ શકતા નથી apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,નિવેદન અપલોડ કરો +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,આ આઇટમની જાણ કરો DocType: Purchase Invoice Item,Service Stop Date,સેવા સ્ટોપ તારીખ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,છેલ્લે ઓર્ડર રકમ DocType: Cash Flow Mapper,e.g Adjustments for:,દા.ત. એડજસ્ટમેન્ટ્સ: @@ -6893,16 +6958,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,એમ્પ્લોયી ટેક્સ એક્ઝેમ્પ્શન કેટેગરી apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,રકમ શૂન્યથી ઓછી હોવી જોઈએ નહીં. DocType: Sales Invoice,C-Form Applicable,સી-ફોર્મ લાગુ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},ઓપરેશન સમય ઓપરેશન કરતાં વધારે 0 હોવા જ જોઈએ {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},ઓપરેશન સમય ઓપરેશન કરતાં વધારે 0 હોવા જ જોઈએ {0} DocType: Support Search Source,Post Route String,પોસ્ટ રૂટ સ્ટ્રિંગ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,વેરહાઉસ ફરજિયાત છે apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,વેબસાઇટ બનાવવામાં નિષ્ફળ DocType: Soil Analysis,Mg/K,એમજી / કે DocType: UOM Conversion Detail,UOM Conversion Detail,UOM રૂપાંતર વિગતવાર apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,પ્રવેશ અને નોંધણી -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,રીટેન્શન સ્ટોક એન્ટ્રી પહેલેથી જ બનાવવામાં આવેલ છે અથવા નમૂનાની રકમ આપેલ નથી +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,રીટેન્શન સ્ટોક એન્ટ્રી પહેલેથી જ બનાવવામાં આવેલ છે અથવા નમૂનાની રકમ આપેલ નથી DocType: Program,Program Abbreviation,કાર્યક્રમ સંક્ષેપનો -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,ઉત્પાદન ઓર્ડર એક વસ્તુ ઢાંચો સામે ઊભા કરી શકાતી નથી apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),વાઉચર દ્વારા જૂથ (એકીકૃત) DocType: HR Settings,Encrypt Salary Slips in Emails,ઇમેઇલ્સમાં પગાર સ્લિપને એન્ક્રિપ્ટ કરો DocType: Question,Multiple Correct Answer,બહુવિધ સાચા જવાબ @@ -6949,7 +7013,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,નીલ રેટે DocType: Employee,Educational Qualification,શૈક્ષણિક લાયકાત DocType: Workstation,Operating Costs,ઓપરેટિંગ ખર્ચ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},કરન્સી {0} હોવા જ જોઈએ {1} -DocType: Employee Checkin,Entry Grace Period Consequence,પ્રવેશ ગ્રેસ અવધિ પરિણામ DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,આ શિફ્ટમાં સોંપાયેલા કર્મચારીઓ માટે 'એમ્પ્લોઇ ચેકઇન' પર આધારિત હાજરીને ચિહ્નિત કરો. DocType: Asset,Disposal Date,નિકાલ તારીખ DocType: Service Level,Response and Resoution Time,પ્રતિસાદ અને આશ્વાસન સમય @@ -6997,6 +7060,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,પૂર્ણાહુતિ તારીખ્ DocType: Purchase Invoice Item,Amount (Company Currency),રકમ (કંપની ચલણ) DocType: Program,Is Featured,ફીચર્ડ છે +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,લાવી રહ્યું છે ... DocType: Agriculture Analysis Criteria,Agriculture User,કૃષિ વપરાશકર્તા apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,તારીખ સુધી માન્ય વ્યવહાર તારીખ પહેલાં ન હોઈ શકે 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} આ સોદો પૂર્ણ કરવા માટે એકમો. @@ -7029,7 +7093,6 @@ DocType: Student,B+,બી + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,કુલ ભરપાઈ એએમટી 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,જીએસટી આઇટમાઇઝ્ડ સેલ્સ રજિસ્ટર @@ -7053,6 +7116,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,અનામ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,પ્રતિ પ્રાપ્ત DocType: Lead,Converted,રૂપાંતરિત DocType: Item,Has Serial No,સીરીયલ કોઈ છે +DocType: Stock Entry Detail,PO Supplied Item,PO સપ્લાય કરેલી વસ્તુ 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} @@ -7163,7 +7227,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,સિન્ક કર અ 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,માટે {0} મળી નથી ડિફૉલ્ટ BOM +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,ROW # {0}: પુનઃક્રમાંકિત કરો જથ્થો સુયોજિત કરો apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,તેમને અહીં ઉમેરવા માટે વસ્તુઓ ટેપ @@ -7197,7 +7261,6 @@ DocType: Purchase Invoice,Y,વાય DocType: Maintenance Visit,Maintenance Date,જાળવણી તારીખ DocType: Purchase Invoice Item,Rejected Serial No,નકારેલું સીરીયલ કોઈ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,વર્ષ શરૂ તારીખ અથવા અંતિમ તારીખ {0} સાથે ઓવરલેપિંગ છે. ટાળવા માટે કંપની સુયોજિત કરો -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ> નંબરિંગ સિરીઝ દ્વારા હાજરી માટે નંબરિંગ શ્રેણી સેટ કરો apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},લીડ નામમાં લીડ નામનો ઉલ્લેખ કરો {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},વસ્તુ માટે અંતિમ તારીખ કરતાં ઓછી હોવી જોઈએ તારીખ શરૂ {0} DocType: Shift Type,Auto Attendance Settings,Autoટો હાજરી સેટિંગ્સ @@ -7253,6 +7316,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,વિદ્યાર્થીની વિગતો DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",આ આઇટમ્સ અને વેચાણના ઓર્ડર માટે વપરાયેલ ડિફોલ્ટ UOM છે. ફ fallલબેક યુઓએમ "નોસ" છે. DocType: Purchase Invoice Item,Stock Qty,સ્ટોક Qty +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,ડિફોલ્ટ શિપિંગ એકાઉન્ટ DocType: Loan,Repayment Period in Months,મહિના ચુકવણી સમય @@ -7281,6 +7345,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ડિસ્ક apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,કાર્યો માટે Timesheet. DocType: Purchase Invoice,Against Expense Account,ખર્ચ એકાઉન્ટ સામે apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,સ્થાપન નોંધ {0} પહેલાથી જ સબમિટ કરવામાં આવી છે +DocType: BOM,Raw Material Cost (Company Currency),કાચો માલ ખર્ચ (કંપની કરન્સી) DocType: GSTR 3B Report,October,ઓક્ટોબર DocType: Bank Reconciliation,Get Payment Entries,ચુકવણી પ્રવેશો મળી DocType: Quotation Item,Against Docname,Docname સામે @@ -7326,15 +7391,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,ઉપયોગ તારીખ માટે ઉપલબ્ધ જરૂરી છે DocType: Request for Quotation,Supplier Detail,પુરવઠોકર્તા વિગતવાર apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},સૂત્ર અથવા શરત ભૂલ: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,ભરતિયું રકમ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,ભરતિયું રકમ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,માપદંડ વજન 100% જેટલું ઉમેરવું જોઈએ apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,એટેન્ડન્સ apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,સ્ટોક વસ્તુઓ DocType: Sales Invoice,Update Billed Amount in Sales Order,સેલ્સ ઓર્ડર માં બિલ બિલ સુધારો +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,સંપર્ક વિક્રેતા 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,કૃપા કરીને આ આઇટમની જાણ કરવા માટે બજારના વપરાશકર્તા તરીકે લ Userગિન કરો. ,Sales Partner Commission Summary,વેચાણ ભાગીદાર કમિશન સારાંશ ,Item Prices,વસ્તુ એની DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,તમે ખરીદી માટે સેવ વાર શબ્દો દૃશ્યમાન થશે. @@ -7347,6 +7414,7 @@ DocType: Dosage Form,Dosage Form,ડોઝ ફોર્મ apps/erpnext/erpnext/config/buying.py,Price List master.,ભાવ યાદી માસ્ટર. DocType: Task,Review Date,સમીક્ષા તારીખ DocType: BOM,Allow Alternative Item,વૈકલ્પિક વસ્તુને મંજૂરી આપો +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ખરીદીની રસીદમાં એવી કોઈ આઇટમ હોતી નથી જેના માટે ફરીથી જાળવવાનો નમૂના સક્ષમ છે. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ભરતિયું ગ્રાન્ડ કુલ DocType: Company,Series for Asset Depreciation Entry (Journal Entry),એસેટ અવમૂલ્યન એન્ટ્રી માટે સિરીઝ (જર્નલ એન્ટ્રી) DocType: Membership,Member Since,થી સભ્ય @@ -7355,6 +7423,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,નેટ કુલ પર 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: Pricing Rule,Product Discount Scheme,પ્રોડક્ટ ડિસ્કાઉન્ટ યોજના +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,ક issueલર દ્વારા કોઈ મુદ્દો ઉઠાવવામાં આવ્યો નથી. DocType: Restaurant Reservation,Waitlisted,રાહ જોવાયેલી DocType: Employee Tax Exemption Declaration Category,Exemption Category,એક્ઝેમ્પ્શન કેટેગરી apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,કરન્સી કેટલાક અન્ય ચલણ ઉપયોગ પ્રવેશો કર્યા પછી બદલી શકાતું નથી @@ -7368,7 +7437,6 @@ DocType: Customer Group,Parent Customer Group,પિતૃ ગ્રાહક apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ઇ-વે બિલ જેએસઓન ફક્ત સેલ્સ ઇન્વoiceઇસથી જ જનરેટ થઈ શકે છે apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,આ ક્વિઝ માટે મહત્તમ પ્રયત્નો પહોંચી ગયા! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,ઉમેદવારી -DocType: Purchase Invoice,Contact Email,સંપર્ક ઇમેઇલ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ફી સર્જન બાકી DocType: Project Template Task,Duration (Days),અવધિ (દિવસો) DocType: Appraisal Goal,Score Earned,કુલ સ્કોર કમાવેલી @@ -7393,7 +7461,6 @@ DocType: Landed Cost Item,Landed Cost Item,ઉતારેલ માલની 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","એકલ વ્યવહાર માટેની રકમ મહત્તમ અનુમતિ આપતી રકમથી વધુ છે, વ્યવહારોને વિભાજીત કરીને એક અલગ ચુકવણી orderર્ડર બનાવો" DocType: Service Level Agreement,Entity,એન્ટિટી DocType: Payment Reconciliation,Receivable / Payable Account,પ્રાપ્ત / ચૂકવવાપાત્ર એકાઉન્ટ DocType: Delivery Note Item,Against Sales Order Item,વેચાણ ઓર્ડર વસ્તુ સામે @@ -7559,6 +7626,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,ઉ DocType: Quality Inspection Reading,Reading 3,3 વાંચન DocType: Stock Entry,Source Warehouse Address,સોર્સ વેરહાઉસ સરનામું DocType: GL Entry,Voucher Type,વાઉચર પ્રકાર +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,ભાવિ ચુકવણીઓ 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 ,છેલ્લી પ્રવૃત્તિ @@ -7585,6 +7653,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,ફીલ્ડમાં શોધાયેલ રોગોની સૂચિ. જ્યારે પસંદ કરેલ હોય તો તે રોગ સાથે વ્યવહાર કરવા માટે આપમેળે ક્રિયાઓની સૂચિ ઉમેરશે +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,બોમ 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,આ રુટ હેલ્થકેર સેવા એકમ છે અને સંપાદિત કરી શકાતું નથી. DocType: Asset Repair,Repair Status,સમારકામ સ્થિતિ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","વિનંતી કરેલી રકમ: ખરીદી માટે સંખ્યાની વિનંતી કરી, પરંતુ ઓર્ડર આપ્યો નથી." @@ -7599,6 +7668,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,જથ્થો બદલી માટે એકાઉન્ટ DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks થી કનેક્ટ કરી રહ્યું છે DocType: Exchange Rate Revaluation,Total Gain/Loss,કુલ ગેઇન / લોસ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,ચૂંટો યાદી બનાવો apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},રો {0}: પાર્ટી / એકાઉન્ટ સાથે મેળ ખાતું નથી {1} / {2} માં {3} {4} DocType: Employee Promotion,Employee Promotion,કર્મચારીનું પ્રમોશન DocType: Maintenance Team Member,Maintenance Team Member,જાળવણી ટીમ સભ્ય @@ -7680,6 +7750,7 @@ 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,એસેટ વર્ગ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,નેટ પગાર નકારાત્મક ન હોઈ શકે @@ -7711,7 +7782,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,ગુણવત્તા ધ્યેય DocType: BOM,Item to be manufactured or repacked,વસ્તુ ઉત્પાદન અથવા repacked શકાય apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},શરતમાં સિન્ટેક્ષ ભૂલ: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,ગ્રાહક દ્વારા કોઈ મુદ્દો ઉભો થયો નથી. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST- .YYYY.- DocType: Employee Education,Major/Optional Subjects,મુખ્ય / વૈકલ્પિક વિષયો apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,કૃપા કરીને સપ્લાયર ગ્રૂપને સેટિંગ્સ ખરીદવી. @@ -7804,8 +7874,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,ક્રેડિટ દિવસો apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,લેબ ટેસ્ટ મેળવવા માટે પેશન્ટ પસંદ કરો DocType: Exotel Settings,Exotel Settings,એક્સટેલ સેટિંગ્સ -DocType: Leave Type,Is Carry Forward,આગળ લઈ છે +DocType: Leave Ledger Entry,Is Carry Forward,આગળ લઈ છે DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),કામના કલાકો કે જેની નીચે ગેરહાજર ચિહ્નિત થયેલ છે. (અક્ષમ કરવા માટે શૂન્ય) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,સંદેશો મોકલો apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,BOM થી વસ્તુઓ વિચાર 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,આવકવેરા ખર્ચ છે diff --git a/erpnext/translations/he.csv b/erpnext/translations/he.csv index 256e235afb..a48bceb2e7 100644 --- a/erpnext/translations/he.csv +++ b/erpnext/translations/he.csv @@ -55,7 +55,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,יומנים לשמירה על סטטוס משלוח SMS DocType: Batch,Batch ID,זיהוי אצווה apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Avg. Selling Rate,ממוצע. שיעור מכירה -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"כמות שהושלמה לא יכולה להיות גדולה מ 'כמות לייצור """ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"כמות שהושלמה לא יכולה להיות גדולה מ 'כמות לייצור """ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,חשבון {0}: הורה חשבון {1} לא קיימת DocType: Asset,Double Declining Balance,יתרה זוגית ירידה apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,Please specify from/to range,נא לציין מ / אל נעים @@ -103,7 +103,6 @@ apps/erpnext/erpnext/accounts/utils.py,Payment Entries {0} are un-linked,פוס DocType: Rename Tool,File to Rename,קובץ לשינוי השם DocType: Item Default,Default Supplier,ספק ברירת מחדל DocType: Item,FIFO,FIFO -DocType: Purchase Invoice,Contact Email,"דוא""ל ליצירת קשר" 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,אנא להגדיר מסנן מבוסס על פריט או מחסן @@ -289,8 +288,7 @@ DocType: Employee Education,Employee Education,חינוך לעובדים apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py,Total Actual,"סה""כ בפועל" DocType: Shopping Cart Settings,Enable Shopping Cart,אפשר סל קניות DocType: Payment Request,Mute Email,דוא"ל השתקה -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},לא יכול לייצר יותר פריט {0} מאשר כמות להזמין מכירות {1} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,גיליון נוצר: +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},לא יכול לייצר יותר פריט {0} מאשר כמות להזמין מכירות {1} DocType: Journal Entry,Excise Entry,בלו כניסה DocType: Warranty Claim,Resolved By,נפתר על ידי DocType: Production Plan,Get Sales Orders,קבל הזמנות ומכירות @@ -527,7 +525,7 @@ DocType: Item Attribute Value,"This will be appended to the Item Code of the var apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Please specify a valid Row ID for row {0} in table {1},נא לציין מספר שורה תקפה לשורה {0} בטבלת {1} apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py,Serial No {0} does not belong to Delivery Note {1},מספר סידורי {0} אינו שייך לתעודת משלוח {1} DocType: Asset Category Account,Fixed Asset Account,חשבון רכוש קבוע -DocType: Sales Invoice,Debit To,חיוב ל +DocType: Discounted Invoice,Debit To,חיוב ל DocType: Leave Type,Allow Negative Balance,לאפשר מאזן שלילי DocType: Timesheet,Employee Detail,פרט לעובדים DocType: Maintenance Visit Purpose,Against Document No,נגד מסמך לא @@ -565,7 +563,7 @@ DocType: Healthcare Practitioner,Default Currency,מטבע ברירת מחדל apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,כתובת חדשה apps/erpnext/erpnext/setup/doctype/company/company.py,Abbreviation is mandatory,הקיצור הוא חובה apps/erpnext/erpnext/config/help.py,Customizing Forms,טפסי התאמה אישית -DocType: Accounting Dimension,Disable,בטל +DocType: Account,Disable,בטל DocType: Customer Group,Mention if non-standard receivable account applicable,להזכיר אם ישים חשבון חייבים שאינם סטנדרטי apps/erpnext/erpnext/accounts/page/pos/pos.js,Enter value must be positive,זן הערך חייב להיות חיובי DocType: Warehouse,PIN,פִּין @@ -583,7 +581,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set Depreciation related Accounts in Asset Category {0} or Company {1},אנא להגדיר חשבונות הקשורים פחת קטגוריה Asset {0} או החברה {1} apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,[{0}] (טופס # / כתבה / {0}) אזל מהמלאי DocType: Warranty Claim,Warranty / AMC Status,אחריות / מעמד AMC -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,הערה: פריט {0} נכנסה מספר פעמים +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,הערה: פריט {0} נכנסה מספר פעמים 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","'השתמש עבור סל קניות' האפשור, כמו סל הקניות מופעל ולא צריך להיות לפחות כלל מס אחד עבור סל קניות" apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py,Closing Account {0} must be of type Liability / Equity,סגירת חשבון {0} חייבת להיות אחריות / הון עצמי סוג DocType: Attendance,Leave Type,סוג החופשה @@ -615,7 +613,7 @@ apps/erpnext/erpnext/controllers/selling_controller.py,Row {0}: Qty is mandatory ,Available Stock for Packing Items,מלאי זמין לפריטי אריזה apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Balance Value,ערך איזון DocType: Lead,Interested,מעוניין -DocType: Leave Type,Is Leave Without Pay,האם חופשה ללא תשלום +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 @@ -648,13 +646,11 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Part-time apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,הגבל Crossed DocType: Email Digest,How frequently?,באיזו תדירות? DocType: Upload Attendance,Get Template,קבל תבנית -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,עלים כולל שהוקצו {0} לא יכולים להיות פחות מעלים שכבר אושרו {1} לתקופה 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} או שכבר מתאים נגד שובר אחר apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Removed items with no change in quantity or value.,פריטים הוסרו ללא שינוי בכמות או ערך. DocType: Work Order,Use Multi-Level BOM,השתמש Multi-Level BOM DocType: Sales Invoice,Shipping Address Name,שם כתובת למשלוח DocType: Customer Group,Parent Customer Group,קבוצת לקוחות הורה -,Company Name,שם חברה DocType: GL Entry,GL Entry,GL כניסה DocType: Asset,Asset Name,שם נכס apps/erpnext/erpnext/setup/doctype/company/company.py,Main,ראשי @@ -667,7 +663,6 @@ DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ספק בד DocType: Share Balance,Issued,הפיק ,Sales Partners Commission,ועדת שותפי מכירות DocType: Purchase Receipt,Range,טווח -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,הושלם כבר 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 @@ -677,7 +672,7 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,{0 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Entry is already created,כניסת תשלום כבר נוצר DocType: Sales Invoice Item,References,אזכור DocType: Item,Synced With Hub,סונכרן עם רכזת -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,להזמין מכירות {0} אינו חוקי +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,להזמין מכירות {0} אינו חוקי apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Warehouse not found in the system,מחסן לא נמצא במערכת apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py,Total Tax,"מס סה""כ" 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} @@ -693,7 +688,6 @@ DocType: Bin,Moving Average Rate,נע תעריף ממוצע apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,נא להזין את עובדי זיהוי של איש מכירות זה DocType: Purchase Taxes and Charges,Consider Tax or Charge for,שקול מס או תשלום עבור DocType: Maintenance Visit,Maintenance Visit,תחזוקה בקר -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","הזמנת ייצור הפסיק אינה ניתנת לביטול, מגופתו הראשונה לביטול" apps/erpnext/erpnext/config/selling.py,Quotes to Leads or Customers.,ציטוטים להובלות או לקוחות. DocType: Lead,Do Not Contact,אל תצור קשר DocType: BOM,Manage cost of operations,ניהול עלות של פעולות @@ -722,7 +716,7 @@ apps/erpnext/erpnext/controllers/website_list_for_contact.py,{0}% Billed,{0}% ש DocType: Delivery Note Item,Against Sales Order,נגד להזמין מכירות DocType: Email Digest,Open Notifications,הודעות פתוחות apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js,From Delivery Note,מתעודת משלוח -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,סכום חשבונית +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,סכום חשבונית DocType: Program Enrollment Fee,Program Enrollment Fee,הרשמה לתכנית דמים apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","כדי לקבל את הטוב ביותר של ERPNext, אנו ממליצים שתיקחו קצת זמן ולצפות בקטעי וידאו עזרה אלה." DocType: Student Group Creation Tool,Student Group Creation Tool,כלי יצירת סטודנט קבוצה @@ -751,7 +745,6 @@ DocType: POS Profile,Sales Invoice Payment,תשלום חשבוניות מכיר DocType: Fee Schedule,Fee Schedule,בתוספת דמי apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research,מחקר apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Consumable,מתכלה -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,אנא בטל חשבונית רכישת {0} ראשון DocType: Account,Profit and Loss,רווח והפסד DocType: Purchase Invoice Item,Rate,שיעור apps/erpnext/erpnext/utilities/user_progress.py,Meter,מטר @@ -888,7 +881,6 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,This Week's Summ DocType: Packed Item,To Warehouse (Optional),למחסן (אופציונאלי) DocType: Cheque Print Template,Scanned Cheque,המחאה סרוקה apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,מדובר בקבוצת לקוחות שורש ולא ניתן לערוך. -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},בקשת תשלום כבר קיימת {0} DocType: Payment Term,Credit Days,ימי אשראי apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,המפלגה היא חובה apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Re-open,Re-פתוח @@ -918,7 +910,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Item apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js,Set as Closed,קבע כסגור DocType: Stock Settings,Raise Material Request when stock reaches re-order level,להעלות בקשת חומר כאשר המלאי מגיע לרמה מחדש כדי DocType: Asset,Journal Entry for Scrap,תנועת יומן עבור גרוטאות -DocType: Delivery Stop,Contact Name,שם איש קשר +DocType: Call Log,Contact Name,שם איש קשר apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,No Student Groups created.,אין קבוצות סטודנטים נוצרו. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Posting timestamp must be after {0},חותמת זמן פרסום חייבת להיות אחרי {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} does not exist,שנת הכספים {0} לא קיים @@ -938,7 +930,7 @@ DocType: Employee,Confirmation Date,תאריך אישור DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","אם להשבית, 'במילים' שדה לא יהיה גלוי בכל עסקה" DocType: Supplier,Is Frozen,האם קפוא ,Reqd By Date,Reqd לפי תאריך -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,עבודה ב-התקדמות המחסן נדרש לפני הגשה +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,עבודה ב-התקדמות המחסן נדרש לפני הגשה apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Please select correct account,אנא בחר חשבון נכון DocType: Share Transfer,Transfer,העברה apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has already been returned,פריט {0} הוחזר כבר @@ -1002,7 +994,6 @@ DocType: Asset Category Account,Depreciation Expense Account,חשבון הוצא DocType: POS Profile,Campaign,קמפיין apps/erpnext/erpnext/config/manufacturing.py,Bill of Materials (BOM),הצעת החוק של חומרים (BOM) DocType: Shipping Rule Country,Shipping Rule Country,מדינה כלל משלוח -DocType: Setup Progress Action,Domains,תחומים DocType: Leave Block List Date,Block Date,תאריך בלוק apps/erpnext/erpnext/utilities/user_progress.py,Litre,לִיטר DocType: Payment Reconciliation Payment,Allocated amount,סכום שהוקצה @@ -1113,7 +1104,6 @@ DocType: Item Default,Default Selling Cost Center,מרכז עלות מכירת apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry {0} is already adjusted against some other voucher,נגד תנועת היומן {0} כבר תואם כמה שובר אחר DocType: Leave Block List,Leave Block List Allowed,השאר בלוק רשימת מחמד DocType: Loyalty Point Entry,Purchase Amount,סכום הרכישה -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,"סה""כ מצטיין Amt" apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,זה איש מכירות שורש ולא ניתן לערוך. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},מטבע עבור {0} חייב להיות {1} DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,אנא בחר לשאת קדימה אם אתה גם רוצה לכלול האיזון של שנת כספים הקודמת משאיר לשנה הפיסקלית @@ -1293,7 +1283,7 @@ DocType: Bin,Requested Quantity,כמות מבוקשת DocType: Payment Entry,Cheque/Reference No,המחאה / אסמכתא apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Please enter Expense Account,נא להזין את חשבון הוצאות DocType: Purchase Order,Get Items from Open Material Requests,קבל פריטים מבקשות להרחיב חומר -DocType: Stock Entry,Material Transfer for Manufacture,העברת חומר לייצור +DocType: Pick List,Material Transfer for Manufacture,העברת חומר לייצור apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},שנת כספי תאריך ההתחלה ותאריך סיום שנת כספים כבר נקבעו בשנת הכספים {0} apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Probationary Period,תקופת ניסיון DocType: Purchase Invoice Item,Item Tax Rate,שיעור מס פריט @@ -1528,7 +1518,6 @@ DocType: Examination Result,Examination Result,תוצאת בחינה DocType: Asset,Fully Depreciated,לגמרי מופחת apps/erpnext/erpnext/config/stock.py,Stock Transactions,והתאמות מלאות DocType: SMS Log,Sent To,נשלח ל -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,להזמין ייצור לא יכול להיות שהועלה נגד תבנית פריט DocType: GL Entry,Is Opening,האם פתיחה DocType: Purchase Invoice,Price List Currency,מטבע מחירון DocType: Quotation Item,Planning,תכנון @@ -1721,7 +1710,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Supplier,Statutory info and other general information about your Supplier,מידע סטטוטורי ומידע כללי אחר על הספק שלך DocType: Item,Supplier Items,פריטים ספק DocType: Warranty Claim,If different than customer address,אם שונה מכתובת הלקוח -DocType: Leave Type,Is Carry Forward,האם להמשיך קדימה +DocType: Leave Ledger Entry,Is Carry Forward,האם להמשיך קדימה DocType: Cashier Closing,To Time,לעת DocType: Payment Reconciliation,Unreconciled Payment Details,פרטי תשלום לא מותאמים DocType: Tax Rule,Billing Country,ארץ חיוב @@ -1820,7 +1809,6 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Warning: Sales O apps/erpnext/erpnext/controllers/buying_controller.py,Row #{0}: Rejected Qty can not be entered in Purchase Return,# השורה {0}: נדחו לא ניתן להזין כמות ברכישת חזרה apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Cost Updated,עלות עדכון DocType: Sales Invoice,Customer Name,שם לקוח -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) לא יכול להיות גדול יותר מquanitity המתוכנן ({2}) בהפקה להזמין {3} DocType: Website Item Group,Cross Listing of Item in multiple groups,רישום צלב של פריט בקבוצות מרובות 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 מוצרים אחר apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Accounts Payable,שינוי נטו בחשבונות זכאים @@ -1886,7 +1874,7 @@ DocType: BOM,Show In Website,הצג באתר DocType: Delivery Note,Delivery To,משלוח ל apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Hold,החזק apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Small,קטן -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},מבצע זמן חייב להיות גדול מ 0 למבצע {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},מבצע זמן חייב להיות גדול מ 0 למבצע {0} apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,הצג אפס ערכים apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Please select Category first,אנא בחר תחילה קטגוריה DocType: Employee,Applicable Holiday List,רשימת Holiday ישימה @@ -1900,7 +1888,6 @@ DocType: Department,Leave Approvers,השאר מאשרים DocType: Landed Cost Purchase Receipt,Landed Cost Purchase Receipt,קבלת רכישת עלות נחתה DocType: Salary Slip,Bank Account No.,מס 'חשבון הבנק DocType: Manufacturer,Limited to 12 characters,מוגבל ל -12 תווים -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,"Amt שילם סה""כ" DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,סכום מס לאחר סכום הנחה apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{0} entered twice in Item Tax,{0} נכנס פעמיים במס פריט DocType: Leave Allocation,Unused leaves,עלים שאינם בשימוש @@ -2064,7 +2051,6 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts bel apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot {0} {1} {2} without any negative outstanding invoice,אין אפשרות {0} {1} {2} ללא כל חשבונית מצטיינים שלילית DocType: BOM,Item Image (if not slideshow),תמונת פריט (אם לא מצגת) DocType: Purchase Taxes and Charges,Item Wise Tax Detail,פריט Detail המס וייז -DocType: Employee,Contact Details,פרטי DocType: Expense Claim Detail,Expense Date,תאריך הוצאה apps/erpnext/erpnext/controllers/item_variant.py,Invalid attribute {0} {1},מאפיין לא חוקי {0} {1} apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,קבל פריטים מBOM @@ -2131,7 +2117,6 @@ apps/erpnext/erpnext/controllers/selling_controller.py,To {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,עלות חומרי גלם -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,אנא משלוח הערה ראשון DocType: Announcement,Posted By,פורסם על ידי DocType: BOM,Operating Cost,עלות הפעלה apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Department Stores,חנויות כלבו @@ -2255,7 +2240,7 @@ 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: Stock Reconciliation Item,Serial No and Batch,אין ו אצווה סידורי +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,תקציב @@ -2269,7 +2254,7 @@ DocType: Payment Request,payment_url,payment_url apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,Productions Orders cannot be raised for:,הזמנות הפקות לא ניתן להעלות על: DocType: Manufacturing Settings,Default Finished Goods Warehouse,מחסן מוצרים מוגמר ברירת מחדל apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,כתיבת הצעה -DocType: Email Campaign,Lead,לידים +DocType: Call Log,Lead,לידים 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,שורת מס פריט {0} חייבת להיות חשבון של מס סוג או הכנסה או הוצאה או לחיוב apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,סכום ההזמנה האחרונה DocType: Buying Settings,Subcontract,בקבלנות משנה @@ -2324,7 +2309,7 @@ DocType: Expense Claim,Total Sanctioned Amount,"הסכום אושר סה""כ" apps/erpnext/erpnext/education/doctype/student/student_dashboard.py,This is based on the attendance of this Student,זה מבוסס על הנוכחות של תלמיד זה apps/erpnext/erpnext/setup/doctype/company/company.py,Abbr can not be blank or space,Abbr לא יכול להיות ריק או חלל DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush חומרי גלם המבוסס על -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,לא ניתן לבטל עקב נתון מלאי {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,לא ניתן לבטל עקב נתון מלאי {0} DocType: Payment Entry,Receive,קבל DocType: Quality Inspection,Inspection Type,סוג הפיקוח DocType: Patient,Divorced,גרוש @@ -2369,7 +2354,7 @@ DocType: Purchase Order Item,To be delivered to customer,שיימסר ללקוח DocType: Department,Leave Approver,השאר מאשר DocType: Item Supplier,Item Supplier,ספק פריט DocType: Employee,History In Company,ההיסטוריה בחברה -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,למחסן נדרש לפני הגשה +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,למחסן נדרש לפני הגשה DocType: Employee Attendance Tool,Employees HTML,עובד HTML 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,"פריט זה הוא תבנית ולא ניתן להשתמש בם בעסקות. תכונות פריט תועתק על לגרסות אלא אם כן ""לא העתק 'מוגדרת" @@ -2490,7 +2475,7 @@ DocType: Bank Reconciliation Detail,Cheque Number,מספר המחאה DocType: Payment Entry,Cheque/Reference Date,תאריך המחאה / הפניה DocType: Payment Entry,Payment Deductions or Loss,ניכויי תשלום או פסד apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},מקס: {0} -DocType: Warehouse,Parent Warehouse,מחסן הורה +DocType: Pick List,Parent Warehouse,מחסן הורה apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,"Payment Type must be one of Receive, Pay and Internal Transfer",סוג התשלום חייב להיות אחד וקבל שכר וטובות העברה פנימית DocType: Sales Invoice Item,Drop Ship,זרוק משלוח apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Supplier Invoice Date cannot be greater than Posting Date,תאריך חשבונית ספק לא יכול להיות גדול מ תאריך פרסום @@ -2524,7 +2509,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Job Applicant,Applicant for a Job,מועמד לעבודה apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Reference No and Reference Date is mandatory for Bank transaction,אסמכתא ותאריך ההפניה הוא חובה עבור עסקת הבנק DocType: Cheque Print Template,Signatory Position,תפקיד החותם -DocType: BOM,Exploded_items,Exploded_items ,Item-wise Sales Register,פריט חכם מכירות הרשמה DocType: Bank Reconciliation,Select account head of the bank where cheque was deposited.,ראש בחר חשבון של הבנק שבו הופקד שיק. DocType: Pricing Rule,Margin,Margin @@ -2646,7 +2630,7 @@ DocType: Tax Rule,Billing State,מדינת חיוב apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Full-time,משרה מלאה apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Inventory,שינוי נטו במלאי ,Qty to Order,כמות להזמנה -DocType: Purchase Receipt Item Supplied,Required Qty,חובה כמות +DocType: Purchase Order Item Supplied,Required Qty,חובה כמות apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,התקבל מ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Present,"הווה סה""כ" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},כמות לא חייבת להיות יותר מ {0} @@ -2680,7 +2664,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Accounts ta apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Operations cannot be left blank,תפעול לא ניתן להשאיר ריק DocType: Buying Settings,Settings for Buying Module,הגדרות עבור רכישת מודול DocType: Company,Round Off Cost Center,לעגל את מרכז עלות -apps/erpnext/erpnext/templates/pages/home.html,Explore,לַחקוֹר +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,לַחקוֹר apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js,"To set this Fiscal Year as Default, click on 'Set as Default'","כדי להגדיר שנת כספים זו כברירת מחדל, לחץ על 'קבע כברירת מחדל'" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Finish,סִיוּם DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* יחושב בעסקה. @@ -2918,7 +2902,6 @@ DocType: Shipping Rule Condition,To Value,לערך apps/erpnext/erpnext/regional/italy/utils.py,Nos,מס apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Engineer,מהנדס DocType: Sales Order Item,For Production,להפקה -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,שגיאת תכנון קיבולת DocType: Journal Entry,Make Difference Entry,הפוך כניסת הבדל DocType: Quality Inspection Reading,Reading 1,קריאת 1 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},אנא בחר {0} @@ -2929,7 +2912,6 @@ DocType: Sales Invoice,Sales Taxes and Charges Template,מסים מכירות ו DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,לאפשר הזמנות ומכירות מרובות נגד הלקוח הזמנת הרכש apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Bank Overdraft Account,בנק משייך יתר חשבון DocType: Leave Application,Leave Approver Name,השאר שם מאשר -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},לא ניתן למצוא משבצת הזמן בעולם הבא {0} ימים למבצע {1} DocType: Purchase Invoice,Supplier Name,שם ספק DocType: Employee,Owned,בבעלות apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,שינוי נטו בנכסים קבועים @@ -3020,7 +3002,6 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,This is based on stock DocType: Sales Order Item,Supplier delivers to Customer,ספק מספק ללקוח DocType: Payment Entry,Payment References,הפניות תשלום DocType: Student,AB+,AB + -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,"סה""כ חשבונית Amt" ,Trial Balance for Party,מאזן בוחן למפלגה DocType: Salary Structure,Salary breakup based on Earning and Deduction.,פרידה שכר על בסיס צבירה וניכוי. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,הודעות יותר מ -160 תווים יפוצלו למספר הודעות @@ -3252,6 +3233,7 @@ DocType: Tax Rule,Billing County,מחוז חיוב ,Ordered Items To Be Delivered,פריטים הורה שיימסרו apps/erpnext/erpnext/utilities/bot.py,Did not find any item called {0},לא מצא שום פריט בשם {0} apps/erpnext/erpnext/accounts/party.py,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,רישומים חשבונאיים כבר נעשו במטבע {0} לחברת {1}. אנא בחר חשבון לקבל או לשלם במטבע {0}. +DocType: Leave Allocation,Carry Forwarded Leaves,לשאת עלים שהועברו DocType: Naming Series,Change the starting / current sequence number of an existing series.,לשנות את מתחיל / מספר הרצף הנוכחי של סדרות קיימות. apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Cash from Operations,מזומנים נטו שנבעו מפעולות DocType: Quotation Item,Stock Balance,יתרת מלאי @@ -3349,12 +3331,11 @@ DocType: Material Request Item,Min Order Qty,להזמין כמות מינימו DocType: Task,Actual Time (in Hours),זמן בפועל (בשעות) apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,צבע DocType: Appraisal,For Employee Name,לשם עובדים -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,כמות לייצור חייבת להיות גדולה מ 0. +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,כמות לייצור חייבת להיות גדולה מ 0. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} does not exist,{0} {1} לא קיים DocType: Asset,Maintenance,תחזוקה DocType: Asset Repair,Manufacturing Manager,ייצור מנהל apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Start Date,תאריך התחלת פרויקט -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-מעל DocType: Account,Chargeable,נִטעָן DocType: Bank Statement Transaction Invoice Item,Transaction Date,תאריך עסקה apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py,Standard Buying,קנייה סטנדרטית @@ -3362,7 +3343,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js,Gantt Chart,תרשים apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,צינור מכירות ,Average Commission Rate,שערי העמלה הממוצעת apps/erpnext/erpnext/hr/report/employee_advance_summary/employee_advance_summary.py,No record found,לא נמצא רשומה -,Lead Name,שם ליד +DocType: Call Log,Lead Name,שם ליד ,Customer Credit Balance,יתרת אשראי ללקוחות apps/erpnext/erpnext/config/assets.py,Transfer an asset from one warehouse to another,להעביר נכס ממחסן אחד למשנהו apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ברירת מחדל של יחידת מדידה ולריאנט '{0}' חייבת להיות זהה בתבנית '{1}' diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index b4dfcff682..682643840c 100644 --- a/erpnext/translations/hi.csv +++ b/erpnext/translations/hi.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,सप्लायर को सूचित करें apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,पहले पार्टी के प्रकार का चयन करें DocType: Item,Customer Items,ग्राहक आइटम +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,देयताएं DocType: Project,Costing and Billing,लागत और बिलिंग apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},अग्रिम खाता मुद्रा कंपनी मुद्रा के रूप में समान होनी चाहिए {0} DocType: QuickBooks Migrator,Token Endpoint,टोकन एंडपॉइंट @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,माप की मूलभूत इक DocType: SMS Center,All Sales Partner Contact,सभी बिक्री साथी संपर्क DocType: Department,Leave Approvers,अनुमोदकों छोड़ दो DocType: Employee,Bio / Cover Letter,जैव / कवर पत्र +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,आइटम खोजें ... DocType: Patient Encounter,Investigations,जांच DocType: Restaurant Order Entry,Click Enter To Add,जोड़ने के लिए दर्ज करें पर क्लिक करें apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","पासवर्ड, एपीआई कुंजी या Shopify यूआरएल के लिए गुम मूल्य" DocType: Employee,Rented,किराये पर apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,सभी खाते apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,कर्मचारी को स्थिति के साथ स्थानांतरित नहीं कर सकता है -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","रूका उत्पादन आदेश रद्द नहीं किया जा सकता, रद्द करने के लिए पहली बार इसे आगे बढ़ाना" DocType: Vehicle Service,Mileage,लाभ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,आप वास्तव में इस संपत्ति स्क्रैप करना चाहते हैं? DocType: Drug Prescription,Update Schedule,अनुसूची अपडेट करें @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,ग्राहक DocType: Purchase Receipt Item,Required By,द्वारा आवश्यक DocType: Delivery Note,Return Against Delivery Note,डिलिवरी नोट के खिलाफ लौटें DocType: Asset Category,Finance Book Detail,वित्त बुक विवरण +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,सभी मूल्यह्रास बुक किए गए हैं DocType: Purchase Order,% Billed,% बिल apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,वेतन भुगतान संख्या apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),विनिमय दर के रूप में ही किया जाना चाहिए {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,बैच मद समाप्ति की स्थिति apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,बैंक ड्राफ्ट DocType: Journal Entry,ACC-JV-.YYYY.-,एसीसी-जेवी-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,कुल लेट एंट्रीज DocType: Mode of Payment Account,Mode of Payment Account,भुगतान खाता का तरीका apps/erpnext/erpnext/config/healthcare.py,Consultation,परामर्श DocType: Accounts Settings,Show Payment Schedule in Print,प्रिंट में भुगतान शेड्यूल दिखाएं @@ -121,8 +124,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,प्राथमिक संपर्क विवरण apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,खुले मामले DocType: Production Plan Item,Production Plan Item,उत्पादन योजना मद +DocType: Leave Ledger Entry,Leave Ledger Entry,लेजर एंट्री छोड़ें apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},प्रयोक्ता {0} पहले से ही कर्मचारी को सौंपा है {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} फ़ील्ड आकार {1} तक सीमित है DocType: Lab Test Groups,Add new line,नई लाइन जोड़ें apps/erpnext/erpnext/utilities/activation.py,Create Lead,लीड बनाएँ DocType: Production Plan,Projected Qty Formula,अनुमानित फॉर्मूला @@ -140,6 +143,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,अ DocType: Purchase Invoice Item,Item Weight Details,आइटम वजन विवरण DocType: Asset Maintenance Log,Periodicity,आवधिकता apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,वित्त वर्ष {0} की आवश्यकता है +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,कुल लाभ (हानि DocType: Employee Group Table,ERPNext User ID,ईआरपीएनएक्सएक्स उपयोगकर्ता आईडी DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,इष्टतम विकास के लिए पौधों की पंक्तियों के बीच न्यूनतम दूरी apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,कृपया निर्धारित प्रक्रिया प्राप्त करने के लिए रोगी का चयन करें @@ -167,10 +171,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,मूल्य सूची बेचना DocType: Patient,Tobacco Current Use,तंबाकू वर्तमान उपयोग apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,बिक्री दर -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,नया खाता जोड़ने से पहले कृपया अपना दस्तावेज़ सहेजें 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 ...,कुछ भी खोजें ... DocType: Company,Phone No,कोई फोन DocType: Delivery Trip,Initial Email Notification Sent,प्रारंभिक ईमेल अधिसूचना प्रेषित DocType: Bank Statement Settings,Statement Header Mapping,स्टेटमेंट हैडर मैपिंग @@ -233,6 +237,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,प DocType: Exchange Rate Revaluation Account,Gain/Loss,लाभ हानि DocType: Crop,Perennial,चिरस्थायी DocType: Program,Is Published,प्रकाशित है +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,वितरण नोट दिखाएं apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","बिलिंग की अनुमति देने के लिए, खाता सेटिंग या आइटम में "ओवर बिलिंग बिलिंग भत्ता" अपडेट करें।" DocType: Patient Appointment,Procedure,प्रक्रिया DocType: Accounts Settings,Use Custom Cash Flow Format,कस्टम कैश फ्लो प्रारूप का उपयोग करें @@ -263,7 +268,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,नीति विवरण छोड़ दें DocType: BOM,Item Image (if not slideshow),छवि (यदि नहीं स्लाइड शो) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,पंक्ति # {0}: ऑपरेशन {1} कार्य क्रम {3} में तैयार माल की मात्रा {2} के लिए पूरा नहीं हुआ है। कृपया जॉब कार्ड {4} के माध्यम से संचालन की स्थिति को अपडेट करें। -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","प्रेषण भुगतान के लिए {0} अनिवार्य है, फ़ील्ड सेट करें और पुनः प्रयास करें" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(घंटा दर / 60) * वास्तविक ऑपरेशन टाइम apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार खर्च दावे या जर्नल प्रविष्टि में से एक होना चाहिए apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,बीओएम का चयन @@ -283,6 +287,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,चुकाने से अधिक अवधि की संख्या apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,उत्पादन की मात्रा शून्य से कम नहीं हो सकती DocType: Stock Entry,Additional Costs,अतिरिक्त लागत +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,मौजूदा लेन - देन के साथ खाता समूह को नहीं बदला जा सकता . DocType: Lead,Product Enquiry,उत्पाद पूछताछ DocType: Education Settings,Validate Batch for Students in Student Group,छात्र समूह में छात्रों के लिए बैच का प्रमाणन करें @@ -294,7 +299,9 @@ DocType: Employee Education,Under Graduate,पूर्व - स्नातक apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,कृपया एचआर सेटिंग्स में अवकाश स्थिति अधिसूचना के लिए डिफ़ॉल्ट टेम्पलेट सेट करें। apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,योजनापूर्ण DocType: BOM,Total Cost,कुल लागत +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,आवंटन समाप्त! DocType: Soil Analysis,Ca/K,सीए / कश्मीर +DocType: Leave Type,Maximum Carry Forwarded Leaves,अधिकतम कैरी फॉरवर्ड लीव्स DocType: Salary Slip,Employee Loan,कर्मचारी ऋण DocType: Additional Salary,HR-ADS-.YY.-.MM.-,मानव संसाधन-एडीएस-.YY .-। MM.- DocType: Fee Schedule,Send Payment Request Email,भुगतान अनुरोध ईमेल भेजें @@ -304,6 +311,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,रि apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,लेखा - विवरण apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,औषधीय DocType: Purchase Invoice Item,Is Fixed Asset,निश्चित परिसंपत्ति है +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,भविष्य के भुगतान दिखाएं DocType: Patient,HLC-PAT-.YYYY.-,उच्च स्तरीय समिति-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,यह बैंक खाता पहले से ही सिंक्रनाइज़ है DocType: Homepage,Homepage Section,मुखपृष्ठ अनुभाग @@ -349,7 +357,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,उर्वरक apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",सीरियल नंबर द्वारा डिलीवरी सुनिश्चित नहीं कर सकता क्योंकि \ Item {0} को \ Serial No. द्वारा डिलीवरी सुनिश्चित किए बिना और बिना जोड़ा गया है। -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षा> शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,भुगतान के कम से कम एक मोड पीओएस चालान के लिए आवश्यक है। apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},बैच आइटम {0} के लिए बैच की आवश्यकता नहीं है DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,बैंक स्टेटमेंट लेनदेन चालान आइटम @@ -424,6 +431,7 @@ DocType: Job Offer,Select Terms and Conditions,का चयन नियम औ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,आउट मान DocType: Bank Statement Settings Item,Bank Statement Settings Item,बैंक स्टेटमेंट सेटिंग्स आइटम DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce सेटिंग्स +DocType: Leave Ledger Entry,Transaction Name,लेन-देन का नाम DocType: Production Plan,Sales Orders,बिक्री के आदेश apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,ग्राहक के लिए एकाधिक वफादारी कार्यक्रम मिला। कृपया मैन्युअल रूप से चुनें। DocType: Purchase Taxes and Charges,Valuation,मूल्याकंन @@ -458,6 +466,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: 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,अपडेट ईमेल समूह DocType: POS Profile,Only show Customer of these Customer Groups,केवल इन ग्राहक समूहों के ग्राहक दिखाएं DocType: Sales Invoice,Is Opening Entry,एंट्री खोल रहा है @@ -466,8 +475,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,मेंशन गैर मानक प्राप्य खाते यदि लागू हो 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,इस पिक लिस्ट के खिलाफ स्टॉक एंट्री पहले ही बनाई जा चुकी है DocType: Supplier Scorecard,Criteria Setup,मानदंड सेटअप -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,गोदाम की आवश्यकता है के लिए पहले जमा करें +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,प्राप्त हुआ DocType: Codification Table,Medical Code,मेडिकल कोड apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ईआरपीएनक्स्ट के साथ अमेज़ॅन कनेक्ट करें @@ -483,7 +493,7 @@ DocType: Restaurant Order Entry,Add Item,सामान जोडें DocType: Party Tax Withholding Config,Party Tax Withholding Config,पार्टी टैक्स रोकथाम कॉन्फ़िगरेशन DocType: Lab Test,Custom Result,कस्टम परिणाम apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,बैंक खातों को जोड़ा गया -DocType: Delivery Stop,Contact Name,संपर्क का नाम +DocType: Call Log,Contact Name,संपर्क का नाम DocType: Plaid Settings,Synchronize all accounts every hour,हर घंटे सभी खातों को सिंक्रोनाइज़ करें DocType: Course Assessment Criteria,Course Assessment Criteria,पाठ्यक्रम मूल्यांकन मानदंड DocType: Pricing Rule Detail,Rule Applied,नियम लागू @@ -527,7 +537,6 @@ 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,बिक्री चालान नहीं -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,अज्ञात संख्या DocType: Website Filter Field,Website Filter Field,वेबसाइट फ़िल्टर फ़ील्ड apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,आपूर्ति का प्रकार DocType: Material Request Item,Min Order Qty,न्यूनतम आदेश मात्रा @@ -555,7 +564,6 @@ DocType: Salary Slip,Total Principal Amount,कुल प्रधानाच DocType: Student Guardian,Relation,संबंध DocType: Quiz Result,Correct,सही बात DocType: Student Guardian,Mother,मां -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,कृपया पहले site_config.json में वैध प्लेड एपीआई कुंजी जोड़ें DocType: Restaurant Reservation,Reservation End Time,आरक्षण समाप्ति समय DocType: Crop,Biennial,द्विवाषिक ,BOM Variance Report,बीओएम वैरिएंस रिपोर्ट @@ -571,6 +579,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,प्लेड पब्लिक की DocType: Payment Term,Payment Term Name,भुगतान अवधि का नाम DocType: Healthcare Settings,Create documents for sample collection,नमूना संग्रह के लिए दस्तावेज़ बनाएं apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},के खिलाफ भुगतान {0} {1} बकाया राशि से अधिक नहीं हो सकता {2} @@ -618,12 +627,14 @@ DocType: POS Profile,Offline POS Settings,ऑफ़लाइन पीओएस DocType: Stock Entry Detail,Reference Purchase Receipt,संदर्भ खरीद रसीद DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,मेट-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,के variant -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',की तुलना में 'मात्रा निर्माण करने के लिए' पूरी की गई मात्रा अधिक नहीं हो सकता +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',की तुलना में 'मात्रा निर्माण करने के लिए' पूरी की गई मात्रा अधिक नहीं हो सकता +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,अवधि के आधार पर DocType: Period Closing Voucher,Closing Account Head,बंद लेखाशीर्ष DocType: Employee,External Work History,बाहरी काम इतिहास apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,परिपत्र संदर्भ त्रुटि apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,छात्र रिपोर्ट कार्ड apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,पिन कोड से +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,बिक्री व्यक्ति दिखाएँ DocType: Appointment Type,Is Inpatient,आंत्र रोगी है apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 नाम DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,शब्दों में (निर्यात) दिखाई हो सकता है एक बार आप डिलिवरी नोट बचाने के लिए होगा. @@ -637,6 +648,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,आयाम का नाम apps/erpnext/erpnext/healthcare/setup.py,Resistant,प्रतिरोधी apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},कृपया होटल कक्ष दर {} पर सेट करें +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें DocType: Journal Entry,Multi Currency,बहु मुद्रा DocType: Bank Statement Transaction Invoice Item,Invoice Type,चालान का प्रकार apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,दिनांक से मान्य मान्य तिथि से कम होना चाहिए @@ -656,6 +668,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,भर्ती किया DocType: Workstation,Rent Cost,बाइक किराए मूल्य 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,राशि मूल्यह्रास के बाद apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,आगामी कैलेंडर घटनाओं apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,वैरिअन्ट गुण @@ -743,7 +756,6 @@ DocType: Request for Quotation,Request for Quotation,उद्धरण के 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,प्रिंट में सेल्स पर्सन को दिखाएं 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,शक्ति @@ -751,7 +763,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,एक नए ग्राहक बनाने apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,समाप्त हो रहा है apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","कई डालती प्रबल करने के लिए जारी रखते हैं, उपयोगकर्ताओं संघर्ष को हल करने के लिए मैन्युअल रूप से प्राथमिकता सेट करने के लिए कहा जाता है." -DocType: Purchase Invoice,Scan Barcode,स्कैन बारकोड apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,खरीद आदेश बनाएं ,Purchase Register,इन पंजीकृत खरीद apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,रोगी नहीं मिला @@ -810,6 +821,7 @@ DocType: Lead,Channel Partner,चैनल पार्टनर DocType: Account,Old Parent,पुरानी माता - पिता apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,अनिवार्य क्षेत्र - शैक्षणिक वर्ष apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} {2} {3} से संबद्ध नहीं है +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} @@ -852,6 +864,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet आधारित पेरोल के लिए वेतन घटक। DocType: Driver,Applicable for external driver,बाहरी चालक के लिए लागू DocType: Sales Order Item,Used for Production Plan,उत्पादन योजना के लिए प्रयुक्त +DocType: BOM,Total Cost (Company Currency),कुल लागत (कंपनी मुद्रा) DocType: Loan,Total Payment,कुल भुगतान apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,पूर्ण कार्य आदेश के लिए लेनदेन को रद्द नहीं किया जा सकता DocType: Manufacturing Settings,Time Between Operations (in mins),(मिनट में) संचालन के बीच का समय @@ -872,6 +885,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_pro DocType: Supplier Scorecard Standing,Notify Other,अन्य को सूचित करें DocType: Vital Signs,Blood Pressure (systolic),रक्तचाप (सिस्टोलिक) DocType: Item Price,Valid Upto,विधिमान्य +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.,अपने ग्राहकों के कुछ सूची . वे संगठनों या व्यक्तियों हो सकता है. @@ -889,6 +903,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} में परिवर्तन apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,कंपनी का चयन करें DocType: Employee Skill,Employee Skill,कर्मचारी कौशल apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,अंतर खाता @@ -932,6 +947,7 @@ DocType: Patient,Risk Factors,जोखिम के कारण DocType: Patient,Occupational Hazards and Environmental Factors,व्यावसायिक खतरों और पर्यावरणीय कारक apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,स्टॉक प्रविष्टियां पहले से ही कार्य आदेश के लिए बनाई गई हैं apps/erpnext/erpnext/templates/pages/cart.html,See past orders,पिछले आदेश देखें +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} बातचीत DocType: Vital Signs,Respiratory rate,श्वसन दर apps/erpnext/erpnext/config/help.py,Managing Subcontracting,प्रबंध उप DocType: Vital Signs,Body Temperature,शरीर का तापमान @@ -973,6 +989,7 @@ DocType: Purchase Invoice,Registered Composition,पंजीकृत रचन apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,नमस्ते apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,हटो मद DocType: Employee Incentive,Incentive Amount,प्रोत्साहन राशि +,Employee Leave Balance Summary,कर्मचारी शेष राशि सारांश DocType: Serial No,Warranty Period (Days),वारंटी अवधि (दिन) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,कुल क्रेडिट / डेबिट राशि जुड़ाव जर्नल एंट्री के समान होना चाहिए DocType: Installation Note Item,Installation Note Item,अधिष्ठापन नोट आइटम @@ -986,6 +1003,7 @@ DocType: Vital Signs,Bloated,फूला हुआ DocType: Salary Slip,Salary Slip Timesheet,वेतन पर्ची Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,उप अनुबंधित खरीद रसीद के लिए अनिवार्य प्रदायक वेयरहाउस DocType: Item Price,Valid From,चुन +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,तुम्हारी रेटिंग: DocType: Sales Invoice,Total Commission,कुल आयोग DocType: Tax Withholding Account,Tax Withholding Account,कर रोकथाम खाता DocType: Pricing Rule,Sales Partner,बिक्री साथी @@ -993,6 +1011,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,सभी प् DocType: Buying Settings,Purchase Receipt Required,खरीद रसीद आवश्यक DocType: Sales Invoice,Rail,रेल apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,वास्तविक लागत +DocType: Item,Website Image,वेबसाइट छवि apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,पंक्ति {0} में गोदाम को लक्षित करना कार्य आदेश के समान होना चाहिए apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,अगर खोलने स्टॉक में प्रवेश किया मूल्यांकन दर अनिवार्य है apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,चालान तालिका में कोई अभिलेख @@ -1027,8 +1046,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,कृपया अपने खाते को सिंक्रनाइज़ करने से पहले अपना प्लेड एपीआई कॉन्फ़िगरेशन पूरा करें apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,आधा दिन की तारीख अनिवार्य है DocType: Sales Order,Billing and Delivery Status,बिलिंग और डिलिवरी स्थिति DocType: Job Applicant,Resume Attachment,जीवनवृत्त संलग्नक @@ -1040,7 +1059,6 @@ DocType: Production Plan,Production Plan,उत्पादन योजना DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,चालान चालान उपकरण खोलना DocType: Salary Component,Round to the Nearest Integer,निकटतम इंटेगर का दौर apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,बिक्री लौटें -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,नोट: कुल आवंटित पत्ते {0} पहले ही मंजूरी दे दी पत्तियों से कम नहीं होना चाहिए {1} अवधि के लिए DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,सीरियल नो इनपुट के आधार पर लेनदेन में मात्रा निर्धारित करें ,Total Stock Summary,कुल स्टॉक सारांश apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1068,6 +1086,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,श apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,मुख्य राशि DocType: Loan Application,Total Payable Interest,कुल देय ब्याज apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},कुल उत्कृष्ट: {0} +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} के लिए आवश्यक सीरियल नंबर @@ -1077,6 +1096,7 @@ 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,अद्यतन प्रक्रिया के दौरान एक त्रुटि हुई DocType: Restaurant Reservation,Restaurant Reservation,रेस्तरां आरक्षण +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,आपके आइटम apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,प्रस्ताव लेखन DocType: Payment Entry Deduction,Payment Entry Deduction,भुगतान एंट्री कटौती DocType: Service Level Priority,Service Level Priority,सेवा स्तर की प्राथमिकता @@ -1085,6 +1105,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,बैच संख्या श्रृंखला apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,एक और बिक्री व्यक्ति {0} एक ही कर्मचारी आईडी के साथ मौजूद है DocType: Employee Advance,Claimed Amount,दावा राशि +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,आवंटन समाप्त करें DocType: QuickBooks Migrator,Authorization Settings,प्रमाणीकरण सेटिंग्स DocType: Travel Itinerary,Departure Datetime,प्रस्थान समयरेखा apps/erpnext/erpnext/hub_node/api.py,No items to publish,प्रकाशित करने के लिए कोई आइटम नहीं है @@ -1153,7 +1174,6 @@ DocType: Student Batch Name,Batch Name,बैच का नाम DocType: Fee Validity,Max number of visit,विज़िट की अधिकतम संख्या DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,अनिवार्य लाभ और हानि खाते के लिए ,Hotel Room Occupancy,होटल कक्ष अधिभोग -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet बनाया: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},भुगतान की विधि में डिफ़ॉल्ट नकद या बैंक खाता सेट करें {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,भर्ती DocType: GST Settings,GST Settings,जीएसटी सेटिंग्स @@ -1284,6 +1304,7 @@ DocType: Sales Invoice,Commission Rate (%),आयोग दर (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,कृपया कार्यक्रम चुनें DocType: Project,Estimated Cost,अनुमानित लागत DocType: Request for Quotation,Link to material requests,सामग्री अनुरोध करने के लिए लिंक +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,प्रकाशित करना apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,एयरोस्पेस ,Fichier des Ecritures Comptables [FEC],फिचर्स डेस ऐक्रिटेशंस कॉप्टीबल्स [एफईसी] DocType: Journal Entry,Credit Card Entry,क्रेडिट कार्ड एंट्री @@ -1310,6 +1331,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,वर्तमान संपत्तियाँ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} भंडार वस्तु नहीं है apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',कृपया 'प्रशिक्षण फ़ीडबैक' पर क्लिक करके और फिर 'नया' +DocType: Call Log,Caller Information,कॉलर जानकारी DocType: Mode of Payment Account,Default Account,डिफ़ॉल्ट खाता apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,कृपया पहले स्टॉक सेटिंग में नमूना गोदाम का चयन करें apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,कृपया एक से अधिक संग्रह नियमों के लिए एकाधिक श्रेणी प्रोग्राम प्रकार का चयन करें। @@ -1334,6 +1356,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,ऑटो सामग्री अनुरोध सृजित DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),आधे घंटे के नीचे काम के घंटे चिह्नित हैं। (निष्क्रिय करने के लिए शून्य) DocType: Job Card,Total Completed Qty,कुल पूर्ण मात्रा +DocType: HR Settings,Auto Leave Encashment,ऑटो लीव एनकैशमेंट apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,खोया apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,आप स्तंभ 'जर्नल प्रवेश के खिलाफ' में मौजूदा वाउचर प्रवेश नहीं कर सकते DocType: Employee Benefit Application Detail,Max Benefit Amount,अधिकतम लाभ राशि @@ -1363,9 +1386,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,ग्राहक DocType: Item Attribute Value,Item Attribute Value,आइटम विशेषता मान apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,ख़रीदना या बेचना के लिए मुद्रा विनिमय लागू होना चाहिए। +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,केवल समाप्त आवंटन रद्द किया जा सकता है DocType: Item,Maximum sample quantity that can be retained,अधिकतम नमूना मात्रा जिसे बनाए रखा जा सकता है apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},पंक्ति {0} # आइटम {1} को खरीद आदेश {2} के विरुद्ध {2} से अधिक स्थानांतरित नहीं किया जा सकता apps/erpnext/erpnext/config/crm.py,Sales campaigns.,बिक्री अभियान . +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,अज्ञात फ़ोन करने वाला DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1416,6 +1441,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,हेल apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,डॉक्टर का नाम DocType: Expense Claim Detail,Expense Claim Type,व्यय दावा प्रकार DocType: Shopping Cart Settings,Default settings for Shopping Cart,शॉपिंग कार्ट के लिए डिफ़ॉल्ट सेटिंग्स +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,आइटम सहेजें apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,नया खर्च apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,मौजूदा आदेश मात्रा पर ध्यान न दें apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,टाइम्सस्लॉट जोड़ें @@ -1428,6 +1454,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,समीक्षा आमंत्रित भेजा DocType: Shift Assignment,Shift Assignment,शिफ्ट असाइनमेंट DocType: Employee Transfer Property,Employee Transfer Property,कर्मचारी स्थानांतरण संपत्ति +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,फ़ील्ड इक्विटी / देयता खाता रिक्त नहीं हो सकता apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,समय से कम समय से कम होना चाहिए apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,जैव प्रौद्योगिकी apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1509,11 +1536,13 @@ 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,नया संपर्क बनाएँ apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,पाठ्यक्रम अनुसूची DocType: GSTR 3B Report,GSTR 3B Report,जीएसटीआर 3 बी रिपोर्ट DocType: Request for Quotation Supplier,Quote Status,उद्धरण स्थिति DocType: GoCardless Settings,Webhooks Secret,वेबहुक्स सीक्रेट DocType: Maintenance Visit,Completion Status,समापन स्थिति +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},कुल भुगतान राशि {} से अधिक नहीं हो सकती DocType: Daily Work Summary Group,Select Users,उपयोगकर्ता चुनें DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,होटल कक्ष मूल्य निर्धारण आइटम DocType: Loyalty Program Collection,Tier Name,टियर नाम @@ -1551,6 +1580,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,एस DocType: Lab Test Template,Result Format,परिणाम प्रारूप DocType: Expense Claim,Expenses,व्यय DocType: Service Level,Support Hours,समर्थन घंटे +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,वितरण नोट DocType: Item Variant Attribute,Item Variant Attribute,मद संस्करण गुण ,Purchase Receipt Trends,खरीद रसीद रुझान DocType: Payroll Entry,Bimonthly,द्विमासिक @@ -1573,7 +1603,6 @@ DocType: Sales Team,Incentives,प्रोत्साहन DocType: SMS Log,Requested Numbers,अनुरोधित नंबर DocType: Volunteer,Evening,शाम DocType: Quiz,Quiz Configuration,प्रश्नोत्तरी विन्यास -DocType: Customer,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,स्टॉक विवरण @@ -1620,7 +1649,6 @@ apps/erpnext/erpnext/config/accounting.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,फ़िल्टर करें कुल शून्य मात्रा -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},ऑपरेशन के लिए अगले {0} दिनों में टाइम स्लॉट पाने में असमर्थ {1} DocType: Work Order,Plan material for sub-assemblies,उप असेंबलियों के लिए योजना सामग्री 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,स्थानांतरण के लिए कोई आइटम उपलब्ध नहीं है @@ -1635,9 +1663,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,आपको री-ऑर्डर स्तरों को बनाए रखने के लिए स्टॉक सेटिंग्स में ऑटो री-ऑर्डर को सक्षम करना होगा। apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,इस रखरखाव भेंट रद्द करने से पहले सामग्री का दौरा {0} रद्द DocType: Pricing Rule,Rate or Discount,दर या डिस्काउंट +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,बैंक विवरण DocType: Vital Signs,One Sided,एक तरफा apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},धारावाहिक नहीं {0} मद से संबंधित नहीं है {1} -DocType: Purchase Receipt Item Supplied,Required Qty,आवश्यक मात्रा +DocType: Purchase Order Item Supplied,Required Qty,आवश्यक मात्रा DocType: Marketplace Settings,Custom Data,कस्टम डेटा apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,मौजूदा लेनदेन के साथ गोदामों खाता बही में परिवर्तित नहीं किया जा सकता है। DocType: Service Day,Service Day,सेवा दिवस @@ -1665,7 +1694,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,खाता मुद्रा DocType: Lab Test,Sample ID,नमूना आईडी apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,कंपनी में गोल ऑफ़ खाते का उल्लेख करें -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,रेंज DocType: Supplier,Default Payable Accounts,डिफ़ॉल्ट लेखा देय apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,कर्मचारी {0} सक्रिय नहीं है या मौजूद नहीं है @@ -1706,8 +1734,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,सूचना के लिए अनुरोध DocType: Course Activity,Activity Date,गतिविधि दिनांक apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} का {} -,LeaderBoard,लीडरबोर्ड DocType: Sales Invoice Item,Rate With Margin (Company Currency),मार्जिन के साथ दर (कंपनी मुद्रा) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,श्रेणियाँ apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,सिंक ऑफलाइन चालान DocType: Payment Request,Paid,भुगतान किया DocType: Service Level,Default Priority,डिफ़ॉल्ट प्राथमिकता @@ -1742,11 +1770,11 @@ 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,अप्रत्यक्ष आय DocType: Student Attendance Tool,Student Attendance Tool,छात्र उपस्थिति उपकरण DocType: Restaurant Menu,Price List (Auto created),मूल्य सूची (ऑटो बनाया) +DocType: Pick List Item,Picked Qty,उठा हुआ क्यूटी DocType: Cheque Print Template,Date Settings,दिनांक सेटिंग 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,कर्मचारी पदोन्नति विस्तार -,Company Name,कंपनी का नाम DocType: SMS Center,Total Message(s),कुल संदेश (ओं ) DocType: Share Balance,Purchased,खरीदी DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,आइटम विशेषता में विशेषता मान का नाम बदलें। @@ -1765,7 +1793,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,नवीनतम प्रयास 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} के लिए अनिवार्य है -DocType: BOM,Raw Material Cost(Company Currency),कच्चे माल की लागत (कंपनी मुद्रा) 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,बिजली की लागत @@ -1832,6 +1859,7 @@ DocType: Travel Itinerary,Train,रेल गाडी ,Delayed Item Report,देरी से आई रिपोर्ट apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,योग्य आईटीसी DocType: Healthcare Service Unit,Inpatient Occupancy,रोगी अधिभोग +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,अपने पहले आइटम प्रकाशित करें DocType: Sample Collection,HLC-SC-.YYYY.-,उच्च स्तरीय समिति-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,पारी की समाप्ति के बाद का समय जिसके दौरान चेक-आउट को उपस्थिति के लिए माना जाता है। apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},कृपया बताएं कि एक {0} @@ -1947,6 +1975,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,सभी BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,इंटर कंपनी जर्नल एंट्री बनाएं DocType: Company,Parent Company,मूल कंपनी apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},होटल कमरे प्रकार {0} पर अनुपलब्ध हैं {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,रॉ मैटेरियल्स और ऑपरेशंस में बदलाव के लिए BOMs की तुलना करें apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,दस्तावेज़ {0} सफलतापूर्वक अस्पष्ट DocType: Healthcare Practitioner,Default Currency,डिफ़ॉल्ट मुद्रा apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,इस खाते को पुनः प्राप्त करें @@ -1981,6 +2010,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,सी - फार्म के चालान विस्तार DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,भुगतान सुलह चालान DocType: Clinical Procedure,Procedure Template,प्रक्रिया टेम्पलेट +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,आइटम प्रकाशित करें apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,अंशदान% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ख़रीद सेटिंग के अनुसार यदि खरीद आदेश की आवश्यकता है == 'हां', फिर खरीद चालान बनाने के लिए, उपयोगकर्ता को आइटम के लिए पहले खरीद आदेश बनाने की आवश्यकता है {0}" ,HSN-wise-summary of outward supplies,बाह्य आपूर्ति के एचएसएन-वार-सारांश @@ -1993,7 +2023,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',सेट 'पर अतिरिक्त छूट लागू करें' कृपया DocType: Party Tax Withholding Config,Applicable Percent,लागू प्रतिशत ,Ordered Items To Be Billed,हिसाब से बिलिंग किए आइटम -DocType: Employee Checkin,Exit Grace Period Consequence,ग्रेस अवधि परिणाम से बाहर निकलें apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,सीमा कम हो गया है से की तुलना में श्रृंखला के लिए DocType: Global Defaults,Global Defaults,वैश्विक मूलभूत apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,परियोजना सहयोग निमंत्रण @@ -2001,13 +2030,11 @@ DocType: Salary Slip,Deductions,कटौती DocType: Setup Progress Action,Action Name,क्रिया का नाम apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,साल की शुरुआत apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ऋण बनाएँ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,पीडीसी / साख पत्र DocType: Purchase Invoice,Start date of current invoice's period,वर्तमान चालान की अवधि के आरंभ तिथि DocType: Shift Type,Process Attendance After,प्रक्रिया उपस्थिति के बाद ,IRS 1099,आईआरएस 1099 DocType: Salary Slip,Leave Without Pay,बिना वेतन छुट्टी DocType: Payment Request,Outward,बाहर -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,क्षमता योजना में त्रुटि apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,राज्य / संघ राज्य क्षेत्र कर ,Trial Balance for Party,पार्टी के लिए परीक्षण शेष ,Gross and Net Profit Report,सकल और शुद्ध लाभ रिपोर्ट @@ -2026,7 +2053,6 @@ DocType: Payroll Entry,Employee Details,कर्मचारी विवरण 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} के लिए संपत्ति आवश्यक है -DocType: Setup Progress Action,Domains,डोमेन 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} दिखाएं @@ -2069,7 +2095,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,कुल 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.","भुगतान मोड कॉन्फ़िगर नहीं है। कृपया चेक, चाहे खाता भुगतान के मोड पर या पीओएस प्रोफाइल पर स्थापित किया गया है।" apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,एक ही मद कई बार दर्ज नहीं किया जा सकता है। apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","इसके अलावा खातों समूह के तहत बनाया जा सकता है, लेकिन प्रविष्टियों गैर समूहों के खिलाफ बनाया जा सकता है" -DocType: Email Campaign,Lead,नेतृत्व +DocType: Call Log,Lead,नेतृत्व DocType: Email Digest,Payables,देय DocType: Amazon MWS Settings,MWS Auth Token,एमडब्ल्यूएस ऑथ टोकन DocType: Email Campaign,Email Campaign For ,ईमेल अभियान के लिए @@ -2081,6 +2107,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,बिल के लिए खरीद आदेश आइटम 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,क्रेडिट सीमा DocType: Purchase Invoice Item,Net Rate,असल दर apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,कृपया एक ग्राहक का चयन करें DocType: Leave Policy,Leave Allocations,आवंटन छोड़ो @@ -2094,6 +2121,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,बंद अंक दिनों के बाद ,Eway Bill,बिल बिल apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,बाज़ार में उपयोगकर्ताओं को जोड़ने के लिए आपको सिस्टम मैनेजर और आइटम मैनेजर भूमिकाओं के साथ एक उपयोगकर्ता होने की आवश्यकता है। +DocType: Attendance,Early Exit,प्रारंभिक निकास DocType: Job Opening,Staffing Plan,स्टाफिंग योजना apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,ई-वे बिल JSON केवल एक प्रस्तुत दस्तावेज़ से उत्पन्न किया जा सकता है apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,कर्मचारी कर और लाभ @@ -2114,6 +2142,7 @@ DocType: Maintenance Team Member,Maintenance Role,रखरखाव भूम apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},डुप्लिकेट पंक्ति {0} के साथ एक ही {1} DocType: Marketplace Settings,Disable Marketplace,बाज़ार अक्षम करें DocType: Quality Meeting,Minutes,मिनट +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,आपका विशेष रुप से प्रदर्शित आइटम ,Trial Balance,शेष - परीक्षण apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,पूरा करके दिखाओ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,वित्त वर्ष {0} नहीं मिला @@ -2123,8 +2152,8 @@ 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,पहले उपसर्ग का चयन करें DocType: Contract,Fulfilment Deadline,पूर्ति की अंतिम तिथि +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,तुम्हारे पास DocType: Student,O-,हे -DocType: Shift Type,Consequence,परिणाम DocType: Subscription Settings,Subscription Settings,सदस्यता सेटिंग्स DocType: Purchase Invoice,Update Auto Repeat Reference,ऑटो दोहराना संदर्भ अद्यतन करें apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},वैकल्पिक अवकाश सूची छुट्टी अवधि के लिए सेट नहीं है {0} @@ -2135,7 +2164,6 @@ DocType: Maintenance Visit Purpose,Work Done,करेंकिया गया apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,गुण तालिका में कम से कम एक विशेषता निर्दिष्ट करें DocType: Announcement,All Students,सभी छात्र apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,मद {0} एक गैर शेयर मद में होना चाहिए -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,बैंक Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,देखें खाता बही DocType: Grading Scale,Intervals,अंतराल DocType: Bank Statement Transaction Entry,Reconciled Transactions,समेकित लेनदेन @@ -2171,6 +2199,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",इस गोदाम का उपयोग बिक्री आदेश बनाने के लिए किया जाएगा। फ़ॉलबैक वेयरहाउस "स्टोर" है। DocType: Work Order,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,खरीद चक्र के दौरान एक ही दर बनाए रखें DocType: Opportunity Item,Opportunity Item,अवसर आइटम DocType: Quality Action,Quality Review,गुणवत्ता की समीक्षा करें @@ -2197,7 +2226,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,बकाया चालान -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,बिक्री आदेश {0} मान्य नहीं है +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,कोटेशन के लिए नए अनुरोध के लिए चेतावनी दें apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,खरीद आदेश आप की योजना में मदद मिलेगी और अपनी खरीद पर का पालन करें apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,लैब टेस्ट प्रिस्क्रिप्शन @@ -2222,6 +2251,7 @@ DocType: Employee Onboarding,Notify users by email,उपयोगकर्त DocType: Travel Request,International,अंतरराष्ट्रीय DocType: Training Event,Training Event,प्रशिक्षण घटना DocType: Item,Auto re-order,ऑटो पुनः आदेश +DocType: Attendance,Late Entry,देर से प्रवेश apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,कुल प्राप्त DocType: Employee,Place of Issue,जारी करने की जगह DocType: Promotional Scheme,Promotional Scheme Price Discount,प्रचार योजना मूल्य छूट @@ -2268,6 +2298,7 @@ DocType: Serial No,Serial No Details,धारावाहिक नहीं DocType: Purchase Invoice Item,Item Tax Rate,आइटम कर की दर apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,पार्टी नाम से apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,शुद्ध वेतन राशि +DocType: Pick List,Delivery against Sales Order,बिक्री आदेश के खिलाफ वितरण DocType: Student Group Student,Group Roll Number,समूह रोल संख्या apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","{0}, केवल ऋण खातों अन्य डेबिट प्रविष्टि के खिलाफ जोड़ा जा सकता है के लिए" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,डिलिवरी नोट {0} प्रस्तुत नहीं किया गया है @@ -2339,7 +2370,6 @@ DocType: Contract,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,प्रदायक चालान तिथि -DocType: Asset Settings,This value is used for pro-rata temporis calculation,यह मान प्रो-राटा अस्थायी गणना के लिए उपयोग किया जाता है apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,आप खरीदारी की टोकरी में सक्रिय करने की जरूरत DocType: Payment Entry,Writeoff,बट्टे खाते डालना DocType: Maintenance Visit,MAT-MVS-.YYYY.-,मेट-MVS-.YYYY.- @@ -2353,6 +2383,7 @@ DocType: Delivery Trip,Total Estimated Distance,कुल अनुमानि DocType: Invoice Discounting,Accounts Receivable Unpaid Account,लेखा प्राप्य अप्राप्त खाता DocType: Tally Migration,Tally Company,टैली कंपनी apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,बीओएम ब्राउज़र +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},{0} के लिए लेखांकन आयाम बनाने की अनुमति नहीं है apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,कृपया इस प्रशिक्षण कार्यक्रम के लिए अपनी स्थिति अपडेट करें DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,जोड़ें या घटा @@ -2362,7 +2393,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,निष्क्रिय बिक्री आइटम DocType: Quality Review,Additional Information,अतिरिक्त जानकारी apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,कुल ऑर्डर मूल्य -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,सेवा स्तर समझौता। apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,भोजन apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,बूढ़े रेंज 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,पीओएस समापन वाउचर विवरण @@ -2409,6 +2439,7 @@ 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,अभियान 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',स्वीकृति स्थिति 'स्वीकृत' या ' अस्वीकृत ' होना चाहिए DocType: Healthcare Practitioner,Contacts and Address,संपर्क और पता DocType: Shift Type,Determine Check-in and Check-out,चेक-इन और चेक-आउट का निर्धारण करें @@ -2428,7 +2459,6 @@ DocType: Student Admission,Eligibility and Details,पात्रता और apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,सकल लाभ में शामिल apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,निश्चित परिसंपत्ति में शुद्ध परिवर्तन apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd मात्रा -DocType: Company,Client Code,क्लाइंट कोड apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार पंक्ति {0} में 'वास्तविक ' का प्रभार आइटम रेट में शामिल नहीं किया जा सकता apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},मैक्स: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Datetime से @@ -2497,6 +2527,7 @@ DocType: Journal Entry Account,Account Balance,खाते की शेष र apps/erpnext/erpnext/config/accounting.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 (%),ट्रांसफर अलाउंस (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ग्राहक प्राप्य खाते के खिलाफ आवश्यक है {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),कुल करों और शुल्कों (कंपनी मुद्रा) DocType: Weather,Weather Parameter,मौसम पैरामीटर @@ -2559,6 +2590,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,अनुपस्थि apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,कुल व्यय के आधार पर कई टायर संग्रह कारक हो सकते हैं। लेकिन मोचन के लिए रूपांतरण कारक हमेशा सभी स्तरों के लिए समान होगा। apps/erpnext/erpnext/config/help.py,Item Variants,आइटम वेरिएंट apps/erpnext/erpnext/public/js/setup_wizard.js,Services,सेवाएं +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,बोम २ DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,कर्मचारी को ईमेल वेतन पर्ची DocType: Cost Center,Parent Cost Center,माता - पिता लागत केंद्र @@ -2569,7 +2601,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields", DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,शिपमेंट पर Shopify से डिलिवरी नोट्स आयात करें apps/erpnext/erpnext/templates/pages/projects.html,Show closed,दिखाएँ बंद DocType: Issue Priority,Issue Priority,मुद्दा प्राथमिकता -DocType: Leave Type,Is Leave Without Pay,बिना वेतन छुट्टी है +DocType: Leave Ledger Entry,Is Leave Without Pay,बिना वेतन छुट्टी है apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,परिसंपत्ति वर्ग फिक्स्ड एसेट आइटम के लिए अनिवार्य है DocType: Fee Validity,Fee Validity,शुल्क वैधता @@ -2618,6 +2650,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,गोदाम म apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,अद्यतन प्रिंट प्रारूप DocType: Bank Account,Is Company Account,कंपनी खाता है apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,छोड़ें प्रकार {0} encashable नहीं है +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},क्रेडिट सीमा पहले से ही कंपनी के लिए परिभाषित है {0} DocType: Landed Cost Voucher,Landed Cost Help,उतरा लागत सहायता DocType: Vehicle Log,HR-VLOG-.YYYY.-,मानव संसाधन-vlog-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,शिपिंग पते का चयन @@ -2642,6 +2675,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,दो-तरफा DocType: Item,Manufacturers,निर्माता @@ -2678,7 +2712,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,बैंक समाधान विवरण DocType: Patient Encounter,Medical Coding,मेडिकल कोडिंग DocType: Healthcare Settings,Reminder Message,अनुस्मारक संदेश -,Lead Name,नाम लीड +DocType: Call Log,Lead Name,नाम लीड ,POS,पीओएस DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,ढूंढ़ @@ -2710,12 +2744,14 @@ DocType: Purchase Invoice,Supplier Warehouse,प्रदायक वेअर DocType: Opportunity,Contact Mobile No,मोबाइल संपर्क नहीं apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,कंपनी का चयन करें ,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: Student Report Generation Tool,Print Section,प्रिंट अनुभाग DocType: Staffing Plan Detail,Estimated Cost Per Position,अनुमानित लागत प्रति स्थिति DocType: Employee,HR-EMP-,मानव संसाधन-EMP- 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} में कोई भी डिफ़ॉल्ट पीओएस प्रोफ़ाइल नहीं है इस उपयोगकर्ता के लिए पंक्ति {1} पर डिफ़ॉल्ट जांचें DocType: Quality Meeting Minutes,Quality Meeting Minutes,गुणवत्ता बैठक मिनट +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,आपूर्तिकर्ता> आपूर्तिकर्ता प्रकार apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,कर्मचारी रेफरल DocType: Student Group,Set 0 for no limit,कोई सीमा के लिए 0 सेट apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"आप छुट्टी के लिए आवेदन कर रहे हैं, जिस पर दिन (एस) छुट्टियां हैं। आप छुट्टी के लिए लागू नहीं की जरूरत है।" @@ -2749,12 +2785,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,नकद में शुद्ध परिवर्तन DocType: Assessment Plan,Grading Scale,ग्रेडिंग पैमाने apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,मापने की इकाई {0} अधिक रूपांतरण कारक तालिका में एक बार से अधिक दर्ज किया गया है -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,पहले से पूरा है apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,हाथ में स्टॉक apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",कृपया \ pro-rata घटक के रूप में एप्लिकेशन को शेष लाभ {0} जोड़ें apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',कृपया लोक प्रशासन '% s' के लिए राजकोषीय कोड निर्धारित करें -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},भुगतान का अनुरोध पहले से मौजूद है {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,जारी मदों की लागत DocType: Healthcare Practitioner,Hospital,अस्पताल apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},मात्रा से अधिक नहीं होना चाहिए {0} @@ -2799,6 +2833,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,मानवीय संसाधन apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,ऊपरी आय DocType: Item Manufacturer,Item Manufacturer,आइटम निर्माता +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,नया लीड बनाएं DocType: BOM Operation,Batch Size,बैच का आकार apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,अस्वीकार DocType: Journal Entry Account,Debit in Company Currency,कंपनी मुद्रा में डेबिट @@ -2819,9 +2854,11 @@ DocType: Bank Transaction,Reconciled,मेल मिलाप DocType: Expense Claim,Total Amount Reimbursed,कुल राशि की प्रतिपूर्ति apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,यह इस वाहन के खिलाफ लॉग पर आधारित है। जानकारी के लिए नीचे समय देखें apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,पेरोल तिथि कर्मचारी की शामिल होने की तिथि से कम नहीं हो सकती है +DocType: Pick List,Item Locations,आइटम स्थान apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} बनाया apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",पदनाम के लिए नौकरी खोलने {0} पहले से ही खुला है या स्टाफिंग योजना के अनुसार पूरा भर्ती {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,आप 200 आइटम तक प्रकाशित कर सकते हैं। DocType: Vital Signs,Constipated,कब्ज़ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},प्रदायक के खिलाफ चालान {0} दिनांक {1} DocType: Customer,Default Price List,डिफ़ॉल्ट मूल्य सूची @@ -2913,6 +2950,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,वास्तविक शुरुआत शिफ्ट करें DocType: Tally Migration,Is Day Book Data Imported,क्या डे बुक डेटा आयात किया गया है apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,विपणन व्यय +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} की इकाइयां {1} उपलब्ध नहीं हैं। ,Item Shortage Report,आइटम कमी की रिपोर्ट 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,मानक मानदंड नहीं बना सकते कृपया मापदंड का नाम बदलें @@ -2935,6 +2973,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,सेवानिवृत्ति की तारीख DocType: Upload Attendance,Get Template,टेम्पलेट जाओ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,चुनी जाने वाली सूची ,Sales Person Commission Summary,बिक्री व्यक्ति आयोग सारांश DocType: Material Request,Transferred,का तबादला DocType: Vehicle,Doors,दरवाजे के @@ -3014,7 +3053,7 @@ DocType: Sales Invoice Item,Customer's Item Code,ग्राहक आइटम DocType: Stock Reconciliation,Stock Reconciliation,स्टॉक सुलह DocType: Territory,Territory Name,टेरिटरी नाम DocType: Email Digest,Purchase Orders to Receive,प्राप्त करने के लिए आदेश खरीदें -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,वर्क प्रगति वेयरहाउस प्रस्तुत करने से पहले आवश्यक है +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,वर्क प्रगति वेयरहाउस प्रस्तुत करने से पहले आवश्यक है apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,आप केवल सदस्यता में एक ही बिलिंग चक्र के साथ योजना बना सकते हैं DocType: Bank Statement Transaction Settings Item,Mapped Data,मैप किए गए डेटा DocType: Purchase Order Item,Warehouse and Reference,गोदाम और संदर्भ @@ -3088,6 +3127,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,वितरण सेटिंग्स apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,डेटा प्राप्त करें apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},छुट्टी प्रकार {0} में अधिकतम छुट्टी की अनुमति है {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 आइटम प्रकाशित करें DocType: SMS Center,Create Receiver List,रिसीवर सूची बनाएँ DocType: Student Applicant,LMS Only,केवल एलएमएस apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,उपयोग के लिए उपलब्ध तारीख खरीद की तारीख के बाद होना चाहिए @@ -3121,6 +3161,7 @@ DocType: Serial No,Delivery Document No,डिलिवरी दस्ताव DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,उत्पादित सीरियल नंबर के आधार पर डिलीवरी सुनिश्चित करें DocType: Vital Signs,Furry,पोस्तीन का apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},कंपनी में 'एसेट निपटान पर लाभ / हानि खाता' सेट करें {0} +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} @@ -3132,6 +3173,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},{0} से सभी मुद्दों को देखें DocType: Quality Inspection,MAT-QA-.YYYY.-,मेट-क्यूए-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,गुणवत्ता बैठक की मेज +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/templates/pages/help.html,Visit the forums,मंचों पर जाएं DocType: Student,Student Mobile Number,छात्र मोबाइल नंबर DocType: Item,Has Variants,वेरिएंट है @@ -3142,9 +3184,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,मासिक वितरण का नाम DocType: Quality Procedure Process,Quality Procedure Process,गुणवत्ता प्रक्रिया प्रक्रिया apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,बैच आईडी अनिवार्य है +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,कृपया पहले ग्राहक चुनें DocType: Sales Person,Parent Sales Person,माता - पिता बिक्री व्यक्ति apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,प्राप्त करने के लिए कोई आइटम अतिदेय नहीं है apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,विक्रेता और खरीदार एक ही नहीं हो सकता +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,अभी तक कोई विचार नहीं DocType: Project,Collect Progress,लीजिए प्रगति DocType: Delivery Note,MAT-DN-.YYYY.-,मेट-डी एन-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,पहले प्रोग्राम का चयन करें @@ -3166,11 +3210,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,हासिल DocType: Student Admission,Application Form Route,आवेदन पत्र रूट apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,अनुबंध की अंतिम तिथि आज से कम नहीं हो सकती। +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,सबमिट करने के लिए Ctrl + Enter करें DocType: Healthcare Settings,Patient Encounters in valid days,वैध दिनों में रोगी Encounters apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,छोड़ दो प्रकार {0} आवंटित नहीं किया जा सकता क्योंकि यह बिना वेतन छोड़ रहा है 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,एक बार जब आप विक्रय इनवॉइस सहेजें शब्दों में दिखाई जाएगी। DocType: Lead,Follow Up,जाँच करना +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,लागत केंद्र: {0} मौजूद नहीं है DocType: Item,Is Sales Item,बिक्री आइटम है apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,आइटम समूह ट्री apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,आइटम {0} सीरियल नग चेक आइटम गुरु के लिए सेटअप नहीं है @@ -3215,9 +3261,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,आपूर्ति मात्रा DocType: Clinical Procedure,HLC-CPR-.YYYY.-,उच्च स्तरीय समिति-सीपीआर-.YYYY.- DocType: Purchase Order Item,Material Request Item,सामग्री अनुरोध आइटम -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,कृपया खरीद रसीद {0} पहले रद्द करें apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,आइटम समूहों के पेड़ . DocType: Production Plan,Total Produced Qty,कुल उत्पादन मात्रा +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,अभी तक कोई समीक्षा नहीं apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,इस आरोप प्रकार के लिए अधिक से अधिक या वर्तमान पंक्ति संख्या के बराबर पंक्ति संख्या का उल्लेख नहीं कर सकते DocType: Asset,Sold,बिक गया ,Item-wise Purchase History,आइटम के लिहाज से खरीदारी इतिहास @@ -3236,7 +3282,7 @@ DocType: Designation,Required Skills,आवश्यक कुशलता DocType: Inpatient Record,O Positive,हे सकारात्मक apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,निवेश DocType: Issue,Resolution Details,संकल्प विवरण -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,सौदे का प्रकार +DocType: Leave Ledger Entry,Transaction Type,सौदे का प्रकार DocType: Item Quality Inspection Parameter,Acceptance Criteria,स्वीकृति मापदंड apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,उपरोक्त तालिका में सामग्री अनुरोध दर्ज करें apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,जर्नल एंट्री के लिए कोई भुगतान उपलब्ध नहीं है @@ -3277,6 +3323,7 @@ DocType: Bank Account,Bank Account No,बैंक खाता नम्बर DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,कर्मचारी कर छूट सबूत सबमिशन DocType: Patient,Surgical History,सर्जिकल इतिहास DocType: Bank Statement Settings Item,Mapped Header,मैप किया गया हैडर +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें DocType: Employee,Resignation Letter Date,इस्तीफा पत्र दिनांक apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,मूल्य निर्धारण नियमों आगे मात्रा के आधार पर छान रहे हैं. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},कृपया कर्मचारी {0} के लिए शामिल होने की तिथि निर्धारित करें @@ -3344,7 +3391,6 @@ DocType: Student Report Generation Tool,Add Letterhead,लेटरहेड ज 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,कुल आवंटित पत्ते {0} कम नहीं हो सकता अवधि के लिए पहले से ही मंजूरी दे दी पत्ते {1} से DocType: Contract Fulfilment Checklist,Requirement,आवश्यकता DocType: Journal Entry,Accounts Receivable,लेखा प्राप्य DocType: Quality Goal,Objectives,उद्देश्य @@ -3367,7 +3413,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,एकल लेन DocType: Lab Test Template,This value is updated in the Default Sales Price List.,यह मान डिफ़ॉल्ट बिक्री मूल्य सूची में अपडेट किया गया है। apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,आपकी गाड़ी खाली है DocType: Email Digest,New Expenses,नए खर्च -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,पीडीसी / एलसी राशि apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,ड्राइवर का पता नहीं होने के कारण रूट को ऑप्टिमाइज़ नहीं किया जा सकता है। DocType: Shareholder,Shareholder,शेयरहोल्डर DocType: Purchase Invoice,Additional Discount Amount,अतिरिक्त छूट राशि @@ -3404,6 +3449,7 @@ DocType: Asset Maintenance Task,Maintenance Task,रखरखाव कार् apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,कृपया जीएसटी सेटिंग्स में बी 2 सी सीमा निर्धारित करें। 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,कुंजी दिनांक {2} के लिए {0} से {0} के लिए विनिमय दर खोजने में असमर्थ कृपया मैन्युअल रूप से एक मुद्रा विनिमय रिकॉर्ड बनाएं 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} अब मूलभूत वित्त वर्ष है . परिवर्तन को प्रभावी बनाने के लिए अपने ब्राउज़र को ताज़ा करें. @@ -3440,6 +3486,7 @@ DocType: Salary Component,Deduction,कटौती DocType: Item,Retain Sample,नमूना रखें apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,पंक्ति {0}: समय और समय के लिए अनिवार्य है। DocType: Stock Reconciliation Item,Amount Difference,राशि अंतर +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,यह पृष्ठ उन वस्तुओं पर नज़र रखता है जिन्हें आप विक्रेताओं से खरीदना चाहते हैं। apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},मद कीमत के लिए जोड़ा {0} मूल्य सूची में {1} DocType: Delivery Stop,Order Information,आदेश की जानकारी apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,इस व्यक्ति की बिक्री के कर्मचारी आईडी दर्ज करें @@ -3468,6 +3515,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** वित्त वर्ष ** एक वित्तीय वर्ष का प्रतिनिधित्व करता है। सभी लेखा प्रविष्टियों और अन्य प्रमुख लेनदेन ** ** वित्त वर्ष के खिलाफ ट्रैक किए गए हैं। DocType: Opportunity,Customer / Lead Address,ग्राहक / लीड पता DocType: Supplier Scorecard Period,Supplier Scorecard Setup,आपूर्तिकर्ता स्कोरकार्ड सेटअप +DocType: Customer Credit Limit,Customer Credit Limit,ग्राहक क्रेडिट सीमा apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,आकलन योजना का नाम apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,लक्ष्य विवरण apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","लागू अगर कंपनी SpA, SApA या SRL है" @@ -3520,7 +3568,6 @@ DocType: Company,Transactions Annual History,लेनदेन वार्ष 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,बैंक का नाम -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,ऊपर 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,6 +3619,7 @@ 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,फीचर्ड आइटम में जोड़ा गया apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,इस साल का मुनाफा 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,इस प्रक्रिया में @@ -3625,12 +3673,10 @@ 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,एक ही आइटम एकाधिक टाइम्स की अनुमति दें -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,कंपनी के लिए कोई जीएसटी नंबर नहीं मिला। 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,कर्मचारियों DocType: Question,Single Correct Answer,एकल सही उत्तर -DocType: Employee,Contact Details,जानकारी के लिए संपर्क DocType: C-Form,Received Date,प्राप्त तिथि DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","आप बिक्री करों और शुल्कों टेम्पलेट में एक मानक टेम्पलेट बनाया है, एक को चुनें और नीचे दिए गए बटन पर क्लिक करें।" DocType: BOM Scrap Item,Basic Amount (Company Currency),मूल राशि (कंपनी मुद्रा) @@ -3660,12 +3706,13 @@ DocType: BOM Website Operation,BOM Website Operation,बीओएम वेब DocType: Bank Statement Transaction Payment Item,outstanding_amount,बकाया राशि DocType: Supplier Scorecard,Supplier Score,आपूर्तिकर्ता स्कोर apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,अनुसूची प्रवेश +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,कुल भुगतान अनुरोध राशि {0} राशि से अधिक नहीं हो सकती DocType: Tax Withholding Rate,Cumulative Transaction Threshold,संचयी लेनदेन थ्रेसहोल्ड DocType: Promotional Scheme Price Discount,Discount Type,डिस्काउंट प्रकार -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,कुल चालान किए गए राशि DocType: Purchase Invoice Item,Is Free Item,नि: शुल्क आइटम है +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,प्रतिशत आपको ऑर्डर की गई मात्रा के मुकाबले अधिक स्थानांतरित करने की अनुमति है। उदाहरण के लिए: यदि आपने 100 यूनिट का ऑर्डर दिया है। और आपका भत्ता 10% है तो आपको 110 इकाइयों को स्थानांतरित करने की अनुमति है। DocType: Supplier,Warn RFQs,आरएफक्यू को चेतावनी दें -apps/erpnext/erpnext/templates/pages/home.html,Explore,अन्वेषण +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,अन्वेषण DocType: BOM,Conversion Rate,रूपांतरण दर apps/erpnext/erpnext/www/all-products/index.html,Product Search,उत्पाद खोज ,Bank Remittance,बैंक प्रेषण @@ -3677,6 +3724,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,भुगतान की गई कुल राशि DocType: Asset,Insurance End Date,बीमा समाप्ति दिनांक apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"कृपया छात्र प्रवेश का चयन करें, जो सशुल्क छात्र आवेदक के लिए अनिवार्य है" +DocType: Pick List,STO-PICK-.YYYY.-,STO-पिकअप .YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,बजट सूची DocType: Campaign,Campaign Schedules,अभियान अनुसूचियां DocType: Job Card Time Log,Completed Qty,पूरी की मात्रा @@ -3699,6 +3747,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,नया DocType: Quality Inspection,Sample Size,नमूने का आकार apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,रसीद दस्तावेज़ दर्ज करें apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,सभी आइटम पहले से चालान कर दिया गया है +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,ले लिया apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.','केस नंबर से' एक वैध निर्दिष्ट करें 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,इसके अलावा लागत केन्द्रों समूह के तहत बनाया जा सकता है लेकिन प्रविष्टियों गैर समूहों के खिलाफ बनाया जा सकता है 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,कुल आवंटित पत्तियां अवधि में कर्मचारी {1} के लिए {0} छुट्टी प्रकार के अधिकतम आवंटन से अधिक दिन हैं @@ -3798,6 +3847,8 @@ 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: Call Log,Received By,द्वारा प्राप्त 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.,अलग आय को ट्रैक और उत्पाद कार्यक्षेत्र या डिवीजनों के लिए खर्च। @@ -3851,6 +3902,7 @@ DocType: Support Search Source,Result Title Field,परिणाम शीर apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,कॉल सारांश DocType: Sample Collection,Collected Time,एकत्रित समय DocType: Employee Skill Map,Employee Skills,कर्मचारी कौशल +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,ईंधन खर्च DocType: Company,Sales Monthly History,बिक्री मासिक इतिहास apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,कृपया कर और शुल्क तालिका में कम से कम एक पंक्ति निर्धारित करें DocType: Asset Maintenance Task,Next Due Date,अगला देय तिथि @@ -3860,6 +3912,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,महत DocType: Payment Entry,Payment Deductions or Loss,भुगतान कटौती या घटाने DocType: Soil Analysis,Soil Analysis Criterias,मिट्टी विश्लेषण मानदंड apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,बिक्री या खरीद के लिए मानक अनुबंध शर्तों . +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},पंजे {0} में निकाले गए DocType: Shift Type,Begin check-in before shift start time (in minutes),पारी शुरू होने से पहले चेक-इन शुरू करें (मिनटों में) DocType: BOM Item,Item operation,आइटम ऑपरेशन apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,वाउचर द्वारा समूह @@ -3885,11 +3938,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,कर्मचारी के वेतन पर्ची {0} पहले से ही इस अवधि के लिए बनाए गए apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,औषधि apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,आप केवल वैध नकद राशि के लिए छुट्टी एनकैशमेंट सबमिट कर सकते हैं +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,द्वारा आइटम apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,खरीदी गई वस्तुओं की लागत DocType: Employee Separation,Employee Separation Template,कर्मचारी पृथक्करण टेम्पलेट DocType: Selling Settings,Sales Order Required,बिक्री आदेश आवश्यक apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,एक विक्रेता बनें -DocType: Shift Type,The number of occurrence after which the consequence is executed.,घटना की संख्या जिसके बाद परिणाम निष्पादित किया जाता है। ,Procurement Tracker,खरीद ट्रैकर DocType: Purchase Invoice,Credit To,करने के लिए क्रेडिट apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC उलट गया @@ -3902,6 +3955,7 @@ DocType: Quality Meeting,Agenda,कार्यसूची DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,रखरखाव अनुसूची विवरण DocType: Supplier Scorecard,Warn for new Purchase Orders,नए क्रय आदेशों के लिए चेतावनी दें DocType: Quality Inspection Reading,Reading 9,9 पढ़ना +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,अपने एक्पोटेल खाते को ईआरपीएनएक्सएक्स से कनेक्ट करें और कॉल लॉग को ट्रैक करें DocType: Supplier,Is Frozen,जम गया है DocType: Tally Migration,Processed Files,संसाधित फ़ाइलें apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,समूह नोड गोदाम के लेन-देन के लिए चयन करने के लिए अनुमति नहीं है @@ -3911,6 +3965,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,एक समाप DocType: Upload Attendance,Attendance To Date,तिथि उपस्थिति 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,नुस्खे @@ -3935,7 +3990,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,निवेदन कर्ता apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},अमान्य संदर्भ {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,विभिन्न प्रचार योजनाओं को लागू करने के लिए नियम। -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},उत्पादान आदेश {3} मे {0} ({1}) योजना बद्द मात्रा ({2}) से अधिक नहीं हो सकती DocType: Shipping Rule,Shipping Rule Label,नौवहन नियम लेबल DocType: Journal Entry Account,Payroll Entry,पेरोल एंट्री apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,देखें फीस रिकॉर्ड्स @@ -3947,6 +4001,7 @@ DocType: Contract,Fulfilment Status,पूर्ति की स्थिति DocType: Lab Test Sample,Lab Test Sample,लैब टेस्ट नमूना DocType: Item Variant Settings,Allow Rename Attribute Value,नाम बदलें विशेषता मान apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,त्वरित जर्नल प्रविष्टि +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,भविष्य की भुगतान राशि apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,बीओएम किसी भी आइटम agianst उल्लेख अगर आप दर में परिवर्तन नहीं कर सकते DocType: Restaurant,Invoice Series Prefix,चालान श्रृंखला उपसर्ग DocType: Employee,Previous Work Experience,पिछले कार्य अनुभव @@ -3976,6 +4031,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,परियोजना की स्थिति DocType: UOM,Check this to disallow fractions. (for Nos),नामंज़ूर भिन्न करने के लिए इसे चेक करें. (ओपन स्कूल के लिए) DocType: Student Admission Program,Naming Series (for Student Applicant),सीरीज का नामकरण (छात्र आवेदक के लिए) +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/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,प्रैक्टिशनर सर्विस यूनिट अनुसूची @@ -3991,6 +4047,7 @@ DocType: Fiscal Year,Year End Date,वर्षांत तिथि 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} बंद है @@ -3999,6 +4056,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,मौजूदा स्टॉक DocType: Purchase Invoice,ineligible,अनुचित apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,सामग्री के बिल का पेड़ +DocType: BOM,Exploded Items,धमाका आइटम DocType: Student,Joining Date,कार्यग्रहण तिथि ,Employees working on a holiday,एक छुट्टी पर काम कर रहे कर्मचारियों को ,TDS Computation Summary,टीडीएस गणना सारांश @@ -4031,6 +4089,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),मूल दर (स DocType: SMS Log,No of Requested SMS,अनुरोधित एसएमएस की संख्या apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,बिना वेतन छुट्टी को मंजूरी दे दी लीव आवेदन रिकॉर्ड के साथ मेल नहीं खाता apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,अगला कदम +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,बची हुई वस्तुएँ DocType: Travel Request,Domestic,घरेलू apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,सबसे अच्छा संभव दरों पर निर्दिष्ट वस्तुओं की आपूर्ति करें apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,स्थानांतरण तिथि से पहले कर्मचारी स्थानांतरण जमा नहीं किया जा सकता है @@ -4103,7 +4162,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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} को सौंपा गया है। apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,पंक्ति # {0} (भुगतान तालिका): राशि सकारात्मक होना चाहिए -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},अधिक आइटम उत्पादन नहीं कर सकते {0} से बिक्री आदेश मात्रा {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},अधिक आइटम उत्पादन नहीं कर सकते {0} से बिक्री आदेश मात्रा {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,स्थूल में कुछ भी शामिल नहीं है apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,इस दस्तावेज़ के लिए ई-वे बिल पहले से मौजूद है apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,विशेषता मान चुनें @@ -4138,12 +4197,10 @@ 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,सेटअप कंपनी -DocType: Shift Type,Enable Different Consequence for Early Exit,प्रारंभिक निकास के लिए विभिन्न परिणाम सक्षम करें ,Lab Test Report,लैब टेस्ट रिपोर्ट DocType: Employee Benefit Application,Employee Benefit Application,कर्मचारी लाभ आवेदन apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,अतिरिक्त वेतन घटक मौजूद है। DocType: Purchase Invoice,Unregistered,अपंजीकृत -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,कृपया डिलिवरी नोट पहले DocType: Student Applicant,Application Date,आवेदन तिथि DocType: Salary Component,Amount based on formula,सूत्र के आधार पर राशि DocType: Purchase Invoice,Currency and Price List,मुद्रा और मूल्य सूची @@ -4172,6 +4229,7 @@ DocType: Purchase Receipt,Time at which materials were received,जो समय DocType: Products Settings,Products per Page,प्रति पृष्ठ उत्पाद 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,बिलिंग तारीख apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,आवंटित राशि ऋणात्मक नहीं हो सकती DocType: Sales Order,Billing Status,बिलिंग स्थिति apps/erpnext/erpnext/public/js/conf.js,Report an Issue,किसी समस्या की रिपोर्ट @@ -4181,6 +4239,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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} या पहले से ही एक और वाउचर के खिलाफ मिलान DocType: Supplier Scorecard Criteria,Criteria Weight,मापदंड वजन +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,खाता: {0} को भुगतान प्रविष्टि के तहत अनुमति नहीं है DocType: Production Plan,Ignore Existing Projected Quantity,मौजूदा अनुमानित मात्रा को अनदेखा करें apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,स्वीकृति अधिसूचना छोड़ दें DocType: Buying Settings,Default Buying Price List,डिफ़ॉल्ट खरीद मूल्य सूची @@ -4189,6 +4248,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},पंक्ति {0}: संपत्ति आइटम {1} के लिए स्थान दर्ज करें DocType: Employee Checkin,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.","आदि कंपनी , मुद्रा , चालू वित्त वर्ष , की तरह सेट डिफ़ॉल्ट मान" DocType: Payment Entry,Payment Type,भुगतान के प्रकार apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,आइटम {0} के लिए बैच का चयन करें। इस आवश्यकता को पूरा करने वाले एकल बैच को खोजने में असमर्थ @@ -4217,6 +4277,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,शॉपिंग का DocType: Journal Entry,Accounting Entries,लेखांकन प्रवेश 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.","अगर 'मूल्य' के लिए चुना गया मूल्य निर्धारण नियम बना हुआ है, तो यह मूल्य सूची को अधिलेखित कर देगा। मूल्य निर्धारण नियम दर अंतिम दर है, इसलिए कोई और छूट लागू नहीं की जानी चाहिए। इसलिए, बिक्री आदेश, खरीद आदेश आदि जैसे लेनदेन में, 'मूल्य सूची दर' क्षेत्र की बजाय 'दर' फ़ील्ड में प्राप्त किया जाएगा।" +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षा> शिक्षा सेटिंग्स में इंस्ट्रक्टर नामकरण प्रणाली सेटअप करें DocType: Journal Entry,Paid Loan,भुगतान ऋण 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,संदर्भ नियत दिनांक @@ -4233,12 +4294,14 @@ DocType: Shopify Settings,Webhooks Details,वेबहूक विवरण apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,कोई समय पत्रक DocType: GoCardless Mandate,GoCardless Customer,GoCardless ग्राहक apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} ले अग्रेषित नहीं किया जा सकता प्रकार छोड़ दो +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',रखरखाव अनुसूची सभी मदों के लिए उत्पन्न नहीं है . 'उत्पन्न अनुसूची' पर क्लिक करें ,To Produce,निर्माण करने के लिए DocType: Leave Encashment,Payroll,पेरोल 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} भी शामिल किया जाना चाहिए" DocType: Healthcare Service Unit,Parent Service Unit,जनक सेवा इकाई DocType: Packing Slip,Identification of the package for the delivery (for print),प्रसव के लिए पैकेज की पहचान (प्रिंट के लिए) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,सेवा स्तर का समझौता रीसेट किया गया था। DocType: Bin,Reserved Quantity,आरक्षित मात्रा apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,कृपया मान्य ईमेल पता दर्ज करें DocType: Volunteer Skill,Volunteer Skill,स्वयंसेवी कौशल @@ -4259,7 +4322,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,मूल्य या उत्पाद छूट apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,पंक्ति {0} के लिए: नियोजित मात्रा दर्ज करें DocType: Account,Income Account,आय खाता -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र DocType: Payment Request,Amount in customer's currency,ग्राहक की मुद्रा में राशि apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,वितरण apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,संरचनाएं असाइन करना ... @@ -4282,6 +4344,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,संदर्भ ....................... 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?,आप पहले जेनरेट किए गए चालान के रिकॉर्ड खो देंगे। क्या आप वाकई इस सदस्यता को पुनरारंभ करना चाहते हैं? @@ -4337,11 +4400,10 @@ DocType: Additional Salary,HR User,मानव संसाधन उपयो DocType: Bank Guarantee,Reference Document Name,संदर्भ दस्तावेज़ का नाम DocType: Purchase Invoice,Taxes and Charges Deducted,कर और शुल्क कटौती DocType: Support Settings,Issues,मुद्दे -DocType: Shift Type,Early Exit Consequence after,प्रारंभिक निकास परिणाम के बाद DocType: Loyalty Program,Loyalty Program Name,वफादारी कार्यक्रम का नाम apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},स्थिति का एक होना चाहिए {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,जीएसटीआईएन को अपडेट करने के लिए रिमाइंडर -DocType: Sales Invoice,Debit To,करने के लिए डेबिट +DocType: Discounted Invoice,Debit To,करने के लिए डेबिट DocType: Restaurant Menu Item,Restaurant Menu Item,रेस्टोरेंट मेनू आइटम DocType: Delivery Note,Required only for sample item.,केवल नमूना आइटम के लिए आवश्यक है. DocType: Stock Ledger Entry,Actual Qty After Transaction,लेन - देन के बाद वास्तविक मात्रा @@ -4424,6 +4486,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,मापदण् apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,केवल छोड़ दो की स्थिति के साथ अनुप्रयोग 'स्वीकृत' और 'अस्वीकृत' प्रस्तुत किया जा सकता apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,आयाम बनाना ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},छात्र समूह का नाम पंक्ति में अनिवार्य है {0} +DocType: Customer Credit Limit,Bypass credit limit_check,बायपास क्रेडिट सीमा_चेक DocType: Homepage,Products to be shown on website homepage,उत्पाद वेबसाइट के होमपेज पर दिखाया जाएगा DocType: HR Settings,Password Policy,पासवर्ड नीति apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,यह एक रूट ग्राहक समूह है और संपादित नहीं किया जा सकता है . @@ -4482,10 +4545,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),य apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,कृपया रेस्तरां सेटिंग में डिफ़ॉल्ट ग्राहक सेट करें ,Salary Register,वेतन रजिस्टर DocType: Company,Default warehouse for Sales Return,बिक्री रिटर्न के लिए डिफ़ॉल्ट गोदाम -DocType: Warehouse,Parent Warehouse,जनक गोदाम +DocType: Pick List,Parent Warehouse,जनक गोदाम DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},आइटम {0} और प्रोजेक्ट {1} के लिए डिफ़ॉल्ट BOM नहीं मिला +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}: कृपया भुगतान अनुसूची में भुगतान का तरीका निर्धारित करें apps/erpnext/erpnext/config/non_profit.py,Define various loan types,विभिन्न प्रकार के ऋण को परिभाषित करें DocType: Bin,FCFS Rate,FCFS दर @@ -4522,6 +4585,7 @@ DocType: Travel Itinerary,Lodging Required,लॉजिंग आवश्यक DocType: Promotional Scheme,Price Discount Slabs,मूल्य छूट स्लैब DocType: Stock Reconciliation Item,Current Serial No,वर्तमान सीरियल नं DocType: Employee,Attendance and Leave Details,उपस्थिति और विवरण छोड़ें +,BOM Comparison Tool,बीओएम तुलना उपकरण ,Requested,निवेदित apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,कोई टिप्पणी DocType: Asset,In Maintenance,रखरखाव में @@ -4544,6 +4608,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,डिफ़ॉल्ट सेवा स्तर समझौता DocType: SG Creation Tool Course,Course Code,पाठ्यक्रम कोड apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,{0} के लिए एक से अधिक चयन की अनुमति नहीं है +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,तैयार माल की मात्रा के आधार पर कच्चे माल की मात्रा तय की जाएगी DocType: Location,Parent Location,अभिभावक स्थान DocType: POS Settings,Use POS in Offline Mode,ऑफ़लाइन मोड में पीओएस का उपयोग करें apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,प्राथमिकता को {0} में बदल दिया गया है। @@ -4562,7 +4627,7 @@ DocType: Stock Settings,Sample Retention Warehouse,नमूना रिटे DocType: Company,Default Receivable Account,डिफ़ॉल्ट प्राप्य खाता apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,अनुमानित मात्रा सूत्र DocType: Sales Invoice,Deemed Export,डीम्ड एक्सपोर्ट -DocType: Stock Entry,Material Transfer for Manufacture,निर्माण के लिए सामग्री हस्तांतरण +DocType: Pick List,Material Transfer for Manufacture,निर्माण के लिए सामग्री हस्तांतरण 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.,डिस्काउंट प्रतिशत एक मूल्य सूची के खिलाफ या सभी मूल्य सूची के लिए या तो लागू किया जा सकता है. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,शेयर के लिए लेखा प्रविष्टि DocType: Lab Test,LabTest Approver,लैबैस्ट एपीओवर @@ -4605,7 +4670,6 @@ DocType: Training Event,Theory,सिद्धांत apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,चेतावनी: मात्रा अनुरोध सामग्री न्यूनतम आदेश मात्रा से कम है apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,खाते {0} जमे हुए है DocType: Quiz Question,Quiz Question,क्विज प्रश्न -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,आपूर्तिकर्ता> आपूर्तिकर्ता प्रकार 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","खाद्य , पेय और तंबाकू" @@ -4636,6 +4700,7 @@ 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,प्रकाशित आइटम DocType: Account,Expense Account,व्यय लेखा apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,सॉफ्टवेयर apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,रंगीन @@ -4673,6 +4738,7 @@ 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,सभी बैंक लेनदेन बनाए गए हैं DocType: Fee Validity,Visited yet,अभी तक देखें +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,आप 8 आइटम तक देख सकते हैं। 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.,बिक्री लेनदेन के आधार पर परियोजना और कंपनी को कितनी बार अपडेट किया जाना चाहिए। @@ -4680,7 +4746,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,भंडारण तापमान @@ -4705,7 +4770,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,घंटे म DocType: Contract,Signee Details,हस्ताक्षर विवरण apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} में वर्तमान में एक {1} प्रदायक स्कोरकार्ड खड़ा है, और इस आपूर्तिकर्ता को आरएफक्यू सावधानी के साथ जारी किया जाना चाहिए।" DocType: Certified Consultant,Non Profit Manager,गैर लाभ प्रबंधक -DocType: BOM,Total Cost(Company Currency),कुल लागत (कंपनी मुद्रा) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,धारावाहिक नहीं {0} बनाया DocType: Homepage,Company Description for website homepage,वेबसाइट मुखपृष्ठ के लिए कंपनी विवरण DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",ग्राहकों की सुविधा के लिए इन कोड प्रिंट स्वरूपों में चालान और वितरण नोट की तरह इस्तेमाल किया जा सकता है @@ -4733,7 +4797,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,खरी DocType: Amazon MWS Settings,Enable Scheduled Synch,अनुसूचित सिंच सक्षम करें apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Datetime करने के लिए apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,एसएमएस वितरण की स्थिति बनाए रखने के लिए लॉग -DocType: Shift Type,Early Exit Consequence,प्रारंभिक निकास परिणाम DocType: Accounts Settings,Make Payment via Journal Entry,जर्नल प्रविष्टि के माध्यम से भुगतान करने के apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,कृपया एक बार में 500 से अधिक आइटम न बनाएं apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,इस तिथि पर प्रिंट किया गया @@ -4790,6 +4853,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,सीमा 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,गुप्त +DocType: Plaid Settings,Plaid Secret,प्लेड सीक्रेट DocType: Company,Date of Establishment,स्थापना की तिथि apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,वेंचर कैपिटल apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,इस 'शैक्षिक वर्ष' के साथ एक शैक्षणिक अवधि {0} और 'शब्द का नाम' {1} पहले से ही मौजूद है। इन प्रविष्टियों को संशोधित करने और फिर कोशिश करें। @@ -4851,6 +4915,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,ग्राहक प्रकार DocType: Compensatory Leave Request,Leave Allocation,आबंटन छोड़ दो DocType: Payment Request,Recipient Message And Payment Details,प्राप्तकर्ता संदेश और भुगतान की जानकारी +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,कृपया एक वितरण नोट चुनें DocType: Support Search Source,Source DocType,स्रोत डॉकटाइप apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,एक नया टिकट खोलें DocType: Training Event,Trainer Email,ट्रेनर ईमेल @@ -4971,6 +5036,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,कैर्री अग्रेषित पत्तियां apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','तिथि तक' 'तिथि से' के बाद होनी चाहिए apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,इस पदनाम के लिए कोई स्टाफिंग योजना नहीं मिली apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,आइटम {1} का बैच {0} अक्षम है। @@ -4992,7 +5058,7 @@ DocType: Clinical Procedure,Patient,मरीज apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,बिक्री आदेश पर क्रेडिट चेक बाईपास DocType: Employee Onboarding Activity,Employee Onboarding Activity,कर्मचारी ऑनबोर्डिंग गतिविधि DocType: Location,Check if it is a hydroponic unit,जांचें कि क्या यह एक हीड्रोपोनिक इकाई है -DocType: Stock Reconciliation Item,Serial No and Batch,सीरियल नहीं और बैच +DocType: Pick List Item,Serial No and Batch,सीरियल नहीं और बैच DocType: Warranty Claim,From Company,कंपनी से DocType: GSTR 3B Report,January,जनवरी apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,मूल्यांकन मापदंड के अंकों के योग {0} की जरूरत है। @@ -5016,7 +5082,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,इंटर कंपनी लेनदेन के लिए कोई {0} नहीं मिला। -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,किराए पर कार apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,आपकी कंपनी के बारे में apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,खाते में जमा एक बैलेंस शीट खाता होना चाहिए @@ -5049,11 +5114,13 @@ apps/erpnext/erpnext/config/accounting.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,सीआरएम 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,एन apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,शेष DocType: Appraisal,Appraisal,मूल्यांकन DocType: Loan,Loan Account,ऋण खाता apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,संचयी क्षेत्र के लिए मान्य और मान्य फ़ील्ड तक अनिवार्य हैं +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","पंक्ति {1} पर आइटम {0} के लिए, सीरियल नंबरों की गिनती चुनी हुई मात्रा के साथ मेल नहीं खाती है" DocType: Purchase Invoice,GST Details,जीएसटी विवरण apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,यह इस हेल्थकेयर प्रैक्टिशनर के खिलाफ लेनदेन पर आधारित है। apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},आपूर्तिकर्ता के लिए भेजा ईमेल {0} @@ -5117,6 +5184,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),पैकेज के कुल वजन. आमतौर पर शुद्ध + वजन पैकेजिंग सामग्री के वजन. (प्रिंट के लिए) DocType: Assessment Plan,Program,कार्यक्रम DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,इस भूमिका के साथ उपयोक्ता जमे हुए खातों के खिलाफ लेखांकन प्रविष्टियों को संशोधित / जमे हुए खातों सेट और बनाने के लिए अनुमति दी जाती है +DocType: Plaid Settings,Plaid Environment,प्लेड एनवायरनमेंट ,Project Billing Summary,प्रोजेक्ट बिलिंग सारांश DocType: Vital Signs,Cuts,कटौती DocType: Serial No,Is Cancelled,क्या Cancelled @@ -5178,7 +5246,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,नोट : सिस्टम मद के लिए वितरण और अधिक से अधिक बुकिंग की जांच नहीं करेगा {0} मात्रा या राशि के रूप में 0 है DocType: Issue,Opening Date,तिथि खुलने की apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,कृपया पहले मरीज को बचाएं -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,नया संपर्क बनाएं apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,उपस्थिति सफलतापूर्वक अंकित की गई है। DocType: Program Enrollment,Public Transport,सार्वजनिक परिवाहन DocType: Sales Invoice,GST Vehicle Type,जीएसटी वाहन प्रकार @@ -5204,6 +5271,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,विध DocType: POS Profile,Write Off Account,ऑफ खाता लिखें DocType: Patient Appointment,Get prescribed procedures,निर्धारित प्रक्रियाएं प्राप्त करें DocType: Sales Invoice,Redemption Account,रिडेम्प्शन खाता +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,आइटम स्थान तालिका में पहले आइटम जोड़ें DocType: Pricing Rule,Discount Amount,छूट राशि DocType: Pricing Rule,Period Settings,अवधि सेटिंग्स DocType: Purchase Invoice,Return Against Purchase Invoice,के खिलाफ खरीद चालान लौटें @@ -5236,7 +5304,6 @@ DocType: Assessment Plan,Assessment Plan,आकलन योजना DocType: Travel Request,Fully Sponsored,पूरी तरह से प्रायोजित apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,रिवर्स जर्नल एंट्री apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,जॉब कार्ड बनाएं -DocType: Shift Type,Consequence after,परिणाम के बाद DocType: Quality Procedure Process,Process Description,प्रक्रिया वर्णन apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ग्राहक {0} बनाया गया है apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,वर्तमान में किसी भी गोदाम में कोई स्टॉक उपलब्ध नहीं है @@ -5271,6 +5338,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,क्लीयरेंस DocType: Delivery Settings,Dispatch Notification Template,प्रेषण अधिसूचना टेम्पलेट apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,आकलन रिपोर्ट apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,कर्मचारी प्राप्त करें +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,जानकारी पता करने के लिए @@ -5364,7 +5432,6 @@ DocType: Stock Settings,Use Naming Series,नामकरण श्रृंख apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,कोई कार्रवाई नहीं apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,मूल्यांकन प्रकार के आरोप समावेशी के रूप में चिह्नित नहीं कर सकता DocType: POS Profile,Update Stock,स्टॉक अद्यतन -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,मदों के लिए अलग UOM गलत ( कुल ) नेट वजन मूल्य को बढ़ावा मिलेगा. प्रत्येक आइटम का शुद्ध वजन ही UOM में है कि सुनिश्चित करें. DocType: Certification Application,Payment Details,भुगतान विवरण apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,बीओएम दर @@ -5399,7 +5466,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,यह एक रूट बिक्री व्यक्ति है और संपादित नहीं किया जा सकता है . DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","यदि चयनित हो, तो इस घटक में निर्दिष्ट या गणना किए गए मूल्य आय या कटौती में योगदान नहीं देगा। हालांकि, इसका मूल्य अन्य घटकों द्वारा संदर्भित किया जा सकता है जिसे जोड़ा या घटाया जा सकता है" -DocType: Asset Settings,Number of Days in Fiscal Year,वित्तीय वर्ष में दिनों की संख्या ,Stock Ledger,स्टॉक लेजर DocType: Company,Exchange Gain / Loss Account,मुद्रा लाभ / हानि खाता DocType: Amazon MWS Settings,MWS Credentials,एमडब्ल्यूएस प्रमाण पत्र @@ -5434,6 +5500,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,बैंक फ़ाइल में कॉलम apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},आवेदन {0} छात्र के खिलाफ पहले से मौजूद है {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,सामग्री के सभी बिल में नवीनतम मूल्य को अद्यतन करने के लिए कतारबद्ध इसमें कुछ मिनट लग सकते हैं +DocType: Pick List,Get Item Locations,आइटम स्थान प्राप्त करें apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,नए खाते का नाम। नोट: ग्राहकों और आपूर्तिकर्ताओं के लिए खातों मत बनाएँ DocType: POS Profile,Display Items In Stock,स्टॉक में आइटम प्रदर्शित करें apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,देश बुद्धिमान डिफ़ॉल्ट पता टेम्पलेट्स @@ -5457,6 +5524,7 @@ DocType: Crop,Materials Required,सामग्री की आवश्यक apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,कोई छात्र नहीं मिले DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,मासिक एचआरए छूट DocType: Clinical Procedure,Medical Department,चिकित्सा विभाग +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,कुल प्रारंभिक निकास DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,आपूर्तिकर्ता स्कोरकार्ड स्कोरिंग मानदंड apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,चालान पोस्ट दिनांक apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,बेचना @@ -5468,11 +5536,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी {0} \ _ हटाएं" DocType: Program Enrollment,School House,स्कूल हाउस DocType: Serial No,Out of AMC,एएमसी के बाहर DocType: Opportunity,Opportunity Amount,अवसर राशि +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,आपकी रूपरेखा apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,बुक depreciations की संख्या कुल depreciations की संख्या से अधिक नहीं हो सकता DocType: Purchase Order,Order Confirmation Date,आदेश पुष्टिकरण तिथि DocType: Driver,HR-DRI-.YYYY.-,मानव संसाधन-डीआरआई-.YYYY.- @@ -5566,7 +5633,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","दर, शेयरों की संख्या और गणना की गई राशि के बीच विसंगतियां हैं" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,आप क्षतिपूर्ति छुट्टी अनुरोध दिनों के बीच पूरे दिन मौजूद नहीं हैं apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,फिर से लिखें कंपनी के नाम की पुष्टि के लिए कृपया -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,कुल बकाया राशि DocType: Journal Entry,Printing Settings,मुद्रण सेटिंग्स DocType: Payment Order,Payment Order Type,भुगतान आदेश प्रकार DocType: Employee Advance,Advance Account,एडवांस अकाउंट @@ -5655,7 +5721,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,वर्ष नाम apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,इस महीने के दिन काम की तुलना में अधिक छुट्टियां कर रहे हैं . apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,निम्नलिखित आइटम {0} को {1} आइटम के रूप में चिह्नित नहीं किया गया है। आप उन्हें अपने आइटम मास्टर से {1} आइटम के रूप में सक्षम कर सकते हैं -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,पीडीसी / एलसी रेफरी DocType: Production Plan Item,Product Bundle Item,उत्पाद बंडल आइटम DocType: Sales Partner,Sales Partner Name,बिक्री भागीदार नाम apps/erpnext/erpnext/hooks.py,Request for Quotations,कोटेशन के लिए अनुरोध @@ -5664,19 +5729,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,सामान्य टेस्ट आइटम DocType: QuickBooks Migrator,Company Settings,कंपनी सेटिंग्स DocType: Additional Salary,Overwrite Salary Structure Amount,वेतन संरचना राशि ओवरराइट करें -apps/erpnext/erpnext/config/hr.py,Leaves,पत्ते +DocType: Leave Ledger Entry,Leaves,पत्ते DocType: Student Language,Student Language,छात्र भाषा DocType: Cash Flow Mapping,Is Working Capital,कार्यशील पूंजी है apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,प्रमाण प्रस्तुत करें apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,आदेश / दाएं% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,रिकॉर्ड रोगी Vitals DocType: Fee Schedule,Institution,संस्था -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: Asset,Partially Depreciated,आंशिक रूप से घिस DocType: Issue,Opening Time,समय खुलने की apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,दिनांक से और apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,प्रतिभूति एवं कमोडिटी एक्सचेंजों -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},{0}: {1} द्वारा सारांश को कॉल करें apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,डॉक्स खोज apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',संस्करण के लिए उपाय की मूलभूत इकाई '{0}' खाका के रूप में ही होना चाहिए '{1}' DocType: Shipping Rule,Calculate Based On,के आधार पर गणना करें @@ -5722,6 +5785,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,अधिकतम स्वीकार्य मूल्य DocType: Journal Entry Account,Employee Advance,कर्मचारी अग्रिम DocType: Payroll Entry,Payroll Frequency,पेरोल आवृत्ति +DocType: Plaid Settings,Plaid Client ID,ग्राहक आईडी DocType: Lab Test Template,Sensitivity,संवेदनशीलता DocType: Plaid Settings,Plaid Settings,प्लेड सेटिंग्स apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,सिंक अस्थायी रूप से अक्षम कर दिया गया है क्योंकि अधिकतम प्रतियां पार हो गई हैं @@ -5739,6 +5803,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,पहली पोस्टिंग तिथि का चयन करें apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,दिनांक खोलने की तिथि बंद करने से पहले किया जाना चाहिए DocType: Travel Itinerary,Flight,उड़ान +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,घर वापिस जा रहा हूँ DocType: Leave Control Panel,Carry Forward,आगे ले जाना apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,मौजूदा लेनदेन के साथ लागत केंद्र लेज़र परिवर्तित नहीं किया जा सकता है DocType: Budget,Applicable on booking actual expenses,वास्तविक खर्च बुकिंग पर लागू @@ -5794,6 +5859,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,कोटेशन apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,आप ब्लॉक तारीखों पर पत्तियों को मंजूरी के लिए अधिकृत नहीं हैं apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} {1} के लिए अनुरोध apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,इन सभी मदों पहले से चालान कर दिया गया है +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,{0} {1} के लिए कोई बकाया चालान नहीं मिला है जो आपके द्वारा निर्दिष्ट फिल्टर को योग्य बनाता है। apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,नई रिलीज दिनांक सेट करें DocType: Company,Monthly Sales Target,मासिक बिक्री लक्ष्य apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,कोई बकाया चालान नहीं मिला @@ -5840,6 +5906,7 @@ DocType: Water Analysis,Type of Sample,नमूना का प्रकार DocType: Batch,Source Document Name,स्रोत दस्तावेज़ का नाम DocType: Production Plan,Get Raw Materials For Production,कच्चे माल के लिए उत्पादन प्राप्त करें DocType: Job Opening,Job Title,कार्य शीर्षक +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,भविष्य का भुगतान रेफरी apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} इंगित करता है कि {1} कोई उद्धरण नहीं प्रदान करेगा, लेकिन सभी वस्तुओं को उद्धृत किया गया है। आरएफक्यू कोटेशन स्थिति को अद्यतन करना" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,अधिकतम नमूनों - {0} बैच {1} और वस्तु {2} बैच {3} में पहले से ही बनाए गए हैं @@ -5850,12 +5917,10 @@ 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: Company,Product Code,उत्पाद कोड DocType: Quality Review Table,Objective,लक्ष्य DocType: Supplier Scorecard,Per Month,प्रति माह DocType: Education Settings,Make Academic Term Mandatory,अकादमिक टर्म अनिवार्य बनाओ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,निर्माण करने के लिए मात्रा 0 से अधिक होना चाहिए। -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,वित्तीय वर्ष के आधार पर प्रत्याशित मूल्यह्रास अनुसूची की गणना करें +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,निर्माण करने के लिए मात्रा 0 से अधिक होना चाहिए। apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,रखरखाव कॉल के लिए रिपोर्ट पर जाएँ. DocType: Stock Entry,Update Rate and Availability,अद्यतन दर और उपलब्धता 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 इकाइयों को प्राप्त करने के लिए अनुमति दी जाती है. @@ -5866,7 +5931,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,रिलीज की तारीख भविष्य में होनी चाहिए DocType: BOM,Website Description,वेबसाइट विवरण apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,इक्विटी में शुद्ध परिवर्तन -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,चालान की खरीद {0} को रद्द कृपया पहले apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,अनुमति नहीं। कृपया सेवा इकाई प्रकार को अक्षम करें apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","ईमेल एड्रेस अद्वितीय होना चाहिए, पहले से ही के लिए मौजूद है {0}" DocType: Serial No,AMC Expiry Date,एएमसी समाप्ति तिथि @@ -5909,6 +5973,7 @@ DocType: Pricing Rule,Price Discount Scheme,मूल्य छूट योज apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,रखरखाव स्थिति को रद्द करने या प्रस्तुत करने के लिए पूरा किया जाना चाहिए DocType: Amazon MWS Settings,US,अमेरिका DocType: Holiday List,Add Weekly Holidays,साप्ताहिक छुट्टियां जोड़ें +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,वस्तु की सूचना DocType: Staffing Plan Detail,Vacancies,रिक्तियां DocType: Hotel Room,Hotel Room,होटल का कमरा apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},खाता {0} करता है कंपनी के अंतर्गत आता नहीं {1} @@ -5960,12 +6025,15 @@ DocType: Email Digest,Open Quotations,खुले कोटेशन 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","कृपया इस दस्तावेज़ को रद्द करने के लिए कर्मचारी {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,मूल राशि @@ -5979,6 +6047,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,रिक्त DocType: Patient,Alcohol Past Use,शराब विगत का प्रयोग करें DocType: Fertilizer Content,Fertilizer Content,उर्वरक सामग्री +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,कोई विवरण नहीं apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,सीआर DocType: Tax Rule,Billing State,बिलिंग राज्य DocType: Quality Goal,Monitoring Frequency,निगरानी की आवृत्ति @@ -5996,6 +6065,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,समाप्त तिथि पर अगला संपर्क तिथि से पहले नहीं हो सकता। apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,बैच प्रविष्टियाँ DocType: Journal Entry,Pay To / Recd From,/ रिसी डी से भुगतान +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,अप्रकाशित वस्तु DocType: Naming Series,Setup Series,सेटअप सीरीज DocType: Payment Reconciliation,To Invoice Date,दिनांक चालान करने के लिए DocType: Bank Account,Contact HTML,संपर्क HTML @@ -6017,6 +6087,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,खुदरा DocType: Student Attendance,Absent,अनुपस्थित DocType: Staffing Plan,Staffing Plan Detail,स्टाफिंग योजना विवरण DocType: Employee Promotion,Promotion Date,पदोन्नति की तारीख +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,आबंटन आबंटन% s लीव एप्लीकेशन% s के साथ जुड़ा हुआ है 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} @@ -6051,9 +6122,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,चालान {0} अब मौजूद नहीं है DocType: Guardian Interest,Guardian Interest,गार्जियन ब्याज DocType: Volunteer,Availability,उपलब्धता +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,छुट्टी का आवेदन छुट्टी आवंटन {0} के साथ जुड़ा हुआ है। वेतन के बिना अवकाश आवेदन को निर्धारित नहीं किया जा सकता है apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,पीओएस इनवॉइस के लिए डिफ़ॉल्ट मान सेट करें DocType: Employee Training,Training,प्रशिक्षण DocType: Project,Time to send,भेजने के लिए समय +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,यह पृष्ठ आपकी वस्तुओं पर नज़र रखता है जिसमें खरीदारों ने कुछ रुचि दिखाई है। 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,गार्डियन 1 ईमेल आईडी @@ -6149,12 +6222,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,उद्घाटन मूल्य DocType: Salary Component,Formula,सूत्र apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,सीरियल # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन> HR सेटिंग्स में कर्मचारी नामकरण प्रणाली सेटअप करें 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/setup/doctype/company/company.py,Sales Account,विक्रय खाता DocType: Purchase Invoice Item,Total Weight,कुल वजन +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}" @@ -6178,6 +6251,7 @@ DocType: Company,Default Employee Advance Account,डिफ़ॉल्ट क apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),खोज आइटम (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,एसीसी-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,मौजूदा लेन - देन के साथ खाता हटाया नहीं जा सकता +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,इस आइटम को क्यों हटाया जाना चाहिए? DocType: Vehicle,Last Carbon Check,अंतिम कार्बन चेक apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,विधि व्यय apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,कृपया पंक्ति पर मात्रा का चयन करें @@ -6197,6 +6271,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,भंग DocType: Travel Itinerary,Vegetarian,शाकाहारी DocType: Patient Encounter,Encounter Date,मुठभेड़ की तारीख +DocType: Work Order,Update Consumed Material Cost In Project,परियोजना में उपभोग की गई सामग्री की लागत अपडेट करें apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,खाता: {0} मुद्रा के साथ: {1} चयनित नहीं किया जा सकता DocType: Bank Statement Transaction Settings Item,Bank Data,बैंक डेटा DocType: Purchase Receipt Item,Sample Quantity,नमूना मात्रा @@ -6251,7 +6326,7 @@ DocType: GSTR 3B Report,April,अप्रैल DocType: Plant Analysis,Collection Datetime,संग्रह डेटटाइम DocType: Asset Repair,ACC-ASR-.YYYY.-,एसीसी-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,कुल परिचालन लागत -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,नोट : आइटम {0} कई बार प्रवेश किया +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,नोट : आइटम {0} कई बार प्रवेश किया apps/erpnext/erpnext/config/buying.py,All Contacts.,सभी संपर्क. DocType: Accounting Period,Closed Documents,बंद दस्तावेज DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,नियुक्ति चालान प्रबंधित करें रोगी Encounter के लिए स्वचालित रूप से सबमिट और रद्द करें @@ -6333,9 +6408,7 @@ DocType: Member,Membership Type,सदस्यता वर्ग ,Reqd By Date,तिथि reqd apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,लेनदारों DocType: Assessment Plan,Assessment Name,आकलन नाम -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,प्रिंट में पीडीसी दिखाएं apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,पंक्ति # {0}: सीरियल नहीं अनिवार्य है -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,{0} {1} के लिए कोई बकाया चालान नहीं मिला। DocType: Purchase Taxes and Charges,Item Wise Tax Detail,मद वार कर विस्तार से DocType: Employee Onboarding,Job Offer,नौकरी का प्रस्ताव apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,संस्थान संक्षिप्त @@ -6394,6 +6467,7 @@ DocType: Serial No,Out of Warranty,वारंटी के बाहर DocType: Bank Statement Transaction Settings Item,Mapped Data Type,मैप किए गए डेटा प्रकार DocType: BOM Update Tool,Replace,बदलें apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,कोई उत्पाद नहीं मिला +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,अधिक आइटम प्रकाशित करें apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},यह सेवा स्तर समझौता ग्राहक {0} के लिए विशिष्ट है apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} बिक्री चालान के खिलाफ {1} DocType: Antibiotic,Laboratory User,प्रयोगशाला उपयोगकर्ता @@ -6416,7 +6490,6 @@ DocType: Payment Order Reference,Bank Account Details,बैंक खाता DocType: Purchase Order Item,Blanket Order,कंबल का क्रम 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,कर संपत्ति -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},उत्पादन आदेश {0} हो गया है DocType: BOM Item,BOM No,नहीं बीओएम 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,चलायमान औसत @@ -6489,6 +6562,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),बाहरी कर योग्य आपूर्ति (शून्य रेटेड) DocType: BOM,Materials Required (Exploded),माल आवश्यक (विस्फोट) 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/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,पोस्ट दिनांक भविष्य की तारीख नहीं किया जा सकता @@ -6546,7 +6620,6 @@ DocType: Pricing Rule,Same Item,समान आइटम DocType: Stock Ledger Entry,Stock Ledger Entry,स्टॉक खाता प्रविष्टि DocType: Quality Action Resolution,Quality Action Resolution,गुणवत्ता कार्रवाई संकल्प apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} आधा दिन छुट्टी पर {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,एक ही आइटम कई बार दर्ज किया गया है DocType: Department,Leave Block List,ब्लॉक सूची छोड़ दो DocType: Purchase Invoice,Tax ID,टैक्स आईडी apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,आइटम {0} सीरियल नग स्तंभ के लिए सेटअप रिक्त होना चाहिए नहीं है @@ -6584,7 +6657,7 @@ 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} अक्षम है या मौजूद नहीं है DocType: Purchase Invoice,Return,वापसी -DocType: Accounting Dimension,Disable,असमर्थ +DocType: Account,Disable,असमर्थ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,भुगतान की विधि भुगतान करने के लिए आवश्यक है DocType: Task,Pending Review,समीक्षा के लिए लंबित apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","संपत्ति, सीरियल नंबर, बैचों आदि जैसे अधिक विकल्पों के लिए पूर्ण पृष्ठ में संपादित करें।" @@ -6697,7 +6770,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,एसीसी-एसएच .YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,संयुक्त चालान भाग 100% के बराबर होना चाहिए DocType: Item Default,Default Expense Account,डिफ़ॉल्ट व्यय खाते DocType: GST Account,CGST Account,सीजीएसटी खाता -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,छात्र ईमेल आईडी DocType: Employee,Notice (days),सूचना (दिन) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,पीओएस बंद वाउचर चालान @@ -6708,6 +6780,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,चालान बचाने के लिए आइटम का चयन करें DocType: Employee,Encashment Date,नकदीकरण तिथि DocType: Training Event,Internet,इंटरनेट +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,विक्रेता जानकारी DocType: Special Test Template,Special Test Template,विशेष टेस्ट टेम्प्लेट DocType: Account,Stock Adjustment,शेयर समायोजन apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},डिफ़ॉल्ट गतिविधि लागत गतिविधि प्रकार के लिए मौजूद है - {0} @@ -6719,7 +6792,6 @@ 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,दोनों परीक्षण अवधि प्रारंभ तिथि और परीक्षण अवधि समाप्ति तिथि निर्धारित की जानी चाहिए -DocType: Company,Bank Remittance Settings,बैंक प्रेषण सेटिंग्स apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,सामान्य दर 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","ग्राहक प्रदान की गई वस्तु" में मूल्यांकन दर नहीं हो सकती है @@ -6747,6 +6819,7 @@ DocType: Grading Scale Interval,Threshold,डेवढ़ी apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),फ़िल्टर कर्मचारी द्वारा (वैकल्पिक) DocType: BOM Update Tool,Current BOM,वर्तमान बीओएम apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),बैलेंस (डॉ - सीआर) +DocType: Pick List,Qty of Finished Goods Item,तैयार माल की मात्रा apps/erpnext/erpnext/public/js/utils.js,Add Serial No,धारावाहिक नहीं जोड़ें DocType: Work Order Item,Available Qty at Source Warehouse,स्रोत वेयरहाउस पर उपलब्ध मात्रा apps/erpnext/erpnext/config/support.py,Warranty,गारंटी @@ -6825,7 +6898,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","यहाँ आप ऊंचाई, वजन, एलर्जी, चिकित्सा चिंताओं आदि बनाए रख सकते हैं" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,खाते बनाना ... DocType: Leave Block List,Applies to Company,कंपनी के लिए लागू होता है -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"प्रस्तुत स्टॉक एंट्री {0} मौजूद है , क्योंकि रद्द नहीं कर सकते" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"प्रस्तुत स्टॉक एंट्री {0} मौजूद है , क्योंकि रद्द नहीं कर सकते" DocType: Loan,Disbursement Date,संवितरण की तारीख DocType: Service Level Agreement,Agreement Details,अनुबंध विवरण apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,"अनुबंध की प्रारंभ तिथि, समाप्ति तिथि से अधिक या उसके बराबर नहीं हो सकती।" @@ -6834,6 +6907,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,मेडिकल रिकॉर्ड DocType: Vehicle,Vehicle,वाहन DocType: Purchase Invoice,In Words,शब्दों में +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,आज तक तारीख से पहले की जरूरत है apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,जमा करने से पहले बैंक या उधार संस्था का नाम दर्ज करें। apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} को प्रस्तुत करना होगा DocType: POS Profile,Item Groups,मद समूह @@ -6905,7 +6979,6 @@ DocType: Customer,Sales Team Details,बिक्री टीम विवर apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,स्थायी रूप से हटाना चाहते हैं? DocType: Expense Claim,Total Claimed Amount,कुल दावा किया राशि apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,बेचने के लिए संभावित अवसरों. -DocType: Plaid Settings,Link a new bank account,एक नया बैंक खाता लिंक करें apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} एक अमान्य उपस्थिति स्थिति है। DocType: Shareholder,Folio no.,फ़ोलियो नो apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},अमान्य {0} @@ -6921,7 +6994,6 @@ DocType: Production Plan,Material Requested,अनुरोधित साम DocType: Warehouse,PIN,पिन DocType: Bin,Reserved Qty for sub contract,उप अनुबंध के लिए आरक्षित मात्रा DocType: Patient Service Unit,Patinet Service Unit,पेटीनेट सर्विस यूनिट -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,टेक्स्ट फ़ाइल जनरेट करें DocType: Sales Invoice,Base Change Amount (Company Currency),बेस परिवर्तन राशि (कंपनी मुद्रा) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,निम्नलिखित गोदामों के लिए कोई लेखा प्रविष्टियों apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},आइटम {1} के लिए स्टॉक में केवल {0} @@ -6935,6 +7007,7 @@ DocType: Item,No of Months,महीने का नहीं DocType: Item,Max Discount (%),अधिकतम डिस्काउंट (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,क्रेडिट दिन एक ऋणात्मक संख्या नहीं हो सकते apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,एक बयान अपलोड करें +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,इस मद की रिपोर्ट करें DocType: Purchase Invoice Item,Service Stop Date,सेवा रोक तिथि apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,अंतिम आदेश राशि DocType: Cash Flow Mapper,e.g Adjustments for:,उदाहरण के लिए समायोजन: @@ -7028,16 +7101,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,कर्मचारी कर छूट श्रेणी apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,राशि शून्य से कम नहीं होनी चाहिए। DocType: Sales Invoice,C-Form Applicable,लागू सी फार्म -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},आपरेशन के समय ऑपरेशन के लिए 0 से अधिक होना चाहिए {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},आपरेशन के समय ऑपरेशन के लिए 0 से अधिक होना चाहिए {0} DocType: Support Search Source,Post Route String,पोस्ट रूट स्ट्रिंग apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,गोदाम अनिवार्य है apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,वेबसाइट बनाने में विफल DocType: Soil Analysis,Mg/K,मिलीग्राम / कश्मीर DocType: UOM Conversion Detail,UOM Conversion Detail,UOM रूपांतरण विस्तार apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,प्रवेश और नामांकन -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,प्रतिधारण स्टॉक प्रविष्टि पहले से निर्मित या नमूना मात्रा नहीं प्रदान की गई +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,प्रतिधारण स्टॉक प्रविष्टि पहले से निर्मित या नमूना मात्रा नहीं प्रदान की गई DocType: Program,Program Abbreviation,कार्यक्रम संक्षिप्त -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,उत्पादन का आदेश एक आइटम टेम्पलेट के खिलाफ उठाया नहीं जा सकता apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),वाउचर द्वारा समूह (समेकित) DocType: HR Settings,Encrypt Salary Slips in Emails,ईमेल में वेतन पर्ची एन्क्रिप्ट करें DocType: Question,Multiple Correct Answer,एकाधिक सही उत्तर @@ -7084,7 +7156,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,शून्य रे DocType: Employee,Educational Qualification,शैक्षिक योग्यता DocType: Workstation,Operating Costs,परिचालन लागत apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},मुद्रा {0} के लिए होना चाहिए {1} -DocType: Employee Checkin,Entry Grace Period Consequence,प्रवेश काल अवधि परिणाम DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,इस शिफ्ट के लिए नियुक्त कर्मचारियों के लिए 'कर्मचारी चेकइन' पर आधारित मार्क अटेंडेंस। DocType: Asset,Disposal Date,निपटान की तिथि DocType: Service Level,Response and Resoution Time,प्रतिक्रिया और परिणाम समय @@ -7132,6 +7203,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,पूरा करने की तिथि DocType: Purchase Invoice Item,Amount (Company Currency),राशि (कंपनी मुद्रा) DocType: Program,Is Featured,चित्रित है +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ला रहा है ... DocType: Agriculture Analysis Criteria,Agriculture User,कृषि उपयोगकर्ता apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,आज तक वैध लेनदेन की तारीख से पहले नहीं हो सकता 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} इस सौदे को पूरा करने के लिए की इकाइयों। @@ -7163,7 +7235,6 @@ DocType: Student,B+,बी + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,कुल भुगतान राशि 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,जीएसटी मदरहित बिक्री रजिस्टर @@ -7187,6 +7258,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,गुमन apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,से प्राप्त DocType: Lead,Converted,परिवर्तित DocType: Item,Has Serial No,नहीं सीरियल गया है +DocType: Stock Entry Detail,PO Supplied Item,PO आपूर्ति की गई वस्तु 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} @@ -7301,7 +7373,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,सिंच कर और 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,{0} नहीं मिला डिफ़ॉल्ट बीओएम +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}: पुनःक्रमित मात्रा सेट करें apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,उन्हें यहां जोड़ने के लिए आइटम टैप करें @@ -7335,7 +7407,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,रखरखाव तिथि DocType: Purchase Invoice Item,Rejected Serial No,अस्वीकृत धारावाहिक नहीं apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,साल शुरू की तारीख या अंत की तारीख {0} के साथ अतिव्यापी है। से बचने के लिए कंपनी सेट करें -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग श्रृंखला के माध्यम से उपस्थिति के लिए क्रमांकन श्रृंखला की स्थापना करें apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},लीड में लीड नाम का उल्लेख करें {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},प्रारंभ तिथि मद के लिए समाप्ति तिथि से कम होना चाहिए {0} DocType: Shift Type,Auto Attendance Settings,ऑटो उपस्थिति सेटिंग्स @@ -7346,9 +7417,11 @@ DocType: Upload Attendance,Upload Attendance,उपस्थिति अपल apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,बीओएम और विनिर्माण मात्रा की आवश्यकता होती है apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,बूढ़े रेंज 2 DocType: SG Creation Tool Course,Max Strength,मैक्स शक्ति +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","खाता {0} पहले से ही चाइल्ड कंपनी {1} में मौजूद है। निम्नलिखित क्षेत्रों के अलग-अलग मूल्य हैं, वे समान होने चाहिए:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,प्रीसेट स्थापित करना DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-एफएसएच-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},ग्राहक के लिए कोई डिलिवरी नोट चयनित नहीं है {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},पंक्तियों को {0} में जोड़ा गया apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,कर्मचारी {0} में अधिकतम लाभ राशि नहीं है apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,डिलीवरी तिथि के आधार पर आइटम चुनें DocType: Grant Application,Has any past Grant Record,किसी भी पिछले अनुदान रिकॉर्ड है @@ -7392,6 +7465,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,छात्र विवरण DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",यह आइटम और बिक्री आदेशों के लिए उपयोग किया जाने वाला डिफ़ॉल्ट UOM है। फॉलबैक UOM "Nos" है। DocType: Purchase Invoice Item,Stock Qty,स्टॉक मात्रा +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,डिफ़ॉल्ट शिपिंग खाता DocType: Loan,Repayment Period in Months,महीने में चुकाने की अवधि @@ -7420,6 +7494,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise डिस्क apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,कार्यों के लिए समय पत्रक। DocType: Purchase Invoice,Against Expense Account,व्यय खाते के खिलाफ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,स्थापना नोट {0} पहले से ही प्रस्तुत किया गया है +DocType: BOM,Raw Material Cost (Company Currency),कच्चा माल लागत (कंपनी मुद्रा) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},{0} के साथ ओवरलैपिंग के लिए किराए के दिनों का भुगतान DocType: GSTR 3B Report,October,अक्टूबर DocType: Bank Reconciliation,Get Payment Entries,भुगतान प्रविष्टियां प्राप्त @@ -7466,15 +7541,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,उपयोग की तारीख के लिए उपलब्ध है DocType: Request for Quotation,Supplier Detail,प्रदायक विस्तार apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},सूत्र या हालत में त्रुटि: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,चालान राशि +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,चालान राशि apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,मानदंड का भार 100% तक जोड़ना चाहिए apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,उपस्थिति apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,स्टॉक आइटम DocType: Sales Invoice,Update Billed Amount in Sales Order,बिक्री आदेश में बिल की गई राशि अपडेट करें +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,विक्रेता से संपर्क करें 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,कृपया इस आइटम की रिपोर्ट करने के लिए बाज़ार उपयोगकर्ता के रूप में लॉगिन करें। ,Sales Partner Commission Summary,बिक्री भागीदार आयोग सारांश ,Item Prices,आइटम के मूल्य DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,एक बार जब आप खरीद आदेश सहेजें शब्दों में दिखाई जाएगी। @@ -7488,6 +7565,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,मूल्य सूची मास्टर . DocType: Task,Review Date,तिथि की समीक्षा DocType: BOM,Allow Alternative Item,वैकल्पिक आइटम की अनुमति दें +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,खरीद रसीद में कोई भी आइटम नहीं है जिसके लिए रिटेन नमूना सक्षम है। apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,इनवॉइस ग्रैंड टोटल DocType: Company,Series for Asset Depreciation Entry (Journal Entry),एसेट डिस्पैमिशन एंट्री के लिए सीरीज़ (जर्नल एंट्री) DocType: Membership,Member Since,से सदस्ये @@ -7497,6 +7575,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,नेट कुल 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: Pricing Rule,Product Discount Scheme,उत्पाद छूट योजना +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,कॉलर द्वारा कोई मुद्दा नहीं उठाया गया है। DocType: Restaurant Reservation,Waitlisted,प्रतीक्षा सूची DocType: Employee Tax Exemption Declaration Category,Exemption Category,छूट श्रेणी apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,मुद्रा कुछ अन्य मुद्रा का उपयोग प्रविष्टियों करने के बाद बदला नहीं जा सकता @@ -7510,7 +7589,6 @@ DocType: Customer Group,Parent Customer Group,माता - पिता ग् apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ई-वे बिल JSON केवल बिक्री चालान से उत्पन्न किया जा सकता है apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,इस क्विज़ के लिए अधिकतम प्रयास पहुंचे! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,अंशदान -DocType: Purchase Invoice,Contact Email,संपर्क ईमेल apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,शुल्क निर्माण लंबित DocType: Project Template Task,Duration (Days),अवधि (दिन) DocType: Appraisal Goal,Score Earned,स्कोर अर्जित @@ -7535,7 +7613,6 @@ DocType: Landed Cost Item,Landed Cost Item,आयातित माल की 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","एकल लेनदेन के लिए राशि अधिकतम अनुमत राशि से अधिक है, लेनदेन को विभाजित करके एक अलग भुगतान आदेश बनाएं" DocType: Service Level Agreement,Entity,सत्ता DocType: Payment Reconciliation,Receivable / Payable Account,प्राप्य / देय खाता DocType: Delivery Note Item,Against Sales Order Item,बिक्री आदेश आइटम के खिलाफ @@ -7703,6 +7780,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,उ DocType: Quality Inspection Reading,Reading 3,3 पढ़ना DocType: Stock Entry,Source Warehouse Address,स्रोत वेयरहाउस पता DocType: GL Entry,Voucher Type,वाउचर प्रकार +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,भविष्य का भुगतान 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 ,आख़िरी गतिविधि @@ -7729,6 +7807,7 @@ 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,ग्राहक जीएसटीआईएन DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,मैदान पर पाए गए रोगों की सूची जब यह चुना जाता है तो यह बीमारी से निपटने के लिए स्वचालित रूप से कार्यों की एक सूची जोड़ देगा +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,बोम १ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,यह एक रूट हेल्थकेयर सेवा इकाई है और इसे संपादित नहीं किया जा सकता है। DocType: Asset Repair,Repair Status,स्थिति की मरम्मत apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","निवेदित मात्रा: मात्रा का आदेश दिया खरीद के लिए अनुरोध किया , लेकिन नहीं ." @@ -7743,6 +7822,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,राशि परिवर्तन के लिए खाता DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks से कनेक्ट हो रहा है DocType: Exchange Rate Revaluation,Total Gain/Loss,कुल लाभ / हानि +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,पिक लिस्ट बनाएं apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},पंक्ति {0}: पार्टी / खाते के साथ मैच नहीं करता है {1} / {2} में {3} {4} DocType: Employee Promotion,Employee Promotion,कर्मचारी संवर्धन DocType: Maintenance Team Member,Maintenance Team Member,रखरखाव टीम सदस्य @@ -7825,6 +7905,7 @@ 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,परिसंपत्ति वर्ग है apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,शुद्ध भुगतान नकारात्मक नहीं हो सकता @@ -7856,7 +7937,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,गुणवत्ता लक्ष्य DocType: BOM,Item to be manufactured or repacked,आइटम निर्मित किया जा या repacked apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},स्थिति में सिंटेक्स त्रुटि: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,ग्राहक द्वारा कोई मुद्दा नहीं उठाया गया। DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,मेजर / वैकल्पिक विषय apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,खरीद सेटिंग में प्रदायक समूह सेट करें। @@ -7949,8 +8029,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,क्रेडिट दिन apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,कृपया लैब टेस्ट प्राप्त करने के लिए रोगी का चयन करें DocType: Exotel Settings,Exotel Settings,दूरस्थ सेटिंग्स -DocType: Leave Type,Is Carry Forward,क्या आगे ले जाना +DocType: Leave Ledger Entry,Is Carry Forward,क्या आगे ले जाना DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),अनुपस्थित के नीचे काम के घंटे चिह्नित हैं। (निष्क्रिय करने के लिए शून्य) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,एक संदेश भेजें apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,बीओएम से आइटम प्राप्त 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,आयकर व्यय है diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index 4fcaa40488..c92a840f0e 100644 --- a/erpnext/translations/hr.csv +++ b/erpnext/translations/hr.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Obavijesti dobavljača apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Odaberite Party Tip prvi DocType: Item,Customer Items,Korisnički Stavke +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,pasiva DocType: Project,Costing and Billing,Obračun troškova i naplate apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Valuta unaprijed računa mora biti jednaka valuti tvrtke {0} DocType: QuickBooks Migrator,Token Endpoint,Endpoint Tokena @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Zadana mjerna jedinica DocType: SMS Center,All Sales Partner Contact,Kontakti prodajnog partnera DocType: Department,Leave Approvers,Osobe ovlaštene za odobrenje odsustva DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Stavke za pretraživanje ... DocType: Patient Encounter,Investigations,istraživanja DocType: Restaurant Order Entry,Click Enter To Add,Kliknite Unesi za dodavanje apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Nedostaje vrijednost za zaporku, API ključ ili Shopify URL" DocType: Employee,Rented,Iznajmljeno apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Svi računi apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Ne mogu prenijeti zaposlenika s statusom lijevo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zaustavljen Proizvodnja Red ne može biti otkazana, odčepiti najprije otkazati" DocType: Vehicle Service,Mileage,Kilometraža apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Da li zaista želite odbaciti ovu imovinu? DocType: Drug Prescription,Update Schedule,Ažuriraj raspored @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Kupac DocType: Purchase Receipt Item,Required By,Potrebna Do DocType: Delivery Note,Return Against Delivery Note,Povratak Protiv izdatnice DocType: Asset Category,Finance Book Detail,Financijska knjiga pojedinosti +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Sve su amortizacije knjižene DocType: Purchase Order,% Billed,% Naplaćeno apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Broj plaća apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Tečaj mora biti ista kao {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Hrpa Stavka isteka Status apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bank Nacrt DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Ukupno kasnih unosa DocType: Mode of Payment Account,Mode of Payment Account,Način plaćanja računa apps/erpnext/erpnext/config/healthcare.py,Consultation,Konzultacija DocType: Accounts Settings,Show Payment Schedule in Print,Prikaži raspored plaćanja u ispisu @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Na apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primarni podaci za kontakt apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Otvorena pitanja DocType: Production Plan Item,Production Plan Item,Proizvodnja plan artikla +DocType: Leave Ledger Entry,Leave Ledger Entry,Ostavite knjigu Ulaz apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Korisnik {0} već dodijeljena zaposlenika {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} polje je ograničeno na veličinu {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Mak DocType: Purchase Invoice Item,Item Weight Details,Detalji o težini stavke DocType: Asset Maintenance Log,Periodicity,Periodičnost apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Fiskalna godina {0} je potrebno +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Neto dobit / gubitak DocType: Employee Group Table,ERPNext User ID,ERPNext User ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Najmanja udaljenost između redova biljaka za optimalni rast apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Molimo odaberite Pacijent da biste dobili propisani postupak @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Cjenik prodaje DocType: Patient,Tobacco Current Use,Duhanska struja apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Stopa prodaje -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Spremite svoj dokument prije dodavanja novog računa 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Miro DocType: Exchange Rate Revaluation Account,Gain/Loss,Dobit / Gubitak DocType: Crop,Perennial,višegodišnji DocType: Program,Is Published,Objavljeno je +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Prikaži bilješke o isporuci apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Da biste omogućili prekomerno naplaćivanje, ažurirajte "Nadoplata za naplatu" u Postavkama računa ili Stavka." DocType: Patient Appointment,Procedure,Postupak DocType: Accounts Settings,Use Custom Cash Flow Format,Koristite prilagođeni format novčanog toka @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Ostavite pojedinosti o pravilima DocType: BOM,Item Image (if not slideshow),Slika proizvoda (ako nije slide prikaz) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Redak # {0}: Operacija {1} nije dovršena za {2} količinu gotovih proizvoda u radnom nalogu {3}. Ažurirajte status rada putem Job Card {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} je obvezan za generiranje plaćanja doznaka, postavite polje i pokušajte ponovo" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Broj sati / 60) * Stvarno trajanje operacije apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Redak # {0}: Referentni tip dokumenta mora biti jedan od zahtjeva za trošak ili unos dnevnika apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Odaberi BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Vrati Preko broj razdoblja apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Količina za proizvodnju ne može biti manja od Nula DocType: Stock Entry,Additional Costs,Dodatni troškovi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Grupa kupaca> Teritorij apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Račun s postojećom transakcijom ne može se pretvoriti u grupu. DocType: Lead,Product Enquiry,Upit DocType: Education Settings,Validate Batch for Students in Student Group,Validirati seriju za studente u grupi studenata @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Preddiplomski apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Postavite zadani predložak za Obavijest o statusu ostavite u HR postavkama. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Target Na DocType: BOM,Total Cost,Ukupan trošak +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Raspodjela je istekla! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maksimalno nose naprijed listove DocType: Salary Slip,Employee Loan,zaposlenik kredita DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Pošaljite e-poštu za zahtjev za plaćanjem @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Nekret apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Izjava o računu apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmaceutske DocType: Purchase Invoice Item,Is Fixed Asset,Je nepokretne imovine +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Prikaži buduće isplate DocType: Patient,HLC-PAT-.YYYY.-,FHP-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Taj je bankovni račun već sinkroniziran DocType: Homepage,Homepage Section,Odjeljak početne stranice @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,gnojivo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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. -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,potreban je najmanje jedan način plaćanja za POS računa. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Za serijsku stavku nije potreban broj serije {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Stavka transakcijske fakture bankovne izjave @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Odaberite Uvjeti apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Iz vrijednost DocType: Bank Statement Settings Item,Bank Statement Settings Item,Postavka bankovne izjave DocType: Woocommerce Settings,Woocommerce Settings,Postavke Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Naziv transakcije DocType: Production Plan,Sales Orders,Narudžbe kupca apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Korisnik je pronašao više programa lojalnosti. Odaberite ručno. DocType: Purchase Taxes and Charges,Valuation,Procjena @@ -460,6 +468,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Pokaži samo kupca ovih korisničkih grupa DocType: Sales Invoice,Is Opening Entry,je početni unos @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Spomenuti ako nestandardni potraživanja računa primjenjivo 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 DocType: Supplier Scorecard,Criteria Setup,Postavljanje kriterija -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Jer je potrebno Warehouse prije Podnijeti +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 DocType: Codification Table,Medical Code,Medicinski kodeks apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Spojite Amazon s ERPNextom @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Dodani su bankovni računi -DocType: Delivery Stop,Contact Name,Kontakt ime +DocType: Call Log,Contact Name,Kontakt ime DocType: Plaid Settings,Synchronize all accounts every hour,Sinkronizirajte sve račune na svakih sat vremena DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteriji za procjenu predmeta DocType: Pricing Rule Detail,Rule Applied,Pravilo se primjenjuje @@ -529,7 +539,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Nepoznati broj DocType: Website Filter Field,Website Filter Field,Polje filtra web mjesta apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Vrsta napajanja DocType: Material Request Item,Min Order Qty,Min naručena kol @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Ukupni iznos glavnice DocType: Student Guardian,Relation,Odnos DocType: Quiz Result,Correct,ispravan DocType: Student Guardian,Mother,Majka -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Prvo dodajte valjane plaid api ključeve na site_config.json DocType: Restaurant Reservation,Reservation End Time,Vrijeme završetka rezervacije DocType: Crop,Biennial,dvogodišnjica ,BOM Variance Report,Izvješće o varijanti BOM @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Plaćanje protiv {0} {1} ne može biti veća od preostali iznos {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Offline postavke DocType: Stock Entry Detail,Reference Purchase Receipt,Referentna kupnja DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-Reco-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Varijanta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Završen Qty ne može biti veći od 'Kol proizvoditi' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Završen Qty ne može biti veći od 'Kol proizvoditi' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Razdoblje na temelju DocType: Period Closing Voucher,Closing Account Head,Zatvaranje računa šefa DocType: Employee,External Work History,Vanjski Povijest Posao apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Kružni Referentna Greška apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Kartica studentskog izvješća apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Iz PIN koda +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Pokaži prodajnu osobu DocType: Appointment Type,Is Inpatient,Je li bolestan apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Ime Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Riječima (izvoz) će biti vidljivo nakon što spremite otpremnicu. @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Naziv dimenzije apps/erpnext/erpnext/healthcare/setup.py,Resistant,otporan apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Molimo postavite Hotel Room Rate na {} +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: Journal Entry,Multi Currency,Više valuta DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tip fakture apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Vrijedi od datuma mora biti manje od važećeg do datuma @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,priznao DocType: Workstation,Rent Cost,Rent cost 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Nadolazeći Kalendar događanja apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Varijante Značajke @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Zahtjev za ponudu 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Pokaži prodajnu osobu u tisku 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 @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Stvaranje novog kupca apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Istječe apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ako više Cijene pravila i dalje prevladavaju, korisnici su zamoljeni da postavite prioritet ručno riješiti sukob." -DocType: Purchase Invoice,Scan Barcode,Skenirajte crtični kod apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Izrada narudžbenice ,Purchase Register,Popis nabave apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacijent nije pronađen @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Channel Partner DocType: Account,Old Parent,Stari Roditelj apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Obavezno polje - akademska godina apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} nije povezan s {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Plaća Komponenta za timesheet temelju plaće. DocType: Driver,Applicable for external driver,Primjenjivo za vanjske upravljačke programe DocType: Sales Order Item,Used for Production Plan,Koristi se za plan proizvodnje +DocType: BOM,Total Cost (Company Currency),Ukupni trošak (valuta tvrtke) DocType: Loan,Total Payment,ukupno plaćanja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Nije moguće otkazati transakciju za dovršenu radnu nalog. DocType: Manufacturing Settings,Time Between Operations (in mins),Vrijeme između operacije (u minutama) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Obavijesti ostalo DocType: Vital Signs,Blood Pressure (systolic),Krvni tlak (sistolički) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} je {2} DocType: Item Price,Valid Upto,Vrijedi Upto +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. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Promjene u {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Odaberite tvrtke DocType: Employee Skill,Employee Skill,Vještina zaposlenika apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Račun razlike @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Faktori rizika DocType: Patient,Occupational Hazards and Environmental Factors,Radna opasnost i čimbenici okoliša apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Dionice već stvorene za radni nalog apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Pogledajte prošle narudžbe +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} razgovora DocType: Vital Signs,Respiratory rate,Brzina dišnog sustava apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Upravljanje podugovaranje DocType: Vital Signs,Body Temperature,Temperatura tijela @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Registrirani sastav apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,zdravo apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Premještanje stavke DocType: Employee Incentive,Incentive Amount,Iznos poticaja +,Employee Leave Balance Summary,Sažetak stanja ravnoteže zaposlenika DocType: Serial No,Warranty Period (Days),Jamstveni period (dani) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Ukupni iznos kredita / debitnog iznosa mora biti isti kao i povezani unos dnevnika DocType: Installation Note Item,Installation Note Item,Napomena instalacije proizvoda @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,Otečen DocType: Salary Slip,Salary Slip Timesheet,Plaća proklizavanja timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavljač skladišta obvezan je za sub - ugovoreni kupiti primitka DocType: Item Price,Valid From,vrijedi od +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Vaša ocjena: DocType: Sales Invoice,Total Commission,Ukupno komisija DocType: Tax Withholding Account,Tax Withholding Account,Račun za zadržavanje poreza DocType: Pricing Rule,Sales Partner,Prodajni partner @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Sve ocjene bodova 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 +DocType: Item,Website Image,Slika web stranice apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Ciljno skladište u retku {0} mora biti isto kao i radni nalog apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Vrednovanje stopa je obavezno ako Otvaranje Stock ušao 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 @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},I 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Ispunite svoju konfiguraciju Plaid API-ja prije sinkronizacije računa 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 DocType: Job Applicant,Resume Attachment,Nastavi Prilog @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,Plan proizvodnje DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Otvaranje alata za izradu računa DocType: Salary Component,Round to the Nearest Integer,Zaokružite na najbliži cijeli broj apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Povrat robe -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Napomena: Ukupno dodijeljeni lišće {0} ne bi trebala biti manja od već odobrenih lišća {1} za razdoblje DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Postavite količinu u transakcijama na temelju serijskog unosa ,Total Stock Summary,Ukupni zbroj dionica apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Kre apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,iznos glavnice DocType: Loan Application,Total Payable Interest,Ukupno obveze prema dobavljačima kamata apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Ukupno izvrsno: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Otvori kontakt DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Prodaja Račun timesheet 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} @@ -1080,6 +1099,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Zadana serija za imenovanj 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 DocType: Restaurant Reservation,Restaurant Reservation,Rezervacija restorana +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Vaše stavke apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Pisanje prijedlog DocType: Payment Entry Deduction,Payment Entry Deduction,Plaćanje Ulaz Odbitak DocType: Service Level Priority,Service Level Priority,Prioritet na razini usluge @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Serije brojeva serije apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Još jedna prodaja Osoba {0} postoji s istim ID zaposlenika DocType: Employee Advance,Claimed Amount,Zahtjev za iznos potraživanja +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Isteče dodjela 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 @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,Batch Name DocType: Fee Validity,Max number of visit,Maksimalni broj posjeta DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Obvezno za račun dobiti i gubitka ,Hotel Room Occupancy,Soba za boravak hotela -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet stvorio: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Upisati DocType: GST Settings,GST Settings,Postavke GST-a @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),Komisija stopa (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Odaberite Program DocType: Project,Estimated Cost,Procjena cijene DocType: Request for Quotation,Link to material requests,Link na materijalnim zahtjevima +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Objaviti apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Zračno-kosmički prostor ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Credit Card Stupanje @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Dugotrajna imovina apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} nije skladišni proizvod apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Podijelite svoje povratne informacije s obukom klikom na "Povratne informacije o treningu", a zatim "Novo"" +DocType: Call Log,Caller Information,Informacije o pozivaocu DocType: Mode of Payment Account,Default Account,Zadani račun apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Najprije odaberite Pohrana skladišta za uzorke u zalihama apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Odaberite višestruki tip programa za više pravila za naplatu. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Automatski zahtjev za materijalom odobren DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Radno vrijeme ispod kojeg se obilježava Polovna dana. (Nula za onemogućavanje) DocType: Job Card,Total Completed Qty,Ukupno završeno Količina +DocType: HR Settings,Auto Leave Encashment,Automatski napustite enkaš apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Izgubljen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Ne možete unijeti trenutni nalog u stupac 'u odnosu na temeljnicu' DocType: Employee Benefit Application Detail,Max Benefit Amount,Iznos maksimalne isplate @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Pretplatnik DocType: Item Attribute Value,Item Attribute Value,Stavka Vrijednost atributa apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Mjenjač mora biti primjenjiv za kupnju ili prodaju. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Samo je istekla dodjela istekla DocType: Item,Maximum sample quantity that can be retained,Maksimalna količina uzorka koja se može zadržati apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Red {0} # Stavka {1} ne može se prenijeti više od {2} od narudžbenice {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Prodajne kampanje. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Nepoznati pozivatelj DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1419,6 +1444,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Raspored sa apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc ime DocType: Expense Claim Detail,Expense Claim Type,Rashodi Vrsta polaganja DocType: Shopping Cart Settings,Default settings for Shopping Cart,Zadane postavke za Košarica +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Spremi stavku apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Novi trošak apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Zanemari postojeće naručene količine apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Dodaj vremenske brojeve @@ -1431,6 +1457,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Pregledajte pozivnicu poslanu DocType: Shift Assignment,Shift Assignment,Dodjela smjene DocType: Employee Transfer Property,Employee Transfer Property,Vlasništvo prijenosa zaposlenika +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Polje na računu glavnice / odgovornosti ne može biti prazno apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Iz vremena treba biti manje od vremena apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotehnologija apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1512,11 +1539,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Iz držav 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Raspored predmeta DocType: GSTR 3B Report,GSTR 3B Report,Izvještaj GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Status citata DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Završetak Status +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Ukupni iznos plaćanja ne može biti veći od {} DocType: Daily Work Summary Group,Select Users,Odaberite Korisnici DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Cjelokupna cijena sobe hotela DocType: Loyalty Program Collection,Tier Name,Tier Name @@ -1554,6 +1583,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Iznos SG DocType: Lab Test Template,Result Format,Format rezultata DocType: Expense Claim,Expenses,troškovi DocType: Service Level,Support Hours,Sati podrške +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Obavijesti o isporuci DocType: Item Variant Attribute,Item Variant Attribute,Stavka Varijanta Osobina ,Purchase Receipt Trends,Trend primki DocType: Payroll Entry,Bimonthly,časopis koji izlazi svaka dva mjeseca @@ -1576,7 +1606,6 @@ DocType: Sales Team,Incentives,Poticaji DocType: SMS Log,Requested Numbers,Traženi brojevi DocType: Volunteer,Evening,Večer DocType: Quiz,Quiz Configuration,Konfiguracija kviza -DocType: Customer,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 @@ -1623,7 +1652,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Majstor ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Nije moguće pronaći termin u narednih {0} dana za rad {1} DocType: Work Order,Plan material for sub-assemblies,Plan materijal za pod-sklopova 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 @@ -1638,9 +1666,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,"Da biste održali razinu ponovne narudžbe, morate omogućiti automatsku ponovnu narudžbu u Postavkama dionica." apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Odustani Posjeta materijala {0} prije otkazivanja ovog održavanja pohod DocType: Pricing Rule,Rate or Discount,Stopa ili Popust +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bankovni detalji DocType: Vital Signs,One Sided,Jednostrano apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serijski Ne {0} ne pripada točki {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Potrebna Kol +DocType: Purchase Order Item Supplied,Required Qty,Potrebna Kol DocType: Marketplace Settings,Custom Data,Prilagođeni podaci apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Skladišta s postojećim transakcije ne može pretvoriti u knjigu. DocType: Service Day,Service Day,Dan usluge @@ -1668,7 +1697,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Valuta računa DocType: Lab Test,Sample ID,ID uzorka apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Molimo spomenuti zaokružiti račun u Društvu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Domet DocType: Supplier,Default Payable Accounts,Zadane naplativo račune apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Zaposlenik {0} nije aktivan ili ne postoji @@ -1709,8 +1737,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Zahtjev za informacije DocType: Course Activity,Activity Date,Datum aktivnosti apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} od {} -,LeaderBoard,leaderboard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Ocijenite s marginom (valuta tvrtke) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategorije apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sinkronizacija Offline Računi DocType: Payment Request,Paid,Plaćen DocType: Service Level,Default Priority,Zadani prioritet @@ -1745,11 +1773,11 @@ DocType: Agriculture Task,Agriculture Task,Zadatak poljoprivrede apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Neizravni dohodak DocType: Student Attendance Tool,Student Attendance Tool,Studentski Gledatelja alat DocType: Restaurant Menu,Price List (Auto created),Cjenik (automatski izrađen) +DocType: Pick List Item,Picked Qty,Izabrani broj DocType: Cheque Print Template,Date Settings,Datum Postavke 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 -,Company Name,Ime tvrtke 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. @@ -1768,7 +1796,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Najnoviji pokušaj 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} -DocType: BOM,Raw Material Cost(Company Currency),Troškova sirovine (Društvo valuta) 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 @@ -1835,6 +1862,7 @@ DocType: Travel Itinerary,Train,Vlak ,Delayed Item Report,Izvješće o odgođenom stavci apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Ispunjava uvjete ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Bolničko liječenje +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Objavite svoje prve stavke DocType: Sample Collection,HLC-SC-.YYYY.-,FHP-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Vrijeme nakon završetka smjene tijekom koje se odjava odlazi na raspolaganje. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Navedite a {0} @@ -1950,6 +1978,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Svi Sastavnice apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Napravite unos časopisa Inter Company DocType: Company,Parent Company,Matično društvo apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotel Sobe tipa {0} nisu dostupne na {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Usporedite BOM za promjene u sirovinama i načinu rada apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokument {0} uspješno izbrisan DocType: Healthcare Practitioner,Default Currency,Zadana valuta apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Uskladi ovaj račun @@ -1984,6 +2013,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-obrazac detalj računa DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pomirenje Plaćanje fakture DocType: Clinical Procedure,Procedure Template,Predložak za postupak +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Objavite stavke apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Doprinos% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Prema postavkama kupnje ako je potrebna narudžbenica == 'DA', a zatim za izradu računa za kupnju, korisnik mora najprije stvoriti narudžbenicu za stavku {0}" ,HSN-wise-summary of outward supplies,HSN-mudar sažetak vanjske opskrbe @@ -1996,7 +2026,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Molimo postavite "Primijeni dodatni popust na ' DocType: Party Tax Withholding Config,Applicable Percent,Primjenjivi postotak ,Ordered Items To Be Billed,Naručeni proizvodi za naplatu -DocType: Employee Checkin,Exit Grace Period Consequence,Izlaz iz posljedice milosti apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Od Raspon mora biti manji od u rasponu DocType: Global Defaults,Global Defaults,Globalne zadane postavke apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Projekt Suradnja Poziv @@ -2004,13 +2033,11 @@ DocType: Salary Slip,Deductions,Odbici DocType: Setup Progress Action,Action Name,Naziv akcije apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Početak godine apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Stvorite zajam -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Početak datum tekućeg razdoblja dostavnice DocType: Shift Type,Process Attendance After,Posjedovanje procesa nakon ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Neplaćeno odsustvo DocType: Payment Request,Outward,van -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Kapacitet Greška planiranje apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Porez na države / UT ,Trial Balance for Party,Suđenje Stanje na stranku ,Gross and Net Profit Report,Izvješće o bruto i neto dobiti @@ -2029,7 +2056,6 @@ DocType: Payroll Entry,Employee Details,Detalji zaposlenika 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 -DocType: Setup Progress Action,Domains,Domene 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} @@ -2072,7 +2098,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Sastanak u 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.","Način plaćanja nije konfiguriran. Provjerite, da li je račun postavljen na način rada platnu ili na POS profilu." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Isti predmet ne može se upisati više puta. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Daljnje računi mogu biti u skupinama, ali unose se može podnijeti protiv nesrpskog Groups" -DocType: Email Campaign,Lead,Potencijalni kupac +DocType: Call Log,Lead,Potencijalni kupac DocType: Email Digest,Payables,Plativ DocType: Amazon MWS Settings,MWS Auth Token,MWS autentni token DocType: Email Campaign,Email Campaign For ,Kampanja e-pošte za @@ -2084,6 +2110,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Stavke narudžbenice za naplatu 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 DocType: Purchase Invoice Item,Net Rate,Neto stopa apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Odaberite klijenta DocType: Leave Policy,Leave Allocations,Ostavite dodjele @@ -2097,6 +2124,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Zatvori Issue Nakon dana ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Morate biti korisnik s ulogama upravitelja sustava i upravitelja stavki kako biste korisnike dodali na tržište. +DocType: Attendance,Early Exit,Rani izlazak DocType: Job Opening,Staffing Plan,Plan osoblja apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON može se generirati samo iz poslanog dokumenta apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Porez na zaposlenike i beneficije @@ -2117,6 +2145,7 @@ DocType: Maintenance Team Member,Maintenance Role,Uloga za održavanje apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dupli red {0} sa istim {1} DocType: Marketplace Settings,Disable Marketplace,Onemogući tržište DocType: Quality Meeting,Minutes,minuta +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Istaknuti predmeti ,Trial Balance,Pretresno bilanca apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Prikaži dovršeno apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskalna godina {0} nije pronađena @@ -2126,8 +2155,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Korisnik hotela rezervaci 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 DocType: Contract,Fulfilment Deadline,Rok provedbe +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Blizu tebe DocType: Student,O-,O- -DocType: Shift Type,Consequence,Posljedica DocType: Subscription Settings,Subscription Settings,Postavke pretplate DocType: Purchase Invoice,Update Auto Repeat Reference,Ažuriraj referencu za automatsko ponavljanje apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Izborni popis za odmor nije postavljen za dopust razdoblja {0} @@ -2138,7 +2167,6 @@ DocType: Maintenance Visit Purpose,Work Done,Rad Done apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Navedite barem jedan atribut u tablici Svojstva DocType: Announcement,All Students,Svi studenti apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Stavka {0} mora biti ne-stock točka a -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankovni deatili apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Pogledaj Ledger DocType: Grading Scale,Intervals,intervali DocType: Bank Statement Transaction Entry,Reconciled Transactions,Usklađene transakcije @@ -2174,6 +2202,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Prilika proizvoda DocType: Quality Action,Quality Review,Pregled kvalitete @@ -2200,7 +2229,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Kreiraj neplaćene račune -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Prodajnog naloga {0} nije ispravan +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Narudžbenice vam pomoći planirati i pratiti na Vašoj kupnji apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Ispitivanje laboratorijskih ispitivanja @@ -2225,6 +2254,7 @@ DocType: Employee Onboarding,Notify users by email,Obavijestite korisnike e-poš DocType: Travel Request,International,međunarodna DocType: Training Event,Training Event,Događaj za obuku DocType: Item,Auto re-order,Automatski reorganiziraj +DocType: Attendance,Late Entry,Kasni ulazak apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Ukupno Ostvareno DocType: Employee,Place of Issue,Mjesto izdavanja DocType: Promotional Scheme,Promotional Scheme Price Discount,Popust na cijene promotivne sheme @@ -2271,6 +2301,7 @@ DocType: Serial No,Serial No Details,Serijski nema podataka DocType: Purchase Invoice Item,Item Tax Rate,Porezna stopa proizvoda apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Od imena stranke apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Neto iznos plaće +DocType: Pick List,Delivery against Sales Order,Dostava protiv prodajnog naloga DocType: Student Group Student,Group Roll Number,Broj grupe grupa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Za {0}, samo kreditne računi se mogu povezati protiv drugog ulaska debitnom" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena @@ -2342,7 +2373,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ova se vrijednost koristi za pro rata temporis izračun apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Morate omogućiti košaricu DocType: Payment Entry,Writeoff,Otpisati DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2356,6 +2386,7 @@ DocType: Delivery Trip,Total Estimated Distance,Ukupna procijenjena udaljenost DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Neplaćeni račun za potraživanja DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM preglednik +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Nije dopušteno stvaranje računovodstvenih dimenzija za {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Ažurirajte svoj status za ovaj trening događaj DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Zbrajanje ili oduzimanje @@ -2365,7 +2396,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Neaktivni predmeti prodaje DocType: Quality Review,Additional Information,dodatne informacije apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Ukupna vrijednost narudžbe -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Vraćanje ugovora o razini usluge. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,hrana apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Starenje Raspon 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalji o voucheru za zatvaranje POS-a @@ -2412,6 +2442,7 @@ 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 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 """ DocType: Healthcare Practitioner,Contacts and Address,Kontakti i adresa DocType: Shift Type,Determine Check-in and Check-out,Odredite prijavu i odjavu @@ -2431,7 +2462,6 @@ DocType: Student Admission,Eligibility and Details,Podobnost i pojedinosti apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Uključeno u bruto dobit apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Neto promjena u dugotrajne imovine apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Klijentov kôd apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maksimalno: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Od datetime @@ -2500,6 +2530,7 @@ DocType: Journal Entry Account,Account Balance,Bilanca računa apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: potrebna je Kupac protiv Potraživanja računa {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Ukupno Porezi i naknade (Društvo valuta) DocType: Weather,Weather Parameter,Parametar vremena @@ -2562,6 +2593,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Prag radnog vremena za od apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Može postojati višestruki skupni faktor zbirke na temelju ukupnog utrošenog. Ali pretvorbeni faktor za iskupljenje uvijek će biti isti za cijelu razinu. apps/erpnext/erpnext/config/help.py,Item Variants,Stavka Varijante apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Usluge +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,E-mail Plaća proklizavanja zaposlenog DocType: Cost Center,Parent Cost Center,Nadređeni troškovni centar @@ -2572,7 +2604,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","O DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Uvoz isporuke o isporuci iz trgovine na pošiljci apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Prikaži zatvorene DocType: Issue Priority,Issue Priority,Prioritet pitanja -DocType: Leave Type,Is Leave Without Pay,Je Ostavite bez plaće +DocType: Leave Ledger Entry,Is Leave Without Pay,Je Ostavite bez plaće apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obvezna za nepokretnu stavke imovine DocType: Fee Validity,Fee Validity,Valjanost naknade @@ -2621,6 +2653,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Dostupno Batch Koli apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Ažuriranje Format ispisa DocType: Bank Account,Is Company Account,Je li račun tvrtke apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Vrsta napuštanja {0} nije moguće naplatiti +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Kreditni limit je već definiran za Društvo {0} DocType: Landed Cost Voucher,Landed Cost Help,Zavisni troškovi - Pomoć DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-Vlogu-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Odaberite Adresa za dostavu @@ -2645,6 +2678,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Dvosmjeran DocType: Item,Manufacturers,Proizvođači @@ -2681,7 +2715,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Izjava banka pomirenja DocType: Patient Encounter,Medical Coding,Medicinski kodiranje DocType: Healthcare Settings,Reminder Message,Poruka podsjetnika -,Lead Name,Ime potencijalnog kupca +DocType: Call Log,Lead Name,Ime potencijalnog kupca ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Ležišta @@ -2713,12 +2747,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Dobavljač galerija DocType: Opportunity,Contact Mobile No,Kontak GSM apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Odaberite tvrtku ,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: 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 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.,Korisnik {0} nema zadani POS profil. Provjerite zadani redak {1} za ovog korisnika. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zapisnici sa kvalitetnim sastankom +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Upućivanje zaposlenika DocType: Student Group,Set 0 for no limit,Postavite 0 bez granica apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dan (e) na koje se prijavljuje za odmor su praznici. Ne morate se prijaviti za dopust. @@ -2752,12 +2788,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Neto promjena u gotovini DocType: Assessment Plan,Grading Scale,ljestvici apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jedinica mjere {0} je ušao više od jednom u konverzije Factor tablici -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,već završena apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock u ruci apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Dodajte preostale pogodnosti {0} u aplikaciju kao \ pro-rata komponentu apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Molimo postavite Fiskalni kodeks za javnu upravu '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Zahtjev za plaćanje već postoji {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Trošak izdanih stavki DocType: Healthcare Practitioner,Hospital,Bolnica apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Količina ne smije biti veća od {0} @@ -2802,6 +2836,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Ljudski resursi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Gornja Prihodi DocType: Item Manufacturer,Item Manufacturer,stavka Proizvođač +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Stvorite novi potencijal DocType: BOM Operation,Batch Size,Veličina serije apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Odbiti DocType: Journal Entry Account,Debit in Company Currency,Zaduženja tvrtke valuti @@ -2822,9 +2857,11 @@ DocType: Bank Transaction,Reconciled,pomiren DocType: Expense Claim,Total Amount Reimbursed,Ukupno Iznos nadoknađeni apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,To se temelji na zapisima protiv tog vozila. Pogledajte vremensku crtu ispod za detalje apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Datum plaćanja ne može biti manji od datuma pridruživanja zaposlenika +DocType: Pick List,Item Locations,Lokacije predmeta apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} stvorio apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Otvoreni poslovi za oznaku {0} već su otvoreni ili zapošljavanje završeno prema planu osoblja {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Možete objaviti do 200 predmeta. DocType: Vital Signs,Constipated,konstipovan apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Protiv dobavljača Račun {0} datira {1} DocType: Customer,Default Price List,Zadani cjenik @@ -2916,6 +2953,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Stvarni početak promjene DocType: Tally Migration,Is Day Book Data Imported,Uvoze li se podaci dnevnih knjiga apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Troškovi marketinga +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} jedinice od {1} nisu dostupne. ,Item Shortage Report,Nedostatak izvješća za proizvod 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 @@ -2938,6 +2976,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 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 DocType: Material Request,Transferred,prebačen DocType: Vehicle,Doors,vrata @@ -3017,7 +3056,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Kupca Stavka Šifra DocType: Stock Reconciliation,Stock Reconciliation,Kataloški pomirenje DocType: Territory,Territory Name,Naziv teritorija DocType: Email Digest,Purchase Orders to Receive,Narudžbenice za primanje -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Rad u tijeku Warehouse je potrebno prije Podnijeti +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Rad u tijeku Warehouse je potrebno prije Podnijeti apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,U pretplati možete imati samo planove s istim ciklusom naplate DocType: Bank Statement Transaction Settings Item,Mapped Data,Prijenos podataka DocType: Purchase Order Item,Warehouse and Reference,Skladište i reference @@ -3090,6 +3129,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Postavke isporuke apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Dohvatite podatke apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maksimalni dopust dopušten u dopuštenoj vrsti {0} je {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Objavite 1 predmet DocType: SMS Center,Create Receiver List,Stvaranje Receiver popis DocType: Student Applicant,LMS Only,Samo LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Datum dostupan za upotrebu trebao bi biti nakon datuma kupnje @@ -3123,6 +3163,7 @@ 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 DocType: Vital Signs,Furry,Krznen apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Molimo postavite "dobici / gubici računa na sredstva Odlaganje 'u Društvu {0} +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} @@ -3134,6 +3175,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Pregled svih izdanja od {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Stol za sastanke o kvaliteti +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/templates/pages/help.html,Visit the forums,Posjetite forume DocType: Student,Student Mobile Number,Studentski broj mobitela DocType: Item,Has Variants,Je Varijante @@ -3144,9 +3186,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Naziv mjesečne distribucije DocType: Quality Procedure Process,Quality Procedure Process,Postupak postupka kvalitete apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ID serije obvezan je +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Prvo odaberite kupca DocType: Sales Person,Parent Sales Person,Nadređeni prodavač apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Nijedna stavka koju treba primiti nije kasna apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Prodavatelj i kupac ne mogu biti isti +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Još nema prikaza DocType: Project,Collect Progress,Prikupiti napredak DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Najprije odaberite program @@ -3168,11 +3212,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Ostvareno DocType: Student Admission,Application Form Route,Obrazac za prijavu Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Datum završetka ugovora ne može biti manji od današnjeg. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter za slanje DocType: Healthcare Settings,Patient Encounters in valid days,Pacijentni susreti u važećim danima apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Ostavi Tip {0} nije moguće rasporediti jer se ostaviti bez plaće 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},Red {0}: Dodijeljeni iznos {1} mora biti manji od ili jednak fakturirati preostali iznos {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,U riječi će biti vidljiv nakon što spremite prodaje fakture. DocType: Lead,Follow Up,Pratiti +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Centar troškova: {0} ne postoji DocType: Item,Is Sales Item,Je proizvod namijenjen prodaji apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Raspodjela grupa proizvoda apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,"Stavka {0} nije dobro postavljen za gospodara , serijski brojevi Provjera" @@ -3217,9 +3263,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Isporučena količina DocType: Clinical Procedure,HLC-CPR-.YYYY.-,FHP-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Zahtjev za robom - proizvod -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Najprije otkazite potvrdu o kupnji {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Stablo grupe proizvoda. DocType: Production Plan,Total Produced Qty,Ukupna proizvodna količina +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Još nema recenzija apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Ne mogu se odnositi broj retka veći ili jednak trenutnom broju red za ovu vrstu Charge DocType: Asset,Sold,prodan ,Item-wise Purchase History,Povjest nabave po stavkama @@ -3238,7 +3284,7 @@ DocType: Designation,Required Skills,Potrebne vještine DocType: Inpatient Record,O Positive,O pozitivno apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investicije DocType: Issue,Resolution Details,Rezolucija o Brodu -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,vrsta transakcije +DocType: Leave Ledger Entry,Transaction Type,vrsta transakcije DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriterij prihvaćanja apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Unesite materijala zahtjeva u gornjoj tablici apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nije dostupna otplata za unos dnevnika @@ -3279,6 +3325,7 @@ DocType: Bank Account,Bank Account No,Bankovni račun br DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Podnošenje dokaza o izuzeću od izuzeća od zaposlenika DocType: Patient,Surgical History,Kirurška povijest DocType: Bank Statement Settings Item,Mapped Header,Mapped Header +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: 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. 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} @@ -3346,7 +3393,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Dodaj pismo zaglavlja DocType: Program Enrollment,Self-Driving Vehicle,Vozila samostojećih 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Ukupno dodijeljeni lišće {0} ne može biti manja od već odobrenih lišća {1} za razdoblje DocType: Contract Fulfilment Checklist,Requirement,Zahtjev DocType: Journal Entry,Accounts Receivable,Potraživanja DocType: Quality Goal,Objectives,Ciljevi @@ -3369,7 +3415,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Prag pojedinačne tra DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ova je vrijednost ažurirana u zadanom cjeniku prodajnih cijena. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Vaša je košarica prazna DocType: Email Digest,New Expenses,Novi troškovi -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC iznos apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Ruta se ne može optimizirati jer nedostaje adresa vozača. DocType: Shareholder,Shareholder,dioničar DocType: Purchase Invoice,Additional Discount Amount,Dodatni popust Iznos @@ -3406,6 +3451,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Zadatak održavanja apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Postavite ograničenje B2C u GST postavkama. DocType: Marketplace Settings,Marketplace Settings,Postavke tržnice DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Skladište na kojem držite zalihe odbijenih proizvoda +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Objavite {0} stavke 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,Nije moguće pronaći kurs za {0} do {1} za ključni datum {2}. Ručno stvorite zapis za mjenjačnicu DocType: POS Profile,Price List,Cjenik 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. @@ -3442,6 +3488,7 @@ DocType: Salary Component,Deduction,Odbitak DocType: Item,Retain Sample,Zadrži uzorak apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Red {0}: Od vremena i vremena je obavezno. DocType: Stock Reconciliation Item,Amount Difference,iznos razlika +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Ova stranica prati stvari koje želite kupiti od prodavača. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Cijena dodana za {0} u cjeniku {1} DocType: Delivery Stop,Order Information,Informacije o narudžbi apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Unesite ID zaposlenika ove prodaje osobi @@ -3470,6 +3517,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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**. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Naziv plana procjene apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Pojedinosti cilja apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Primjenjivo ako je tvrtka SpA, SApA ili SRL" @@ -3522,7 +3570,6 @@ DocType: Company,Transactions Annual History,Transakcije Godišnja povijest 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Iznad 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 @@ -3574,6 +3621,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Dobit za godinu 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 @@ -3627,12 +3675,10 @@ DocType: Supplier Scorecard,Scoring Setup,Bodovanje postavki apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Za tvrtku nije pronađen niti jedan GST. 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 DocType: Question,Single Correct Answer,Jedan točan odgovor -DocType: Employee,Contact Details,Kontakt podaci DocType: C-Form,Received Date,Datum pozicija DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ako ste stvorili standardni predložak u prodaji poreze i troškove predložak, odaberite jednu i kliknite na gumb ispod." DocType: BOM Scrap Item,Basic Amount (Company Currency),Osnovni Iznos (Društvo valuta) @@ -3662,12 +3708,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Web Rad DocType: Bank Statement Transaction Payment Item,outstanding_amount,preostali iznos DocType: Supplier Scorecard,Supplier Score,Ocjena dobavljača apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Raspored prijama +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Ukupni iznos zahtjeva za plaćanje ne može biti veći od {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kumulativni Prag transakcije DocType: Promotional Scheme Price Discount,Discount Type,Vrsta popusta -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Ukupno fakturirati Amt DocType: Purchase Invoice Item,Is Free Item,Je besplatna stavka +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Postotak koji vam dopušta prijenos više u odnosu na naručenu količinu. Na primjer: Ako ste naručili 100 jedinica. a vaš dodatak iznosi 10%, tada vam je omogućen prijenos 110 jedinica." DocType: Supplier,Warn RFQs,Upozorite RFQ-ove -apps/erpnext/erpnext/templates/pages/home.html,Explore,Istražiti +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Istražiti DocType: BOM,Conversion Rate,Stopa pretvorbe apps/erpnext/erpnext/www/all-products/index.html,Product Search,Pretraga proizvoda ,Bank Remittance,Doznaka banke @@ -3679,6 +3726,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Plaćeni ukupni iznos DocType: Asset,Insurance End Date,Završni datum osiguranja apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Molimo odaberite Studentski ulaz koji je obvezan za plaćenog studenta +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Popis proračuna DocType: Campaign,Campaign Schedules,Rasporedi kampanje DocType: Job Card Time Log,Completed Qty,Završen Kol @@ -3701,6 +3749,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Nova adre DocType: Quality Inspection,Sample Size,Veličina uzorka apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Unesite primitka dokumenta apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Svi proizvodi su već fakturirani +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Lišće uzeto apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Navedite važeću 'iz Predmet br' 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,"Daljnje troška mogu biti u skupinama, ali unose se može podnijeti protiv nesrpskog Groups" 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,Ukupni dodijeljeni listovi su više dana od maksimalne raspodjele {0} vrste dopusta za zaposlenika {1} u razdoblju @@ -3800,6 +3849,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Uključi sv 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 DocType: Leave Block List,Allow Users,Omogućiti korisnicima 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: 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. @@ -3853,6 +3904,7 @@ DocType: Support Search Source,Result Title Field,Polje naslova rezultata apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Sažetak poziva DocType: Sample Collection,Collected Time,Prikupljeno vrijeme DocType: Employee Skill Map,Employee Skills,Vještine zaposlenika +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Rashodi goriva DocType: Company,Sales Monthly History,Mjesečna povijest prodaje apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Molimo postavite najmanje jedan redak u tablici poreza i nameta DocType: Asset Maintenance Task,Next Due Date,Sljedeći datum dospijeća @@ -3862,6 +3914,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Vitalni z DocType: Payment Entry,Payment Deductions or Loss,Odbici plaćanja ili gubitak DocType: Soil Analysis,Soil Analysis Criterias,Kriteriji analize tla apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardni uvjeti ugovora za prodaju ili kupnju. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Redovi su uklonjeni za {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Započnite prijavu prije vremena početka smjene (u minutama) DocType: BOM Item,Item operation,Radnja stavke apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Grupa po jamcu @@ -3887,11 +3940,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Plaća proklizavanja zaposlenika {0} već stvorena za ovo razdoblje apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmaceutski apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Količinu napuštanja možete poslati samo za valjani iznos naplate +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Predmeti do apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Troškovi kupljene predmete DocType: Employee Separation,Employee Separation Template,Predložak za razdvajanje zaposlenika DocType: Selling Settings,Sales Order Required,Prodajnog naloga Obvezno apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Postanite prodavač -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Broj pojava nakon kojih se vrši posljedica. ,Procurement Tracker,Tragač za nabavom DocType: Purchase Invoice,Credit To,Kreditne Da apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC preokrenut @@ -3904,6 +3957,7 @@ DocType: Quality Meeting,Agenda,dnevni red DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalji rasporeda održavanja DocType: Supplier Scorecard,Warn for new Purchase Orders,Upozorenje za nove narudžbenice DocType: Quality Inspection Reading,Reading 9,Čitanje 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Povežite svoj Exotel račun na ERPNext i pratite zapise poziva DocType: Supplier,Is Frozen,Je Frozen DocType: Tally Migration,Processed Files,Obrađene datoteke apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Čvor Grupa skladište ne smije odabrati za transakcije @@ -3912,6 +3966,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM broj za Gotovi DocType: Upload Attendance,Attendance To Date,Gledanost do danas 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 @@ -3936,7 +3991,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Podnositelj zahtjeva apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Pogrešna referentni {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Pravila za primjenu različitih promotivnih shema. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne može biti veći od planirane količine ({2}) u proizvodnom nalogu {3} DocType: Shipping Rule,Shipping Rule Label,Dostava Pravilo Label DocType: Journal Entry Account,Payroll Entry,Ulazak plaće apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Prikaz zapisa o naknadama @@ -3948,6 +4002,7 @@ DocType: Contract,Fulfilment Status,Status ispunjenja DocType: Lab Test Sample,Lab Test Sample,Uzorak laboratorija DocType: Item Variant Settings,Allow Rename Attribute Value,Dopusti Preimenuj Vrijednost atributa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Brzo Temeljnica +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Budući iznos plaćanja apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Ne možete promijeniti cijenu ako je sastavnica spomenuta u bilo kojem proizvodu DocType: Restaurant,Invoice Series Prefix,Prefiks serije fakture DocType: Employee,Previous Work Experience,Radnog iskustva @@ -3977,6 +4032,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Status projekta DocType: UOM,Check this to disallow fractions. (for Nos),Provjerite to da ne dopušta frakcija. (Za br) DocType: Student Admission Program,Naming Series (for Student Applicant),Imenovanje serije (za studentske zahtjeva) +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/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 @@ -3992,6 +4048,7 @@ DocType: Fiscal Year,Year End Date,Završni datum godine DocType: Task Depends On,Task Depends On,Zadatak ovisi o apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Prilika DocType: Options,Option,Opcija +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Ne možete stvoriti knjigovodstvene unose u zatvorenom obračunskom razdoblju {0} DocType: Operation,Default Workstation,Zadana Workstation DocType: Payment Entry,Deductions or Loss,Odbitaka ili gubitak apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} je zatvorena @@ -4000,6 +4057,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Kreiraj trenutne zalihe DocType: Purchase Invoice,ineligible,bezvrijedan apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Drvo Bill materijala +DocType: BOM,Exploded Items,Eksplodirani predmeti DocType: Student,Joining Date,Ulazak Datum ,Employees working on a holiday,Radnici koji rade na odmor ,TDS Computation Summary,TDS Computation Summary @@ -4032,6 +4090,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Osnovna stopa (po burz DocType: SMS Log,No of Requested SMS,Nema traženih SMS-a apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Ostavite bez plaće ne odgovara odobrenog odsustva primjene zapisa apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Sljedeći koraci +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Spremljene stavke DocType: Travel Request,Domestic,domaći apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Molimo dostaviti navedene stavke po najboljim mogućim cijenama apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Prijenos zaposlenika ne može se poslati prije datuma prijenosa @@ -4104,7 +4163,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Imovina Kategorija račun apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Vrijednost {0} je već dodijeljena postojećoj stavci {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Red # {0} (Tablica plaćanja): iznos mora biti pozitivan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Ne može proizvesti više predmeta {0} od prodajnog naloga količina {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Ne može proizvesti više predmeta {0} od prodajnog naloga količina {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Ništa nije uključeno u bruto apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Za ovaj dokument već postoji e-Way Bill apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Odaberite Vrijednosti atributa @@ -4139,12 +4198,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Omogući različite posljedice za rani izlazak ,Lab Test Report,Izvješće testiranja laboratorija DocType: Employee Benefit Application,Employee Benefit Application,Primjena zaposlenika apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Postoje dodatne komponente plaće. DocType: Purchase Invoice,Unregistered,neregistrovan -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Molimo Isporuka Napomena prvo DocType: Student Applicant,Application Date,Datum Primjena DocType: Salary Component,Amount based on formula,Iznos se temelji na formuli DocType: Purchase Invoice,Currency and Price List,Valuta i cjenik @@ -4173,6 +4230,7 @@ DocType: Purchase Receipt,Time at which materials were received,Vrijeme u kojem DocType: Products Settings,Products per Page,Proizvodi po stranici 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Dodijeljeni iznos ne može biti negativan DocType: Sales Order,Billing Status,Status naplate apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Prijavi problem @@ -4182,6 +4240,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,Iznad 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,Red # {0}: časopis za ulazak {1} nema računa {2} ili već usklađeni protiv drugog bona DocType: Supplier Scorecard Criteria,Criteria Weight,Težina kriterija +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Račun: {0} nije dopušten unosom plaćanja DocType: Production Plan,Ignore Existing Projected Quantity,Zanemarite postojeću projiciranu količinu apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Odustani od obavijesti o odobrenju DocType: Buying Settings,Default Buying Price List,Zadani kupovni cjenik @@ -4190,6 +4249,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,Vrsta plaćanja apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Odaberite Batch for Item {0}. Nije moguće pronaći jednu seriju koja ispunjava taj uvjet @@ -4218,6 +4278,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Košarica Postavke DocType: Journal Entry,Accounting Entries,Računovodstvenih unosa 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"." +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: Journal Entry,Paid Loan,Plaćeni zajam 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 @@ -4234,12 +4295,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Detalji apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Nema vremenske tablice DocType: GoCardless Mandate,GoCardless Customer,GoCardless Customer apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Ostavite Tip {0} ne može nositi-proslijeđen +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Raspored održavanja nije generiran za sve proizvode. Molimo kliknite na 'Generiraj raspored' ,To Produce,proizvoditi DocType: Leave Encashment,Payroll,Platni spisak 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","Za red {0} {1}. Da su {2} u stopu točke, redovi {3} također moraju biti uključeni" DocType: Healthcare Service Unit,Parent Service Unit,Roditeljska jedinica DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikacija paketa za dostavu (za tisak) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Ugovor o razini usluge vraćen je na zadano. DocType: Bin,Reserved Quantity,Rezervirano Količina apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Unesite valjanu e-adresu DocType: Volunteer Skill,Volunteer Skill,Volonterska vještina @@ -4260,7 +4323,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Popust na cijenu ili proizvod apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Za redak {0}: unesite planirani iznos DocType: Account,Income Account,Račun prihoda -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kupac> Grupa kupaca> Teritorij DocType: Payment Request,Amount in customer's currency,Iznos u valuti kupca apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Isporuka apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Dodjeljivanje struktura ... @@ -4283,6 +4345,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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. 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?,Izgubit ćete evidenciju prethodno generiranih faktura. Jeste li sigurni da želite ponovno pokrenuti ovu pretplatu? @@ -4338,11 +4401,10 @@ DocType: Additional Salary,HR User,HR Korisnik DocType: Bank Guarantee,Reference Document Name,Referentni naziv dokumenta DocType: Purchase Invoice,Taxes and Charges Deducted,Porezi i naknade oduzeti DocType: Support Settings,Issues,Pitanja -DocType: Shift Type,Early Exit Consequence after,Rani izlaz iz posljedica poslije DocType: Loyalty Program,Loyalty Program Name,Ime programa za lojalnost apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Status mora biti jedan od {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Podsjetnik za ažuriranje GSTIN posla -DocType: Sales Invoice,Debit To,Rashodi za +DocType: Discounted Invoice,Debit To,Rashodi za DocType: Restaurant Menu Item,Restaurant Menu Item,Stavka izbornika restorana DocType: Delivery Note,Required only for sample item.,Potrebna je samo za primjer stavke. DocType: Stock Ledger Entry,Actual Qty After Transaction,Stvarna količina nakon transakcije @@ -4425,6 +4487,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Naziv parametra apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Ostavite samo one prijave sa statusom "Odobreno" i "Odbijeno" može se podnijeti apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Izrada dimenzija ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Student Grupa Ime obvezna je u redu {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Zaobiđite ograničenje kredita DocType: Homepage,Products to be shown on website homepage,Proizvodi koji će biti prikazan na web stranici početnu stranicu DocType: HR Settings,Password Policy,Politika lozinke apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ovo je glavna grupa kupaca i ne može se mijenjati. @@ -4483,10 +4546,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ako apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Postavite zadani klijent u Postavkama restorana ,Salary Register,Plaća Registracija DocType: Company,Default warehouse for Sales Return,Zadano skladište za povrat prodaje -DocType: Warehouse,Parent Warehouse,Roditelj Skladište +DocType: Pick List,Parent Warehouse,Roditelj Skladište DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definirati različite vrste kredita DocType: Bin,FCFS Rate,FCFS Stopa @@ -4523,6 +4586,7 @@ DocType: Travel Itinerary,Lodging Required,Obavezan smještaj DocType: Promotional Scheme,Price Discount Slabs,Ploče s popustom na cijene DocType: Stock Reconciliation Item,Current Serial No,Trenutni serijski br DocType: Employee,Attendance and Leave Details,Pojedinosti o posjetima i odlasci +,BOM Comparison Tool,Alat za usporedbu BOM-a ,Requested,Tražena apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Nema primjedbi DocType: Asset,In Maintenance,U Održavanju @@ -4545,6 +4609,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Zadani ugovor o razini usluge DocType: SG Creation Tool Course,Course Code,kod predmeta apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Više od jednog izbora za {0} nije dopušteno +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Količina sirovina odlučivat će se na osnovu količine proizvoda Gotove robe DocType: Location,Parent Location,Mjesto roditelja DocType: POS Settings,Use POS in Offline Mode,Koristite POS u izvanmrežnom načinu rada apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prioritet je promijenjen u {0}. @@ -4563,7 +4628,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Skladište za uzorkovanje uzo DocType: Company,Default Receivable Account,Zadana Potraživanja račun apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Projektirana količina količine DocType: Sales Invoice,Deemed Export,Pretraženo izvoz -DocType: Stock Entry,Material Transfer for Manufacture,Prijenos materijala za izradu +DocType: Pick List,Material Transfer for Manufacture,Prijenos materijala za izradu 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.,Postotak popusta se može neovisno primijeniti prema jednom ili za više cjenika. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Knjiženje na skladištu DocType: Lab Test,LabTest Approver,LabTest odobrenje @@ -4606,7 +4671,6 @@ DocType: Training Event,Theory,Teorija apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Upozorenje : Materijal Tražena količina manja nego minimalna narudžba kol apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Račun {0} je zamrznut DocType: Quiz Question,Quiz Question,Pitanje za kviz -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavljač> vrsta dobavljača 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" @@ -4637,6 +4701,7 @@ 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 DocType: Account,Expense Account,Rashodi račun apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,softver apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Boja @@ -4674,6 +4739,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Uredi prodajne par 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 DocType: Fee Validity,Visited yet,Još posjetio +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Možete predstaviti do 8 predmeta. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Skladišta s postojećim transakcije se ne može pretvoriti u skupinu. 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. @@ -4681,7 +4747,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4706,7 +4771,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM pretvorba u sa DocType: Contract,Signee Details,Signee Detalji apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} trenutačno ima stajalište dobavljača rezultata {1}, a zahtjevi za odobrenje dobavljaču trebaju biti izdani s oprezom." DocType: Certified Consultant,Non Profit Manager,Neprofitni menadžer -DocType: BOM,Total Cost(Company Currency),Ukupna cijena (Društvo valuta) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serijski Ne {0} stvorio DocType: Homepage,Company Description for website homepage,Opis tvrtke za web stranici DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Za praktičnost kupaca, te kodovi mogu se koristiti u tiskanim formata kao što su fakture i otpremnice" @@ -4734,7 +4798,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Zaprimlje DocType: Amazon MWS Settings,Enable Scheduled Synch,Omogući zakazanu sinkronizaciju apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Za datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Trupci za održavanje statusa isporuke sms -DocType: Shift Type,Early Exit Consequence,Rana izlaznih posljedica DocType: Accounts Settings,Make Payment via Journal Entry,Plaćanje putem Temeljnica apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Ne stvarajte više od 500 predmeta odjednom apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,tiskana na @@ -4791,6 +4854,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Ograničenje Cr 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Datum osnivanja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akademska termina s ovim 'akademske godine' {0} i "Pojam Ime '{1} već postoji. Molimo izmijeniti ove stavke i pokušati ponovno. @@ -4852,6 +4916,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Vrsta kupca DocType: Compensatory Leave Request,Leave Allocation,Raspodjela odsustva DocType: Payment Request,Recipient Message And Payment Details,Primatelj poruke i podatke o plaćanju +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Odaberite bilješku o isporuci DocType: Support Search Source,Source DocType,Izvor DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Otvorite novu kartu DocType: Training Event,Trainer Email,trener Email @@ -4972,6 +5037,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Od datuma' mora biti poslije 'Do datuma' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Nisu pronađeni planovi za osoblje za ovu oznaku apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Šifra {0} stavke {1} onemogućena je. @@ -4993,7 +5059,7 @@ DocType: Clinical Procedure,Patient,Pacijent apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Zaobilaženje kreditne provjere na prodajnom nalogu DocType: Employee Onboarding Activity,Employee Onboarding Activity,Djelatnost onboarding aktivnosti DocType: Location,Check if it is a hydroponic unit,Provjerite je li to hidroponična jedinica -DocType: Stock Reconciliation Item,Serial No and Batch,Serijski broj i serije +DocType: Pick List Item,Serial No and Batch,Serijski broj i serije DocType: Warranty Claim,From Company,Iz Društva DocType: GSTR 3B Report,January,siječanj apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Zbroj ocjene kriterija za ocjenjivanje treba biti {0}. @@ -5017,7 +5083,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Popust ( 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Ne postoji {0} pronađen za transakcije tvrtke Inter. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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 @@ -5050,11 +5115,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Troškovno s 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,ostali DocType: Appraisal,Appraisal,Procjena DocType: Loan,Loan Account,Račun zajma apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Vrijedna od i valjana upto polja obavezna su za kumulativ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Za stavku {0} u retku {1}, broj serijskih brojeva ne odgovara odabranoj količini" DocType: Purchase Invoice,GST Details,Detalji GST-a apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,To se temelji na transakcijama protiv ove zdravstvene prakse. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-pošta dostavljati opskrbljivaču {0} @@ -5118,6 +5185,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruto težina paketa. Obično neto težina + ambalaža težina. (Za tisak) DocType: Assessment Plan,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Korisnici s ovom ulogom smiju postaviti zamrznute račune i izradu / izmjenu računovodstvenih unosa protiv zamrznutih računa +DocType: Plaid Settings,Plaid Environment,Plaid okoliš ,Project Billing Summary,Sažetak naplate projekta DocType: Vital Signs,Cuts,rezovi DocType: Serial No,Is Cancelled,Je otkazan @@ -5179,7 +5247,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Napomena : Sustav neće provjeravati pretjerano isporuke i više - booking za točku {0} kao količinu ili vrijednost je 0 DocType: Issue,Opening Date,Datum otvaranja apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Prvo spasi pacijenta -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Uspostavite novi kontakt apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Sudjelovanje je uspješno označen. DocType: Program Enrollment,Public Transport,Javni prijevoz DocType: Sales Invoice,GST Vehicle Type,GST tip vozila @@ -5205,6 +5272,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Mjenice pod 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Prvo dodajte stavke u tablicu Lokacije predmeta DocType: Pricing Rule,Discount Amount,Iznos popusta DocType: Pricing Rule,Period Settings,Postavke razdoblja DocType: Purchase Invoice,Return Against Purchase Invoice,Povratak protiv fakturi @@ -5237,7 +5305,6 @@ DocType: Assessment Plan,Assessment Plan,plan Procjena DocType: Travel Request,Fully Sponsored,Potpuno sponzoriran apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Obrnuti unos dnevnika apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Izradite Job Card -DocType: Shift Type,Consequence after,Posljedica poslije DocType: Quality Procedure Process,Process Description,Opis procesa apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Korisnik {0} je stvoren. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Trenutno nema raspoloživih količina u bilo kojem skladištu @@ -5272,6 +5339,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Razmak Datum DocType: Delivery Settings,Dispatch Notification Template,Predložak obavijesti o otpremi apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Izvješće o procjeni apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Dobiti zaposlenike +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 @@ -5365,7 +5433,6 @@ DocType: Stock Settings,Use Naming Series,Upotrijebite seriju naziva apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Nema akcije apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Troškovi tipa Vrednovanje se ne može označiti kao Inclusive DocType: POS Profile,Update Stock,Ažuriraj zalihe -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Različite mjerne jedinice proizvoda će dovesti do ukupne pogrešne neto težine. Budite sigurni da je neto težina svakog proizvoda u istoj mjernoj jedinici. DocType: Certification Application,Payment Details,Pojedinosti o plaćanju apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM stopa @@ -5400,7 +5467,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,To jekorijen prodavač i ne može se mijenjati . DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ako je odabrana, navedena ili izračunana vrijednost u ovoj komponenti neće pridonijeti zaradi ili odbitcima. Međutim, vrijednost se može upućivati na druge komponente koje se mogu dodati ili odbiti." -DocType: Asset Settings,Number of Days in Fiscal Year,Broj dana u fiskalnoj godini ,Stock Ledger,Glavna knjiga DocType: Company,Exchange Gain / Loss Account,Razmjena Dobit / gubitka DocType: Amazon MWS Settings,MWS Credentials,MWS vjerodajnice @@ -5435,6 +5501,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Stupac u datoteci banke apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Napusti program {0} već postoji protiv učenika {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,U redu čekanja za ažuriranje najnovije cijene u svim Bill of Materials. Može potrajati nekoliko minuta. +DocType: Pick List,Get Item Locations,Dohvati lokacije predmeta apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Naziv novog računa. Napomena: Molimo vas da ne stvaraju račune za kupce i dobavljače DocType: POS Profile,Display Items In Stock,Prikaz stavki na zalihi apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Država mudar zadana adresa predlošci @@ -5458,6 +5525,7 @@ DocType: Crop,Materials Required,Potrebni materijali apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Nema učenika Pronađeno DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Mjesečni izuzeće HRA-e DocType: Clinical Procedure,Medical Department,Medicinski odjel +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Ukupno rani izlazi DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kriterij bodovanja ocjenjivača dobavljača apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Račun knjiženja Datum apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Prodavati @@ -5469,11 +5537,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Izbrišite zaposlenika {0} \ da biste otkazali ovaj dokument" DocType: Program Enrollment,School House,Škola Kuća DocType: Serial No,Out of AMC,Od AMC DocType: Opportunity,Opportunity Amount,Iznos prilika +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Tvoj profil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Broj deprecijaciju rezervirano ne može biti veća od Ukupan broj deprecijaciju DocType: Purchase Order,Order Confirmation Date,Datum potvrde narudžbe DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5567,7 +5634,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Postoje nedosljednosti između stope, broja dionica i izračunate iznosa" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Niste prisutni cijeli dan između dana zahtjeva za kompenzacijski dopust apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Ponovno upišite naziv tvrtke za potvrdu -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Ukupni Amt DocType: Journal Entry,Printing Settings,Ispis Postavke DocType: Payment Order,Payment Order Type,Vrsta naloga za plaćanje DocType: Employee Advance,Advance Account,Advance Account @@ -5656,7 +5722,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Naziv godine apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Postoji više odmor nego radnih dana ovog mjeseca . apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Sljedeće stavke {0} nisu označene kao {1} stavka. Možete ih omogućiti kao {1} stavku iz svog master stavke -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Proizvod bala predmeta DocType: Sales Partner,Sales Partner Name,Naziv prodajnog partnera apps/erpnext/erpnext/hooks.py,Request for Quotations,Zahtjev za dostavljanje ponuda @@ -5665,19 +5730,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,lišće +DocType: Leave Ledger Entry,Leaves,lišće DocType: Student Language,Student Language,Student jezika DocType: Cash Flow Mapping,Is Working Capital,Radni kapital apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Pošaljite dokaz apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Redoslijed / kvota% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Snimite pacijente Vitals DocType: Fee Schedule,Institution,Institucija -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: Asset,Partially Depreciated,djelomično amortiziraju DocType: Issue,Opening Time,Radno vrijeme apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Od i Do datuma zahtijevanih apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Vrijednosni papiri i robne razmjene -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Sažetak poziva do {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Pretraživanje dokumenata apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Zadana mjerna jedinica za Variant '{0}' mora biti isti kao u predložak '{1}' DocType: Shipping Rule,Calculate Based On,Izračun temeljen na @@ -5723,6 +5786,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Najveća dopuštena vrijednost 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 DocType: Lab Test Template,Sensitivity,Osjetljivost DocType: Plaid Settings,Plaid Settings,Postavke pleta apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Sinkronizacija je privremeno onemogućena zbog prekoračenja maksimalnih pokušaja @@ -5740,6 +5804,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Molimo odaberite datum knjiženja prvo apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Otvaranje Datum bi trebao biti prije datuma zatvaranja DocType: Travel Itinerary,Flight,Let +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Povratak kući DocType: Leave Control Panel,Carry Forward,Prenijeti apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Troška s postojećim transakcija ne može pretvoriti u knjizi DocType: Budget,Applicable on booking actual expenses,Primjenjivo pri rezerviranju stvarnih troškova @@ -5795,6 +5860,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Napravi ponudu apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Niste ovlašteni za odobravanje lišće o skupnom Datumi apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Zahtjev za {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Svi ovi proizvodi su već fakturirani +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Nisu pronađene nepodmirene fakture za {0} {1} koji ispunjavaju filtre koje ste naveli. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Postavite novi datum izdavanja DocType: Company,Monthly Sales Target,Mjesečni cilj prodaje apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nisu pronađene nepodmirene fakture @@ -5841,6 +5907,7 @@ DocType: Water Analysis,Type of Sample,Vrsta uzorka DocType: Batch,Source Document Name,Izvorni naziv dokumenta DocType: Production Plan,Get Raw Materials For Production,Dobiti sirovine za proizvodnju DocType: Job Opening,Job Title,Titula +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Buduće plaćanje Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} označava da {1} neće ponuditi ponudu, ali su citirane sve stavke \. Ažuriranje statusa licitacije." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimalni uzorci - {0} već su zadržani za šaržu {1} i stavku {2} u seriji {3}. @@ -5851,12 +5918,10 @@ 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: Company,Product Code,Šifra proizvoda DocType: Quality Review Table,Objective,Cilj DocType: Supplier Scorecard,Per Month,Na mjesec DocType: Education Settings,Make Academic Term Mandatory,Učini akademski pojam obvezan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Količina za proizvodnju mora biti veći od 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Izračunavanje raspoređenog amortizacijskog plana temeljenog na fiskalnoj godini +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Količina za proizvodnju mora biti veći od 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Pogledajte izvješće razgovora vezanih uz održavanje. DocType: Stock Entry,Update Rate and Availability,Brzina ažuriranja i dostupnost 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.,Postotak koju smiju primiti ili isporučiti više od naručene količine. Na primjer: Ako ste naručili 100 jedinica. i tvoj ispravak je 10% onda se smiju primati 110 jedinica. @@ -5867,7 +5932,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Datum izlaska mora biti u budućnosti DocType: BOM,Website Description,Opis web stranice apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Neto promjena u kapitalu -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Otkažite fakturi {0} prvi apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Nije dopušteno. Onemogućite vrstu usluge apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-mail adresa mora biti jedinstvena, već postoji za {0}" DocType: Serial No,AMC Expiry Date,AMC Datum isteka @@ -5911,6 +5975,7 @@ DocType: Pricing Rule,Price Discount Scheme,Shema popusta na cijene apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Status održavanja mora biti poništen ili dovršen za slanje DocType: Amazon MWS Settings,US,NAS DocType: Holiday List,Add Weekly Holidays,Dodajte tjedne praznike +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Stavka izvješća DocType: Staffing Plan Detail,Vacancies,Slobodna radna mjesta DocType: Hotel Room,Hotel Room,Hotelska soba apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Račun {0} ne pripada društvu {1} @@ -5962,12 +6027,15 @@ DocType: Email Digest,Open Quotations,Otvori citate 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Izbrišite zaposlenika {0} \ da biste otkazali ovaj dokument" 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 @@ -5981,6 +6049,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,prazan DocType: Patient,Alcohol Past Use,Prethodna upotreba alkohola DocType: Fertilizer Content,Fertilizer Content,Sadržaj gnojiva +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,bez opisa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Državna naplate DocType: Quality Goal,Monitoring Frequency,Učestalost nadgledanja @@ -5998,6 +6067,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Završava Datum ne može biti prije Sljedećeg datuma kontakta. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Ulazne serije DocType: Journal Entry,Pay To / Recd From,Platiti do / primiti od +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Ponipublishtavanje stavke DocType: Naming Series,Setup Series,Postavljanje Serija DocType: Payment Reconciliation,To Invoice Date,Za Račun Datum DocType: Bank Account,Contact HTML,Kontakt HTML @@ -6019,6 +6089,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Maloprodaja DocType: Student Attendance,Absent,Odsutan DocType: Staffing Plan,Staffing Plan Detail,Detalj planova osoblja DocType: Employee Promotion,Promotion Date,Datum promocije +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Dodjela odmora% s povezana je s aplikacijom za dopust% s 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} @@ -6053,9 +6124,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Račun {0} više ne postoji DocType: Guardian Interest,Guardian Interest,Guardian kamata DocType: Volunteer,Availability,dostupnost +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Prijava za odlazak povezana je s izdvajanjima za dopust {0}. Aplikacija za napuštanje ne može se postaviti kao dopust bez plaćanja apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Postavljanje zadanih vrijednosti za POS fakture DocType: Employee Training,Training,Trening DocType: Project,Time to send,Vrijeme je za slanje +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Ova stranica prati vaše predmete za koje su kupci pokazali neki interes. DocType: Timesheet,Employee Detail,Detalj zaposlenika 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 @@ -6151,12 +6224,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Otvaranje vrijednost DocType: Salary Component,Formula,Formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serijski # -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: 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/setup/doctype/company/company.py,Sales Account,Račun prodaje DocType: Purchase Invoice Item,Total Weight,Totalna tezina +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}" @@ -6180,6 +6253,7 @@ DocType: Company,Default Employee Advance Account,Zadani račun predujam zaposle apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Pretraživanje (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Račun s postojećom transakcijom ne može se izbrisati +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Zašto mislite da bi ovaj predmet trebao biti uklonjen? DocType: Vehicle,Last Carbon Check,Posljednja Carbon Check apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Pravni troškovi apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Molimo odaberite količinu na red @@ -6199,6 +6273,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Slom DocType: Travel Itinerary,Vegetarian,Vegetarijanac DocType: Patient Encounter,Encounter Date,Datum susreta +DocType: Work Order,Update Consumed Material Cost In Project,Ažuriranje troškova utrošenog materijala u projektu apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutom: {1} ne može se odabrati DocType: Bank Statement Transaction Settings Item,Bank Data,Podaci o bankama DocType: Purchase Receipt Item,Sample Quantity,Količina uzorka @@ -6253,7 +6328,7 @@ DocType: GSTR 3B Report,April,travanj 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Napomena : Proizvod {0} je upisan više puta +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Napomena : Proizvod {0} je upisan više puta apps/erpnext/erpnext/config/buying.py,All Contacts.,Svi kontakti. DocType: Accounting Period,Closed Documents,Zatvoreni dokumenti 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 @@ -6335,9 +6410,7 @@ DocType: Member,Membership Type,Vrsta članstva ,Reqd By Date,Reqd Po datumu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Vjerovnici DocType: Assessment Plan,Assessment Name,Naziv Procjena -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Prikaži PDC u Ispis apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Red # {0}: Serijski br obvezno -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Nisu pronađene nepodmirene fakture za {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stavka Wise Porezna Detalj DocType: Employee Onboarding,Job Offer,Ponuda za posao apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut naziv @@ -6396,6 +6469,7 @@ DocType: Serial No,Out of Warranty,Od jamstvo DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Vrsta kartiranog podataka DocType: BOM Update Tool,Replace,Zamijeniti apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Nisu pronađeni proizvodi. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Objavite još predmeta apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Ovaj Ugovor o razini usluge specifičan je za kupca {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} u odnosu na prodajnom računu {1} DocType: Antibiotic,Laboratory User,Korisnik laboratorija @@ -6418,7 +6492,6 @@ DocType: Payment Order Reference,Bank Account Details,Detalji bankovnog računa DocType: Purchase Order Item,Blanket Order,Narudžba pokrivača 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Proizvodni nalog je bio {0} DocType: BOM Item,BOM No,BOM br. 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 @@ -6491,6 +6564,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Porezni porezi (nulta ocjena) DocType: BOM,Materials Required (Exploded),Potrebna roba 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/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 @@ -6548,7 +6622,6 @@ DocType: Pricing Rule,Same Item,Ista stavka DocType: Stock Ledger Entry,Stock Ledger Entry,Upis u glavnu knjigu DocType: Quality Action Resolution,Quality Action Resolution,Kvalitetna rezolucija akcije apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} na Poludnevni dopust na {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Isti predmet je ušao više puta DocType: Department,Leave Block List,Popis neodobrenih odsustva DocType: Purchase Invoice,Tax ID,OIB apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Stavka {0} nije setup za serijski brojevi Stupac mora biti prazan @@ -6586,7 +6659,7 @@ 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 DocType: Purchase Invoice,Return,Povratak -DocType: Accounting Dimension,Disable,Ugasiti +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 DocType: Task,Pending Review,U tijeku pregled apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Uređivanje u cijeloj stranici za više opcija kao što su imovina, serijski brojevi, serije itd." @@ -6699,7 +6772,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Udio kombiniranog računa mora biti jednak 100% DocType: Item Default,Default Expense Account,Zadani račun rashoda DocType: GST Account,CGST Account,CGST račun -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod artikla> Grupa artikala> Marka apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student ID e-pošte DocType: Employee,Notice (days),Obavijest (dani) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS fakture zatvaranja bonova za POS @@ -6710,6 +6782,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Odaberite stavke za spremanje račun DocType: Employee,Encashment Date,Encashment Datum DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Podaci o prodavaču DocType: Special Test Template,Special Test Template,Posebni predložak testa DocType: Account,Stock Adjustment,Stock Podešavanje apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Zadana aktivnost Troškovi postoji Vrsta djelatnosti - {0} @@ -6721,7 +6794,6 @@ 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 -DocType: Company,Bank Remittance Settings,Postavke bankovnih doznaka apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Prosječna stopa 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 @@ -6749,6 +6821,7 @@ DocType: Grading Scale Interval,Threshold,Prag apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtriraj zaposlenike prema (neobavezno) DocType: BOM Update Tool,Current BOM,Trenutni BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Stanje (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Količina proizvoda gotove robe apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Dodaj serijski broj DocType: Work Order Item,Available Qty at Source Warehouse,Dostupni broj u Izvornoj skladištu apps/erpnext/erpnext/config/support.py,Warranty,garancija @@ -6827,7 +6900,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Ovdje možete održavati visina, težina, alergije, medicinske brige itd." apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Stvaranje računa ... DocType: Leave Block List,Applies to Company,Odnosi se na Društvo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Ne može se otkazati, jer skladišni ulaz {0} postoji" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Ne može se otkazati, jer skladišni ulaz {0} postoji" DocType: Loan,Disbursement Date,datum isplate DocType: Service Level Agreement,Agreement Details,Pojedinosti o ugovoru apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Datum početka ugovora ne može biti veći ili jednak Krajnjem datumu. @@ -6836,6 +6909,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medicinski zapis DocType: Vehicle,Vehicle,Vozilo DocType: Purchase Invoice,In Words,Riječima +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Do danas treba biti prije od datuma apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Unesite naziv banke ili institucije posudbe prije slanja. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} mora biti poslano DocType: POS Profile,Item Groups,stavka Grupe @@ -6907,7 +6981,6 @@ DocType: Customer,Sales Team Details,Detalji prodnog tima apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Brisanje trajno? DocType: Expense Claim,Total Claimed Amount,Ukupno Zatražio Iznos apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potencijalne prilike za prodaju. -DocType: Plaid Settings,Link a new bank account,Povežite novi bankovni račun apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} je nevažeći status posjećenosti. DocType: Shareholder,Folio no.,Folio br. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Pogrešna {0} @@ -6923,7 +6996,6 @@ DocType: Production Plan,Material Requested,Traženi materijal DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Rezervirani kvota za podugovor DocType: Patient Service Unit,Patinet Service Unit,Patinet servisna jedinica -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Generiranje tekstualne datoteke DocType: Sales Invoice,Base Change Amount (Company Currency),Baza Promjena Iznos (Društvo valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Nema računovodstvenih unosa za ova skladišta apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Samo {0} na zalihama za stavku {1} @@ -6937,6 +7009,7 @@ DocType: Item,No of Months,Broj mjeseci DocType: Item,Max Discount (%),Maksimalni popust (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Dani kredita ne može biti negativan broj apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Prenesite izjavu +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Prijavite ovu stavku DocType: Purchase Invoice Item,Service Stop Date,Datum zaustavljanja usluge apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Iznos zadnje narudžbe DocType: Cash Flow Mapper,e.g Adjustments for:,npr. prilagodbe za: @@ -7030,16 +7103,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Kategorija oslobođenja od plaćanja poreza za zaposlenike apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Iznos ne smije biti manji od nule. DocType: Sales Invoice,C-Form Applicable,Primjenjivi C-obrazac -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Operacija vrijeme mora biti veći od 0 za rad {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Operacija vrijeme mora biti veći od 0 za rad {0} DocType: Support Search Source,Post Route String,Obaviti redak puta apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Skladište je obavezno apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Izrada web mjesta nije uspjela DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM pretvorbe Detalj apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Upis i upis -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Dionice za zadržavanje koji su već stvoreni ili Uzorak Količina nije predviđen +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Dionice za zadržavanje koji su već stvoreni ili Uzorak Količina nije predviđen DocType: Program,Program Abbreviation,naziv programa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Proizvodnja Red ne može biti podignuta protiv predložak točka apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupiranje po vaučerima (konsolidirani) DocType: HR Settings,Encrypt Salary Slips in Emails,Šifrirajte kamate na plaće u e-porukama DocType: Question,Multiple Correct Answer,Više točnih odgovora @@ -7086,7 +7158,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Nema ocjene ili je izuze DocType: Employee,Educational Qualification,Obrazovne kvalifikacije DocType: Workstation,Operating Costs,Operativni troškovi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Valuta za {0} mora biti {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Posljedica razdoblja unosa Grace DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Označite dolazak na temelju "Checkinge Employee Checkin" za zaposlenike koji su dodijeljeni ovoj smjeni. DocType: Asset,Disposal Date,Datum Odlaganje DocType: Service Level,Response and Resoution Time,Vrijeme reakcije i odziva @@ -7134,6 +7205,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Završetak Datum DocType: Purchase Invoice Item,Amount (Company Currency),Iznos (valuta tvrtke) DocType: Program,Is Featured,Je istaknuto +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Preuzimanje u tijeku ... DocType: Agriculture Analysis Criteria,Agriculture User,Korisnik poljoprivrede apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Vrijednost do datuma ne može biti prije datuma transakcije apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} jedinica {1} potrebna u {2} na {3} {4} od {5} za dovršetak ovu transakciju. @@ -7166,7 +7238,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Cjelokupni iznos Amt 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 @@ -7190,6 +7261,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,anoniman apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Primljeno od DocType: Lead,Converted,Pretvoreno DocType: Item,Has Serial No,Ima serijski br +DocType: Stock Entry Detail,PO Supplied Item,Predmet isporučenog predmeta 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} @@ -7304,7 +7376,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Sinkroniziranje poreza i na 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Zadana BOM za {0} nije pronađena +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Dodirnite stavke da biste ih dodali ovdje @@ -7338,7 +7410,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Datum održavanje DocType: Purchase Invoice Item,Rejected Serial No,Odbijen Serijski br apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Godina datum početka ili završetka je preklapanje s {0}. Da bi se izbjegla postavite tvrtku -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 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Navedite Lead Name u Lead {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Početak bi trebao biti manji od krajnjeg datuma za točke {0} DocType: Shift Type,Auto Attendance Settings,Postavke automatske posjećenosti @@ -7349,9 +7420,11 @@ DocType: Upload Attendance,Upload Attendance,Upload Attendance apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM i proizvodnja Količina potrebne su apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Starenje Raspon 2 DocType: SG Creation Tool Course,Max Strength,Max snaga +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Račun {0} već postoji u dječjoj tvrtki {1}. Sljedeća polja imaju različite vrijednosti, trebala bi biti ista:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instaliranje unaprijed postavljenih postavki DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Nijedna isporuka nije odabrana za kupca {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Redovi dodano u {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Zaposlenik {0} nema maksimalnu naknadu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Odaberite stavke na temelju datuma isporuke DocType: Grant Application,Has any past Grant Record,Ima li nekih prethodnih Grant Record @@ -7395,6 +7468,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Pojedinosti studenata DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Ovo je zadani UOM koji se koristi za artikle i prodajne naloge. Povratni UOM je "Nos". DocType: Purchase Invoice Item,Stock Qty,Kataloški broj +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 DocType: Loan,Repayment Period in Months,Rok otplate u mjesecima @@ -7423,6 +7497,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Popust apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet za zadatke. DocType: Purchase Invoice,Against Expense Account,Protiv Rashodi račun apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Napomena instalacije {0} je već potvrđena +DocType: BOM,Raw Material Cost (Company Currency),Trošak sirovina (Društvena valuta) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},"Najam plaćenih dana za kuću, preklapajući se sa {0}" DocType: GSTR 3B Report,October,listopad DocType: Bank Reconciliation,Get Payment Entries,Dobiti Ulaz plaćanja @@ -7469,15 +7544,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Dostupan je za datum upotrebe DocType: Request for Quotation,Supplier Detail,Dobavljač Detalj apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Greška u formuli ili stanja: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Dostavljeni iznos +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Dostavljeni iznos apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Ponderi kriterija moraju se dodati do 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Pohađanje apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,zalihi DocType: Sales Invoice,Update Billed Amount in Sales Order,Ažurirajte količinu naplaćenu u prodajnom nalogu +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Kontaktirajte prodavača 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,U riječi će biti vidljiv nakon što spremite narudžbenice. @@ -7491,6 +7568,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Glavni cjenik. DocType: Task,Review Date,Recenzija Datum DocType: BOM,Allow Alternative Item,Dopusti alternativnu stavku +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Kupnja potvrde nema stavku za koju je omogućen zadržati uzorak. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura ukupno DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serija za unos amortizacije imovine (unos dnevnika) DocType: Membership,Member Since,Član od @@ -7500,6 +7578,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,VPC 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},Vrijednost za atribut {0} mora biti unutar raspona od {1} {2} u koracima od {3} za točku {4} DocType: Pricing Rule,Product Discount Scheme,Shema popusta na proizvode +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Nazivatelj nije pokrenuo nijedan problem. DocType: Restaurant Reservation,Waitlisted,na listi čekanja DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategorija izuzeća apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valuta se ne može mijenjati nakon što unose pomoću neke druge valute @@ -7513,7 +7592,6 @@ DocType: Customer Group,Parent Customer Group,Nadređena grupa kupaca apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON može se generirati samo iz prodajne fakture apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Došli su maksimalni pokušaji ovog kviza! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Pretplata -DocType: Purchase Invoice,Contact Email,Kontakt email apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Kreiranje pristojbe na čekanju DocType: Project Template Task,Duration (Days),Trajanje (dani) DocType: Appraisal Goal,Score Earned,Ocjena Zarađeni @@ -7538,7 +7616,6 @@ DocType: Landed Cost Item,Landed Cost Item,Stavka zavisnih troškova 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Iznos za jednu transakciju premašuje maksimalno dopušteni iznos, izradite zasebni platni nalog dijeljenjem transakcija" 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 @@ -7706,6 +7783,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Dostu DocType: Quality Inspection Reading,Reading 3,Čitanje 3 DocType: Stock Entry,Source Warehouse Address,Izvorna skladišna adresa DocType: GL Entry,Voucher Type,Bon Tip +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Buduće isplate 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 @@ -7732,6 +7810,7 @@ DocType: Travel Request,Identification Document Number,Broj dokumenta za identif 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." DocType: Sales Invoice,Customer GSTIN,Korisnik GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Popis bolesti otkrivenih na terenu. Kada je odabrana automatski će dodati popis zadataka za rješavanje ove bolesti +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Ovo je jedinica za zdravstvenu zaštitu root i ne može se uređivati. DocType: Asset Repair,Repair Status,Status popravka 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 ." @@ -7746,6 +7825,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Račun za promjene visine DocType: QuickBooks Migrator,Connecting to QuickBooks,Povezivanje s QuickBooksom DocType: Exchange Rate Revaluation,Total Gain/Loss,Ukupni dobitak / gubitak +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Stvorite popis za odabir apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Red {0}: stranka / računa ne odgovara {1} / {2} u {3} {4} DocType: Employee Promotion,Employee Promotion,Promocija zaposlenika DocType: Maintenance Team Member,Maintenance Team Member,Odjel za tim za održavanje @@ -7828,6 +7908,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto plaća ne može biti negativna @@ -7859,7 +7940,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Cilj kvalitete DocType: BOM,Item to be manufactured or repacked,Proizvod će biti proizveden ili prepakiran apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Pogreška sintakse u stanju: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Kupac nije postavio nijedan problem. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Glavni / Izborni predmeti apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Postavite grupu dobavljača u Postavke kupnje. @@ -7952,8 +8032,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Kreditne Dani apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Odaberite Pacijent da biste dobili laboratorijske testove DocType: Exotel Settings,Exotel Settings,Postavke egzotela -DocType: Leave Type,Is Carry Forward,Je Carry Naprijed +DocType: Leave Ledger Entry,Is Carry Forward,Je Carry Naprijed DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Radno vrijeme ispod kojeg je označeno Odsutno. (Nula za onemogućavanje) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Pošalji poruku apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM) 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 diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv index 079d3db8a7..42670c8fdb 100644 --- a/erpnext/translations/hu.csv +++ b/erpnext/translations/hu.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Értesítse a szállítót apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,"Kérjük, válasszon Ügyfelet először" DocType: Item,Customer Items,Vevői tételek +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Kötelezettségek DocType: Project,Costing and Billing,Költség- és számlázás apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Az előlegszámla pénznemének meg kell egyeznie a vállalati valuta {0} DocType: QuickBooks Migrator,Token Endpoint,Token végpont @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Alapértelmezett mértékegység DocType: SMS Center,All Sales Partner Contact,Összes értékesítő partner kapcsolata DocType: Department,Leave Approvers,Távollét jóváhagyók DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Elemek keresése ... DocType: Patient Encounter,Investigations,Laboratóriumi vizsgálatok eredményei DocType: Restaurant Order Entry,Click Enter To Add,Kattintson az Enterre a hozzáadáshoz apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Hiányzó értékek a jelszó, az API-kulcs vagy a Shopify URL-hez" DocType: Employee,Rented,Bérelt apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Minden fiók apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Nem lehet átirányítani a távolléten lévő alkalmazottat -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Leállított gyártás rendelés nem törölhető, először tegye folyamatba a törléshez" DocType: Vehicle Service,Mileage,Távolság apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Tényleg szeretné kiselejtezni ezt a Vagyontárgyat? DocType: Drug Prescription,Update Schedule,Frissítse az ütemtervet @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Vevő DocType: Purchase Receipt Item,Required By,Által előírt DocType: Delivery Note,Return Against Delivery Note,Szállítólevél ellenszámlája DocType: Asset Category,Finance Book Detail,Pénzügyi könyv részletei +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Az összes értékcsökkenést lekötötték DocType: Purchase Order,% Billed,% számlázva apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Bérszám apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Az Átváltási aránynak ugyanannak kell lennie mint {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Kötegelt tétel Lejárat állapota apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bank tervezet DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Összes kései bejegyzés DocType: Mode of Payment Account,Mode of Payment Account,Fizetési számla módja apps/erpnext/erpnext/config/healthcare.py,Consultation,Konzultáció DocType: Accounts Settings,Show Payment Schedule in Print,Fizetési ütemezés megjelenítése a nyomtatásban @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,K apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Elsődleges kapcsolattartási adatok apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,"Problémák, Ügyek megnyitása" DocType: Production Plan Item,Production Plan Item,Gyártási terv tétele +DocType: Leave Ledger Entry,Leave Ledger Entry,Hagyja el a főkönyvi bejegyzést 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} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},A {0} mező a (z) {1} méretre korlátozódik 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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Leg DocType: Purchase Invoice Item,Item Weight Details,Tétel súly részletei DocType: Asset Maintenance Log,Periodicity,Időszakosság apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Pénzügyi év {0} szükséges +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Nettó nyereség / veszteség DocType: Employee Group Table,ERPNext User ID,ERPNext felhasználói azonosító DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimális távolság a növények sorai között az optimális növekedés érdekében apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Válassza ki a Páciens elemet az előírt eljárás megkezdéséhez @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Értékesítési ár-lista DocType: Patient,Tobacco Current Use,Dohányzás jelenlegi felhasználása apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Értékesítési ár -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,"Kérjük, mentse el a dokumentumot, mielőtt új fiókot hozzáadna" 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Nyug DocType: Exchange Rate Revaluation Account,Gain/Loss,Nyereség/Veszteség DocType: Crop,Perennial,Állandó DocType: Program,Is Published,Megjelent +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Szállítási jegyzetek megjelenítése apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",A túlzott számlázás engedélyezéséhez frissítse a "Fiókbeállítások felett" pontot a "Túlfizetési támogatás" alatt. DocType: Patient Appointment,Procedure,Eljárás DocType: Accounts Settings,Use Custom Cash Flow Format,Használja az egyéni pénzforgalom formátumot @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Távollét szabályok részletei DocType: BOM,Item Image (if not slideshow),Tétel Kép (ha nem slideshow) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"{0} sor: A (z) {1} művelet a (z) {3} munkarenden lévő {2} mennyiségű készterméknél nem fejeződött be. Kérjük, frissítse a működési állapotot a (z) {4} Job Card segítségével." -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","A (z) {0} kötelező az átutalások kifizetéséhez, állítsa be a mezőt, és próbálja újra" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Óra érték / 60) * aktuális üzemidő apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,#{0} sor: A referencia dokumentum típusának a Költség igény vagy Jóváírás bejegyzések egyikének kell lennie apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Válasszon Anyagj @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Törleszteni megadott számú időszakon belül apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Gyártandó mennyiség nem lehet kevesebb mint nulla DocType: Stock Entry,Additional Costs,További költségek +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Vevő> Vevőcsoport> Terület apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Meglévő tranzakcióval rendelkező számla nem konvertálható csoporttá. DocType: Lead,Product Enquiry,Gyártmány igénylés DocType: Education Settings,Validate Batch for Students in Student Group,Érvényesítse a köteget a Diák csoportban lévő diák számára @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Diplomázás alatt apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,"Kérjük, állítsa be az alapértelmezett sablont a kilépési állapot értesítéshez a HR beállításoknál." apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Cél ezen DocType: BOM,Total Cost,Összköltség +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Az allokáció lejárt! DocType: Soil Analysis,Ca/K,Ca/K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maximális szállított levelek száma DocType: Salary Slip,Employee Loan,Alkalmazotti hitel DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Fizetési kérelem küldése e-mailben @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Ingatl apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Főkönyvi számla kivonata apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Gyógyszeriparok DocType: Purchase Invoice Item,Is Fixed Asset,Ez álló-eszköz +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Mutassa a jövőbeli kifizetéseket DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Ez a bankszámla már szinkronizálva van DocType: Homepage,Homepage Section,Honlap szakasz @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Trágya apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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," -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Legalább egy fizetési mód szükséges POS számlára. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},A (z) {0} tételhez tétel nem szükséges DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Banki kivonat Tranzakciós számla tétel @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Válasszon Feltételeket apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Értéken kívül DocType: Bank Statement Settings Item,Bank Statement Settings Item,Banki kivonat beállítás tételei DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce beállítások +DocType: Leave Ledger Entry,Transaction Name,Tranzakció neve DocType: Production Plan,Sales Orders,Vevői rendelés apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,"Több törzsvásárlói program található a vevő számára. Kérjük, válassza ki kézzel." DocType: Purchase Taxes and Charges,Valuation,Készletérték @@ -460,6 +468,7 @@ DocType: Company,Enable Perpetual Inventory,Engedélyezze a folyamatos készlete 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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Csak ennek a vevő csoportnak a tagjait mutassa DocType: Sales Invoice,Is Opening Entry,Ez kezdő könyvelési tétel @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,"Megemlít, ha nem szabványos bevételi számla alkalmazandó" DocType: Course Schedule,Instructor Name,Oktató neve DocType: Company,Arrear Component,Állományi komponens +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,Stock Entry has been already created against this Pick List,A készletbejegyzés már létre lett hozva ezzel a válogatási listával DocType: Supplier Scorecard,Criteria Setup,Kritérium beállítása -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,"Raktár szükséges, mielőtt beküldané" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,"Raktár szükséges, mielőtt beküldané" apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html,Received On,Ekkor beérkezett DocType: Codification Table,Medical Code,Orvosi kódex apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Csatlakoztassa az Amazon-t az ERPNext segítségével @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankszámlák hozzáadva -DocType: Delivery Stop,Contact Name,Kapcsolattartó neve +DocType: Call Log,Contact Name,Kapcsolattartó neve DocType: Plaid Settings,Synchronize all accounts every hour,Minden fiók szinkronizálása óránként DocType: Course Assessment Criteria,Course Assessment Criteria,Tanfolyam Értékelési kritériumok DocType: Pricing Rule Detail,Rule Applied,Alkalmazott szabály @@ -529,7 +539,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Ismeretlen szám DocType: Website Filter Field,Website Filter Field,Webhelyszűrő mező apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Táptípus DocType: Material Request Item,Min Order Qty,Min. rendelési menny. @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Teljes tőkeösszeg DocType: Student Guardian,Relation,Kapcsolat DocType: Quiz Result,Correct,Helyes DocType: Student Guardian,Mother,Anya -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Először vegye fel az érvényes Plaid api kulcsokat a site_config.json webhelyre DocType: Restaurant Reservation,Reservation End Time,Foglalás vége DocType: Crop,Biennial,Kétévenként ,BOM Variance Report,ANYAGJ variáció jelentés @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},"Fizetés {0} {1} ellenében nem lehet nagyobb, mint kintlevő, fennálló negatív összeg {2}" @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Offline POS kassza beállítás DocType: Stock Entry Detail,Reference Purchase Receipt,Referencia-vásárlási nyugta DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Változata -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Befejezett Menny nem lehet nagyobb, mint 'Gyártandó Menny'" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Befejezett Menny nem lehet nagyobb, mint 'Gyártandó Menny'" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Periódus alapján DocType: Period Closing Voucher,Closing Account Head,Záró fiók vezetője DocType: Employee,External Work History,Külső munka története apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Körkörös hivatkozás hiba apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Tanulói jelentés kártya apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Pin kódból +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Mutassa az értékesítő személyt DocType: Appointment Type,Is Inpatient,Ő fekvőbeteg apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Helyettesítő1 neve DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Szavakkal (Export) lesz látható, miután menttette a szállítólevelet." @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Dimenzió neve apps/erpnext/erpnext/healthcare/setup.py,Resistant,Ellenálló apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Kérjük, állítsa be a szobaárakat a {}" +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: Journal Entry,Multi Currency,Több pénznem DocType: Bank Statement Transaction Invoice Item,Invoice Type,Számla típusa apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,A dátumtól érvényesnek kevesebbnek kell lennie az érvényes dátumig @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Belépést nyer DocType: Workstation,Rent Cost,Bérleti díj 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Közelgő naptári események apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variant attribútumok @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Ajánlatkérés 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Mutassa az értékesítő személyt a nyomtatásban 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 @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Hozzon létre egy új Vevőt apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Megszűnés ekkor apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ha több árképzési szabály továbbra is fennáll, a felhasználók fel lesznek kérve, hogy a kézi prioritás beállítással orvosolják a konfliktusokat." -DocType: Purchase Invoice,Scan Barcode,Barcode beolvasás apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Beszerzési megrendelés létrehozása ,Purchase Register,Beszerzési Regisztráció apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Beteg nem található @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Értékesítési partner DocType: Account,Old Parent,Régi szülő apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Kötelező mező - Tanév apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} nincs társítva ezekhez: {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Bér összetevők a munkaidő jelenléti ív alapú bérhez. DocType: Driver,Applicable for external driver,Külső meghajtóhoz alkalmazható DocType: Sales Order Item,Used for Production Plan,Termelési tervhez használja +DocType: BOM,Total Cost (Company Currency),Teljes költség (vállalati pénznem) DocType: Loan,Total Payment,Teljes fizetés apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Nem sikerült megszüntetni a befejezett munka rendelés tranzakcióját. DocType: Manufacturing Settings,Time Between Operations (in mins),Műveletek közti idő (percben) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Értesíts mást DocType: Vital Signs,Blood Pressure (systolic),Vérnyomás (szisztolés) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} a {2} DocType: Item Price,Valid Upto,Érvényes eddig: +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. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},A (z) {0} változásai apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,"Kérjük, válasszon Vállalkozást először" DocType: Employee Skill,Employee Skill,Munkavállalói készség apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Különbség főkönyvi számla @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Kockázati tényezők DocType: Patient,Occupational Hazards and Environmental Factors,Foglalkozási veszélyek és környezeti tényezők apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Munka megrendelésre már létrehozott készletbejegyzések apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Lásd a korábbi megrendeléseket +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} beszélgetés DocType: Vital Signs,Respiratory rate,Légzésszám apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Alvállalkozói munkák kezelése DocType: Vital Signs,Body Temperature,Testhőmérséklet @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Regisztrált összetétel apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Helló apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Tétel mozgatása DocType: Employee Incentive,Incentive Amount,Ösztönző összeg +,Employee Leave Balance Summary,Munkavállalói szabadságmérleg-összefoglaló DocType: Serial No,Warranty Period (Days),Garancia idő (nap) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,A teljes hitel/terhelési összegnek meg kell egyeznie a kapcsolódó naplóbejegyzéssel DocType: Installation Note Item,Installation Note Item,Telepítési feljegyzés Elem @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,Dúzzadt DocType: Salary Slip,Salary Slip Timesheet,Bérpapirok munkaidő jelenléti ívei apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Beszállító raktár kötelező az alvállalkozók vásárlási nyugtájához DocType: Item Price,Valid From,Érvényes innentől: +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Az Ön értékelése : DocType: Sales Invoice,Total Commission,Teljes Jutalék DocType: Tax Withholding Account,Tax Withholding Account,Adó visszatartási számla DocType: Pricing Rule,Sales Partner,Vevő partner @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Összes Beszáll 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 +DocType: Item,Website Image,Weboldal kép apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,A {0} sorban lévő célraktárnak meg kell egyeznie a Munka Rendelésével apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Készletérték ár kötelező, ha nyitási készletet felvitt" 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 @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},S 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,A fiók szinkronizálása előtt töltse ki a Plaid API konfigurációját 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 DocType: Job Applicant,Resume Attachment,Folytatás Attachment @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,Termelési terv DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Számlát létrehozó eszköz megnyitása DocType: Salary Component,Round to the Nearest Integer,Kerek a legközelebbi egész számhoz apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Értékesítés visszaküldése -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,"Megjegyzés: Az összes kijelölt távollét: {0} nem lehet kevesebb, mint a már jóváhagyott távollétek: {1} erre az időszakra" DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Mennyiség megadása a sorozatszámos bemeneten alapuló tranzakciókhoz ,Total Stock Summary,Készlet Összefoglaló apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,A l apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Tőkeösszeg DocType: Loan Application,Total Payable Interest,Összesen fizetendő kamat apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Összes kinntlevő: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Nyissa meg a Kapcsolattartót DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Kimenő értékesítési számlák Munkaidő jelenléti ív nyilvántartója 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 @@ -1080,6 +1099,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Alapértelmezett számlael 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 DocType: Restaurant Reservation,Restaurant Reservation,Éttermi foglalás +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Tételek apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Pályázatírás DocType: Payment Entry Deduction,Payment Entry Deduction,Fizetés megadásának levonása DocType: Service Level Priority,Service Level Priority,Szolgáltatási szintű prioritás @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Köteg sorszámozása apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Egy másik Értékesítő személy {0} létezik a azonos alkalmazotti azonosító Id-vel DocType: Employee Advance,Claimed Amount,Igényelt összeg +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Lejárat lejár 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 @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,Köteg neve DocType: Fee Validity,Max number of visit,Látogatások max. száma DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Kötelező az eredménykimutatáshoz ,Hotel Room Occupancy,Szállodai szoba kihasználtság -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Munkaidő jelenléti ív nyilvántartás létrehozva: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},"Kérjük, állítsda be az alapértelmezett Készpénz vagy bankszámlát a Fizetési módban {0}" apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Beiratkozás DocType: GST Settings,GST Settings,GST Beállítások @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),Jutalék mértéke (%) 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: Request for Quotation,Link to material requests,Hivatkozás az anyagra igénylésre +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Közzétesz apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Repülőgép-és űripar ,Fichier des Ecritures Comptables [FEC],Könyvelési tétel fájlok [FEC] DocType: Journal Entry,Credit Card Entry,Hitelkártya bejegyzés @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Jelenlegi vagyontárgyi eszközök apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} nem Készletezhető tétel apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Kérjük, ossza meg visszajelzését a képzéshez az ""Oktatás visszajelzése"", majd az ""Új"" kattintva" +DocType: Call Log,Caller Information,A hívó fél adatai DocType: Mode of Payment Account,Default Account,Alapértelmezett számla apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,"Kérem, először válassza a Mintavétel megörzési raktárat a Készlet beállításaiban" apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,"Kérjük, válassza ki a többszintű program típusát egynél több gyűjtési szabályhoz." @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Auto Anyagigénylés létrehozott DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Munkaidő, amely alatt a Fél napot meghatározták. (Nulla a letiltáshoz)" DocType: Job Card,Total Completed Qty,Összesen elkészült +DocType: HR Settings,Auto Leave Encashment,Automatikus elhagyási kódolás apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Elveszett apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,"Ha nem tudja bevinni a jelenlegi utalványt az ""Ismételt Naplókönyvelés"" oszlopba" DocType: Employee Benefit Application Detail,Max Benefit Amount,Maximális juttatás összege @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Előfizető DocType: Item Attribute Value,Item Attribute Value,Tétel Jellemző értéke apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Pénznem árfolyamnak kell lennie a Beszerzésekre vagy a Vásárói rendelésekre. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Csak a lejárt kiosztást lehet törölni DocType: Item,Maximum sample quantity that can be retained,Maximum tárolható mintamennyiség apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},{0} sor # {1} tétel nem ruházható át több mint {2} vásárlási megrendelésre {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Értékesítési kampányok. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Ismeretlen hívó DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1400,6 +1425,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Egészség apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc név DocType: Expense Claim Detail,Expense Claim Type,Költség igény típusa DocType: Shopping Cart Settings,Default settings for Shopping Cart,Alapértelmezett beállítások a Kosárhoz +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Elem mentése apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Új költség apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Meglévő megrendelt menny. elutasítása apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Adja hozzá az időszakaszokat @@ -1412,6 +1438,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Elküldött meghívó megtekintése DocType: Shift Assignment,Shift Assignment,Turnus hozzárendelés DocType: Employee Transfer Property,Employee Transfer Property,Munkavállalói átruházási tulajdon +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,A saját tőke / forrás számla mező nem lehet üres apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,"Időről időre kevesebb legyen, mint az idő" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotechnológia apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1493,11 +1520,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Állambó 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Tanfolyam menetrend DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B jelentés DocType: Request for Quotation Supplier,Quote Status,Árajánlat állapota DocType: GoCardless Settings,Webhooks Secret,Webes hívatkozáso titkosítása DocType: Maintenance Visit,Completion Status,Készültségi állapot +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},"A teljes kifizetés összege nem lehet nagyobb, mint {}" DocType: Daily Work Summary Group,Select Users,Válassza a Felhasználók lehetőséget 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 @@ -1535,6 +1564,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST ös DocType: Lab Test Template,Result Format,Eredmény formátum DocType: Expense Claim,Expenses,Kiadások DocType: Service Level,Support Hours,Támogatási órák +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Szállító levelek DocType: Item Variant Attribute,Item Variant Attribute,Tétel változat Jellemzője ,Purchase Receipt Trends,Beszerzési nyugták alakulása DocType: Payroll Entry,Bimonthly,Kéthavonta @@ -1557,7 +1587,6 @@ DocType: Sales Team,Incentives,Ösztönzők DocType: SMS Log,Requested Numbers,Kért számok DocType: Volunteer,Evening,Este DocType: Quiz,Quiz Configuration,Kvízkonfiguráció -DocType: Customer,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 @@ -1604,7 +1633,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Pénzne ,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ő -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Nem található a Időkeret a következő {0} napokra erre a műveletre: {1} DocType: Work Order,Plan material for sub-assemblies,Terv anyag a részegységekre 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 @@ -1619,9 +1647,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Az újrarendelés szintjének fenntartása érdekében engedélyeznie kell az automatikus újrarendelést a Készletbeállításokban. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,"Törölje az anyag szemlét: {0}, mielőtt törölné ezt a karbantartási látogatást" DocType: Pricing Rule,Rate or Discount,Árérték vagy kedvezmény +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Banki adatok DocType: Vital Signs,One Sided,Egy oldalas apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Széria sz {0} nem tartozik ehhez a tételhez {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Kötelező Mennyiség +DocType: Purchase Order Item Supplied,Required Qty,Kötelező Mennyiség DocType: Marketplace Settings,Custom Data,Egyéni adatok apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Raktárak meglévő ügyletekkel nem konvertálható főkönyvi tétellé. DocType: Service Day,Service Day,Szolgáltatás napja @@ -1649,7 +1678,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,A fiók pénzneme DocType: Lab Test,Sample ID,Mintaazonosító apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Kérjük említse meg a Gyűjtőt számlát a Vállalkozáson bellül -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Tartomány DocType: Supplier,Default Payable Accounts,Alapértelmezett kifizetendő számlák apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,"Alkalmazott {0} nem aktív, vagy nem létezik" @@ -1690,8 +1718,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Információkérés DocType: Course Activity,Activity Date,Tevékenység dátuma apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},"{} nak,-nek {}" -,LeaderBoard,Ranglista DocType: Sales Invoice Item,Rate With Margin (Company Currency),Árlépésenkénti ár érték (vállalati pénznemben) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategóriák apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Offline számlák szinkronizálása DocType: Payment Request,Paid,Fizetett DocType: Service Level,Default Priority,Alapértelmezett prioritás @@ -1726,11 +1754,11 @@ DocType: Agriculture Task,Agriculture Task,Mezőgazdaság feladat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Közvetett jövedelem DocType: Student Attendance Tool,Student Attendance Tool,Tanuló nyilvántartó eszköz DocType: Restaurant Menu,Price List (Auto created),Árlista (automatikusan létrehozva) +DocType: Pick List Item,Picked Qty,Felvette db DocType: Cheque Print Template,Date Settings,Dátum beállítások 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 -,Company Name,Válallkozás neve 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. @@ -1749,7 +1777,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Legutóbbi kísérlet 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 -DocType: BOM,Raw Material Cost(Company Currency),Nyersanyagköltség (Vállakozás pénzneme) 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 @@ -1816,6 +1843,7 @@ DocType: Travel Itinerary,Train,Vonat ,Delayed Item Report,Késleltetett tételjelentés apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Támogatható ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Beteg fekvőhely +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Tegye közzé első cikkeit DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"A műszak befejezése utáni idő, amely alatt a kijáratot figyelembe veszik a részvételre." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Kérjük adjon meg egy {0} @@ -1931,6 +1959,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,minden anyagjegyz apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Hozzon létre társaságközi naplóbejegyzést DocType: Company,Parent Company,Fő vállalkozás apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},{0} típusú szállodai szobák nem állnak rendelkezésre ekkor: {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Hasonlítsa össze a BOM-kat a nyersanyagok és a műveletek változásaival kapcsolatban apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,A (z) {0} dokumentum sikeresen törölve lett DocType: Healthcare Practitioner,Default Currency,Alapértelmezett pénznem apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Össze egyeztesse ezt a fiókot @@ -1965,6 +1994,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Számla részlete DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fizetés főkönyvi egyeztető Számla DocType: Clinical Procedure,Procedure Template,Eljárás sablon +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Tételek közzététele apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Hozzájárulás% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","A vevői beállítások szerint ha Megrendelés szükséges == 'IGEN', akkor vásárlást igazoló számla létrehozására, a felhasználónak először létre kell hoznia Vevői megrendelést erre a tételre: {0}" ,HSN-wise-summary of outward supplies,HSN-féle összefoglaló a külső felszerelésekről @@ -1977,7 +2007,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',"Kérjük, állítsa be az 'Alkalmazzon további kedvezmény ezen'" DocType: Party Tax Withholding Config,Applicable Percent,Alkalmazható százalék ,Ordered Items To Be Billed,Számlázandó Rendelt mennyiség -DocType: Employee Checkin,Exit Grace Period Consequence,Kilépési türelmi időszak következménye apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Tartományból távolságnak kisebbnek kell lennie mint a Tartományba DocType: Global Defaults,Global Defaults,Általános beállítások apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Project téma Együttműködés Meghívó @@ -1985,13 +2014,11 @@ DocType: Salary Slip,Deductions,Levonások DocType: Setup Progress Action,Action Name,Cselekvés neve apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Kezdő év apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Hozzon létre kölcsönt -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Kezdési időpont az aktuális számla időszakra DocType: Shift Type,Process Attendance After,Folyamat jelenlét után ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Fizetés nélküli távollét DocType: Payment Request,Outward,Kifelé -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Kapacitás tervezés hiba apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Állami / UT adó ,Trial Balance for Party,Ügyfél Főkönyvi kivonat egyenleg ,Gross and Net Profit Report,Bruttó és nettó nyereségjelentés @@ -2010,7 +2037,6 @@ DocType: Payroll Entry,Employee Details,Munkavállalói Részletek 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 -DocType: Setup Progress Action,Domains,Domének 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} @@ -2053,7 +2079,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Összes Sz 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.","Fizetési mód nincs beállítva. Kérjük, ellenőrizze, hogy a fiók be lett állítva a fizetési módon, vagy POS profilon." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Ugyanazt a tételt nem lehet beírni többször. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","További számlákat a Csoportok alatt hozhat létre, de bejegyzéseket lehet tenni a csoporttal nem rendelkezőkre is" -DocType: Email Campaign,Lead,Érdeklődés +DocType: Call Log,Lead,Érdeklődés DocType: Email Digest,Payables,Kötelezettségek DocType: Amazon MWS Settings,MWS Auth Token,MWS hitelesítő token DocType: Email Campaign,Email Campaign For ,E-mail kampány @@ -2065,6 +2091,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Számlázandó Beszerzési rendelés tételei 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 DocType: Purchase Invoice Item,Net Rate,Nettó árérték apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,"Kérjük, válasszon ki egy vevőt" DocType: Leave Policy,Leave Allocations,Hagyja elosztásait @@ -2078,6 +2105,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Ügyek bezárása ennyi eltelt nap után ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,"Felhasználónak kell lennie a System Manager és a Item Manager szerepkörökkel, hogy felvehesse a felhasználókat a Marketplace-be." +DocType: Attendance,Early Exit,Korai kilépés DocType: Job Opening,Staffing Plan,Személyzeti terv apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,Az e-Way Bill JSON csak benyújtott dokumentumból generálható apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Munkavállalói adó és juttatások @@ -2098,6 +2126,7 @@ DocType: Maintenance Team Member,Maintenance Role,Karbantartási szerep apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},{0} ismétlődő sor azonos ezzel: {1} DocType: Marketplace Settings,Disable Marketplace,A Marketplace letiltása DocType: Quality Meeting,Minutes,Percek +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Kiemelt tételei ,Trial Balance,Főkönyvi kivonat egyenleg apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,A műsor befejeződött apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Pénzügyi év {0} nem található @@ -2107,8 +2136,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotel foglalás felhaszn 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" 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- -DocType: Shift Type,Consequence,Következmény DocType: Subscription Settings,Subscription Settings,Előfizetés beállításai DocType: Purchase Invoice,Update Auto Repeat Reference,Az Automatikus ismétlés hivatkozás frissítése apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Az opcionális ünnepi lista nincs beállítva a {0} távolléti periódusra @@ -2119,7 +2148,6 @@ DocType: Maintenance Visit Purpose,Work Done,Kész a munka apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Kérjük adjon meg legalább egy Jellemzőt a Jellemzők táblázatban DocType: Announcement,All Students,Összes diák apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Tétel: {0} - Nem készletezhető tételnek kell lennie -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Főkönyvi kivonat megtekintése DocType: Grading Scale,Intervals,Periódusai DocType: Bank Statement Transaction Entry,Reconciled Transactions,Összeegyeztetett tranzakciók @@ -2155,6 +2183,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Lehetőség tétel DocType: Quality Action,Quality Review,Minőségértékelés @@ -2181,7 +2210,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Fennálló negatív kintlévő számlák lekérdezése -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Vevői rendelés {0} nem érvényes +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Beszerzési megrendelések segítenek megtervezni és követni a beszerzéseket apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Laboratóriumi teszt rendelvények @@ -2206,6 +2235,7 @@ DocType: Employee Onboarding,Notify users by email,Értesítse a felhasználóka DocType: Travel Request,International,Nemzetközi DocType: Training Event,Training Event,Képzési Esemény DocType: Item,Auto re-order,Auto újra-rendelés +DocType: Attendance,Late Entry,Késői belépés apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Összes Elért DocType: Employee,Place of Issue,Probléma helye DocType: Promotional Scheme,Promotional Scheme Price Discount,Promóciós rendszer árengedménye @@ -2252,6 +2282,7 @@ DocType: Serial No,Serial No Details,Széria sz. adatai DocType: Purchase Invoice Item,Item Tax Rate,A tétel adójának mértéke apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Kapcsolat nevéből apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Nettó fizetési összeg +DocType: Pick List,Delivery against Sales Order,Szállítás értékesítési rendelés ellenében DocType: Student Group Student,Group Roll Number,Csoport regisztrációs száma apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","{0} -hoz, csak jóváírási számlákat lehet kapcsolni a másik ellen terheléshez" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,A {0} Szállítólevelet nem nyújtották be @@ -2323,7 +2354,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ezt az értéket arányos halogatás számításhoz használjuk apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Engedélyeznie kell a bevásárló kosárat DocType: Payment Entry,Writeoff,Írd le DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2337,6 +2367,7 @@ DocType: Delivery Trip,Total Estimated Distance,Teljes becsült távolság DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Követelések fizetetlen számla DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Anyagjegyzék Listázó +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Nem hozható létre számviteli dimenzió a (z) {0} számára apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,"Kérjük, frissítse állapotát erre a tréningre" DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Hozzáad vagy levon @@ -2346,7 +2377,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Inaktív értékesítési tételek DocType: Quality Review,Additional Information,további információ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Összes megrendelési értéke -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Szolgáltatási szintű megállapodás visszaállítása. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Élelmiszer apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Öregedés tartomány 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS záró utalvány részletei @@ -2393,6 +2423,7 @@ 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 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" DocType: Healthcare Practitioner,Contacts and Address,Kapcsolatok és címek DocType: Shift Type,Determine Check-in and Check-out,Határozza meg a be- és kijelentkezést @@ -2412,7 +2443,6 @@ DocType: Student Admission,Eligibility and Details,Jogosultság és részletek apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,A bruttó nyereség részét képezi apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Nettó álló-eszköz változás apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Igényelt menny -DocType: Company,Client Code,Ügyfél kód apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,{0} sorban az 'Aktuális' típusú terhelést nem lehet a Tétel árához hozzáadni apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Dátumtól @@ -2480,6 +2510,7 @@ 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. 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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: a vevő kötelező a Bevételi számlához {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Összesen adók és illetékek (Vállakozás pénznemében) DocType: Weather,Weather Parameter,Időjárás paraméter @@ -2542,6 +2573,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Munkaidő-küszöb hiány apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,A teljes elköltött összteljesítmény alapján többféle szintű gyűjtési tényező lehet. De a megváltás konverziós faktora mindig ugyanaz lesz az összes szintre. apps/erpnext/erpnext/config/help.py,Item Variants,Tétel változatok apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Szervíz szolgáltatások +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,E-mail Bérpapír nyomtatvány az alkalmazottnak DocType: Cost Center,Parent Cost Center,Fő költséghely @@ -2552,7 +2584,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","V DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Import szállítólevél a Shopify-tól a szállítmányhoz apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Mutassa zárva DocType: Issue Priority,Issue Priority,Kiállítási prioritás -DocType: Leave Type,Is Leave Without Pay,Ez fizetés nélküli szabadság +DocType: Leave Ledger Entry,Is Leave Without Pay,Ez fizetés nélküli szabadság apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Vagyontárgy Kategória kötelező befektetett eszközök tételeire DocType: Fee Validity,Fee Validity,Díj érvényessége @@ -2601,6 +2633,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Elérhető Kötegel apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Nyomtatási formátum frissítése DocType: Bank Account,Is Company Account,A vállalati fiók apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,A (z) {0} típusú távollét letilthatatlan +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},A hitelkeret már meg van határozva a vállalat számára {0} DocType: Landed Cost Voucher,Landed Cost Help,Beszerzési költség Súgó DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-vlog-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Válasszon Szállítási címet @@ -2625,6 +2658,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Kétirányú DocType: Item,Manufacturers,Gyártók @@ -2661,7 +2695,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Bank egyeztetés kivonat DocType: Patient Encounter,Medical Coding,Orvosi kódolás DocType: Healthcare Settings,Reminder Message,Emlékeztető üzenet -,Lead Name,Célpont neve +DocType: Call Log,Lead Name,Célpont neve ,POS,Értékesítési hely kassza (POS) DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Kiállít @@ -2693,12 +2727,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Beszállító raktára DocType: Opportunity,Contact Mobile No,Kapcsolattartó mobilszáma apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Vállalkozás kiválasztása ,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: 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 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.,A(z) {0} felhasználónak nincs alapértelmezett POS profilja. Ellenőrizze ehhez a felhasználóhoz az alapértelmezett értéket a {1} sorban. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minőségi találkozó jegyzőkönyve +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/setup_wizard/operations/install_fixtures.py,Employee Referral,Alkalmazott ajánlója DocType: Student Group,Set 0 for no limit,Állítsa 0 = nincs korlátozás apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"A nap (ok), amelyre benyújtotta a távollétét azok ünnepnapok. Nem kell igényelni a távollétet." @@ -2733,12 +2769,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Nettó készpénz változás DocType: Assessment Plan,Grading Scale,Osztályozás időszak apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mértékegység {0} amit egynél többször adott meg a konverziós tényező táblázatban -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Már elkészült apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Raktárról apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Adja hozzá a fennmaradó előnyöket {0} az alkalmazáshoz \ pro-rata komponensként apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',"Kérjük, állítsa be a (% s) közigazgatás adószámát" -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Kifizetési kérelem már létezik: {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Problémás tételek költsége DocType: Healthcare Practitioner,Hospital,Kórház apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},"Mennyiség nem lehet több, mint {0}" @@ -2783,6 +2817,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Emberi erőforrások HR apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Magasabb jövedelem DocType: Item Manufacturer,Item Manufacturer,Tétel Gyártója +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Új ólom létrehozása DocType: BOM Operation,Batch Size,Csomó méret apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Elutasít DocType: Journal Entry Account,Debit in Company Currency,Tartozik a vállalat pénznemében @@ -2803,9 +2838,11 @@ DocType: Bank Transaction,Reconciled,Egyeztetett DocType: Expense Claim,Total Amount Reimbursed,Visszatérített teljes összeg apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Ennek alapja a naplók ehhez a járműhöz. Lásd az alábbi idővonalat a részletehez apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,A bérlista dátuma nem lehet kisebb az alkalmazott csatlakozásának dátumánál. +DocType: Pick List,Item Locations,Elem helye apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} létrehozott apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Munkahely üresedés a {0} titulus kijelöléshez már megnyitott \ vagy felvétel befejezve a {1} személyzeti terv szerint +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Legfeljebb 200 elemet tehet közzé. DocType: Vital Signs,Constipated,Székrekedéses apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Beszállító Ellenszámla {0} dátuma {1} DocType: Customer,Default Price List,Alapértelmezett árlista @@ -2897,6 +2934,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car 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 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Marketing költségek +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,A (z) {1} {0} egység nem érhető el. ,Item Shortage Report,Tétel Hiány jelentés 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" @@ -2919,6 +2957,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 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 DocType: Material Request,Transferred,Átvitt DocType: Vehicle,Doors,Ajtók @@ -2999,7 +3038,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Vevői tétel cikkszáma DocType: Stock Reconciliation,Stock Reconciliation,Készlet egyeztetés DocType: Territory,Territory Name,Terület neve DocType: Email Digest,Purchase Orders to Receive,Beszerzési rendelések meyleket még fogadjuk -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,"Munkavégzés raktárra van szükség, beküldés előtt" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,"Munkavégzés raktárra van szükség, beküldés előtt" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,"Csak olyan előfizetési számlázási ciklusokat vehet igénybe, egyenlő számlázási ciklusa van" DocType: Bank Statement Transaction Settings Item,Mapped Data,Leképezett adatok DocType: Purchase Order Item,Warehouse and Reference,Raktár és Referencia @@ -3073,6 +3112,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Szállítási beállítások apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Adatok lekérése apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},A {0} távolétre megengedett maximális távollétek száma {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 tétel közzététele DocType: SMS Center,Create Receiver List,Címzettlista létrehozása DocType: Student Applicant,LMS Only,Csak LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Rendelkezésre álló Dátum a vásárlási dátum után kell lennie @@ -3106,6 +3146,7 @@ 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 DocType: Vital Signs,Furry,Szőrös apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Kérjük, állítsa be a 'Nyereség / veszteség számlát a Vagyontárgy eltávolításához', ehhez a Vállalathoz: {0}" +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} @@ -3117,6 +3158,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Az összes probléma megtekintése itt: {0} 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/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" apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Látogassa meg a fórumokat DocType: Student,Student Mobile Number,Tanuló mobil szám DocType: Item,Has Variants,Rrendelkezik változatokkal @@ -3127,9 +3169,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Havi Felbontás neve DocType: Quality Procedure Process,Quality Procedure Process,Minőségi eljárás folyamata apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Kötegazonosító kötelező +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Először válassza az Ügyfél lehetőséget DocType: Sales Person,Parent Sales Person,Fő Értékesítő apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,A beérkező tárgyak nem esedékesek apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Eladó és a vevő nem lehet ugyanaz +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Még nincs megtekintés DocType: Project,Collect Progress,Folyamatok összegyűjtése DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Először válasszon programot @@ -3151,11 +3195,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Elért DocType: Student Admission,Application Form Route,Jelentkezési mód apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,"A megállapodás befejezési dátuma nem lehet kevesebb, mint a mai nap." +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter a beküldéshez DocType: Healthcare Settings,Patient Encounters in valid days,Bezeg találkozók érvényes napokban apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Távollét típus {0} nem lehet kiosztani, mivel az egy fizetés nélküli távollét" 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},Sor {0}: Elkülönített összeg: {1} kisebbnek vagy egyenlőnek kell lennie a számlázandó kintlévő negatív összegnél: {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"A szavakkal mező lesz látható, miután mentette az Értékesítési számlát." DocType: Lead,Follow Up,Követés +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Költségközpont: A (z) {0} nem létezik DocType: Item,Is Sales Item,Ez eladható tétel apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Tétel csoportfa apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,"Tétel: {0}, nincs telepítve Széria sz.. Ellenőrizze a tétel törzsadatot" @@ -3199,9 +3245,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Beszálított mennyiség DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Anyagigénylési tétel -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,"Kérjük, törölje először a beszerzési megbízást {0}" apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Elem Csoportok fája. DocType: Production Plan,Total Produced Qty,Összesen termelt mennyiség +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Még nincs vélemény apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,"Nem lehet hivatkozni nagyobb vagy egyenlő sor számra, mint az aktuális sor szám erre a terehelés típusra" DocType: Asset,Sold,Eladott ,Item-wise Purchase History,Tételenkénti Beszerzési előzmények @@ -3220,7 +3266,7 @@ DocType: Designation,Required Skills,Szükséges készségek DocType: Inpatient Record,O Positive,O Pozitív apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Befektetések DocType: Issue,Resolution Details,Megoldás részletei -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Tranzakció Típusa +DocType: Leave Ledger Entry,Transaction Type,Tranzakció Típusa DocType: Item Quality Inspection Parameter,Acceptance Criteria,Elfogadási kritérium apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Kérjük, adja meg az anyag igényeket a fenti táblázatban" apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nincs visszafizetés a naplóbejegyzéshez @@ -3261,6 +3307,7 @@ DocType: Bank Account,Bank Account No,Bankszámla szám DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Munkavállalói adómentesség bizonyíték benyújtása DocType: Patient,Surgical History,Sebészeti előzmény DocType: Bank Statement Settings Item,Mapped Header,Átkötött fejléc +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: 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. 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}" @@ -3328,7 +3375,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Fejléc hozzáadás DocType: Program Enrollment,Self-Driving Vehicle,Önvezető jármű 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,"Összes lefoglalt távolét {0} nem lehet kevesebb, mint a már jóváhagyott távollétek {1} az időszakra" DocType: Contract Fulfilment Checklist,Requirement,Követelmény DocType: Journal Entry,Accounts Receivable,Bevételi számlák DocType: Quality Goal,Objectives,célok @@ -3351,7 +3397,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Egységes tranzakció DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ez az érték frissítésre kerül az alapértelmezett értékesítési árlistában. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Az Ön kosara üres DocType: Email Digest,New Expenses,Új költségek -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC összeg apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Nem lehet optimalizálni az útvonalat, mivel hiányzik az illesztőprogram címe." DocType: Shareholder,Shareholder,Rész birtokos DocType: Purchase Invoice,Additional Discount Amount,További kedvezmény összege @@ -3388,6 +3433,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Karbantartási feladat apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,"Kérjük, állítsa be a B2C limitet a GST beállításaiban." DocType: Marketplace Settings,Marketplace Settings,Marketplace beállítások DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Raktár, ahol a visszautasított tételek készletezését kezeli" +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,{0} tételek közzététele 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,"Nem található árfolyam erre {0}eddig {1} a kulcs dátum: {2}. Kérjük, hozzon létre egy pénzváltó rekordot manuálisan" DocType: POS Profile,Price List,Árlista 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." @@ -3423,6 +3469,7 @@ DocType: Salary Component,Deduction,Levonás DocType: Item,Retain Sample,Minta megőrzés apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,{0} sor: Időtől és időre kötelező. DocType: Stock Reconciliation Item,Amount Difference,Összeg különbség +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"Ezen az oldalon nyomon követi azokat az elemeket, amelyeket eladótól vásárolni szeretne." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Tétel Ár hozzáadott {0} árjegyzékben {1} DocType: Delivery Stop,Order Information,Rendelési információ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Kérjük, adja meg Alkalmazotti azonosító ID, ehhez az értékesítőhöz" @@ -3451,6 +3498,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **." 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Értékelési terv elnevezése apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Cél részletei apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Alkalmazható, ha a társaság SpA, SApA vagy SRL" @@ -3503,7 +3551,6 @@ DocType: Company,Transactions Annual History,Tranzakciók éves története 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Felett 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 @@ -3555,6 +3602,7 @@ DocType: Grading Scale,Grading Scale Intervals,Osztályozás időszak periódusa 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Az év nyeresége 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 @@ -3608,12 +3656,10 @@ DocType: Supplier Scorecard,Scoring Setup,Pontszám beállítások apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,A társasághoz nem található GST-szám. 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 DocType: Question,Single Correct Answer,Egyetlen helyes válasz -DocType: Employee,Contact Details,Kapcsolattartó részletei DocType: C-Form,Received Date,Beérkezés dátuma DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ha már készítettünk egy szabványos sablont az értékesítéshez kapcsolódó adók és díjak sablonban, válasszon egyet és kattintson az alábbi gombra." DocType: BOM Scrap Item,Basic Amount (Company Currency),Alapösszeg (Vállalkozás pénznemében) @@ -3643,12 +3689,13 @@ DocType: BOM Website Operation,BOM Website Operation,Anyagjegyzék honlap művel DocType: Bank Statement Transaction Payment Item,outstanding_amount,fennálló összeg DocType: Supplier Scorecard,Supplier Score,Beszállító pontszáma apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Menetrend felvétele +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,"A teljes kifizetési igény összege nem lehet nagyobb, mint {0} összeg" DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Összesített tranzakciós küszöb DocType: Promotional Scheme Price Discount,Discount Type,Kedvezmény típusa -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Teljes kiszámlázott össz DocType: Purchase Invoice Item,Is Free Item,Ingyenes elem +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Százalékos arányban engedhet meg többet a megrendelt mennyiséghez viszonyítva. Például: Ha 100 egységet rendel. és a juttatás 10%, akkor 110 egység átvihető." DocType: Supplier,Warn RFQs,Figyelmeztetés az Árajánlatokra -apps/erpnext/erpnext/templates/pages/home.html,Explore,Fedezd fel +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Fedezd fel DocType: BOM,Conversion Rate,Konverziós arány apps/erpnext/erpnext/www/all-products/index.html,Product Search,Termék tétel keresés ,Bank Remittance,Banki átutalás @@ -3660,6 +3707,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Összes fizetett összeg DocType: Asset,Insurance End Date,Biztosítás befejezésének dátuma apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Kérem, válassza ki a hallgatói felvételt, amely kötelező a befizetett hallgatói jelentkező számára" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Költségvetési lista DocType: Campaign,Campaign Schedules,Kampány ütemezése DocType: Job Card Time Log,Completed Qty,Befejezett Mennyiség @@ -3682,6 +3730,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Új cím DocType: Quality Inspection,Sample Size,Minta mérete apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,"Kérjük, adjon meg dokumentum átvételt" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Összes tétel már kiszámlázott +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Elveszett levelek apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Kérem adjon meg egy érvényes 'Eset számig' 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,"További költséghelyek hozhatók létre a csoportok alatt, de bejegyzéseket lehet tenni a csoporttal nem rendelkezőkre is" 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,"Az allokált távollétek több napot töltenek ki, mint az {1} munkavállaló {1} szabadságának maximális ideje az időszakban" @@ -3781,6 +3830,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Az összes 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" DocType: Leave Block List,Allow Users,Felhasználók engedélyezése 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: 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. @@ -3834,6 +3885,7 @@ DocType: Support Search Source,Result Title Field,Eredmény cím mező apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Hívásösszegzés DocType: Sample Collection,Collected Time,Gyűjtési idő DocType: Employee Skill Map,Employee Skills,Munkavállalói készségek +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Üzemanyag-költség DocType: Company,Sales Monthly History,Értékesítések havi története apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,"Kérjük, állítson be legalább egy sort az Adók és Díjak táblázatában" DocType: Asset Maintenance Task,Next Due Date,Következő esedékesség dátuma @@ -3843,6 +3895,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Életjele DocType: Payment Entry,Payment Deductions or Loss,Fizetési levonások vagy veszteségek DocType: Soil Analysis,Soil Analysis Criterias,Talajelemzési kritériumok apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Az általános szerződési feltételek az értékesítéshez vagy beszerzéshez. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Sorok eltávolítva a (z) {0} -ban DocType: Shift Type,Begin check-in before shift start time (in minutes),A check-in megkezdése a műszak indulása előtt (percben) DocType: BOM Item,Item operation,Elem működtetése apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Utalvány által csoportosítva @@ -3868,11 +3921,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Bérpapír az Alkalmazotthoz: {0} már létezik erre az időszakra apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Gyógyszeripari apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Csak egy távollét beváltást lehet benyújtani az érvényes készpénzre váltáshoz +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Tételek készítette apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Bszerzett tételek költsége DocType: Employee Separation,Employee Separation Template,Munkavállalói elválasztási sablon DocType: Selling Settings,Sales Order Required,Vevői rendelés szükséges apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Legyél eladó -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Az előfordulás száma, amely után a következmény végrehajtásra kerül." ,Procurement Tracker,Beszerzési nyomkövető DocType: Purchase Invoice,Credit To,Követelés ide apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC fordított @@ -3885,6 +3938,7 @@ DocType: Quality Meeting,Agenda,Napirend DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Karbantartási ütemterv részletei DocType: Supplier Scorecard,Warn for new Purchase Orders,Figyelmeztetés az új Vevői megrendelésekre DocType: Quality Inspection Reading,Reading 9,Olvasás 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,"Csatlakoztassa Exotel-fiókját az ERPNext-hez, és kövesse a hívásnaplókat" DocType: Supplier,Is Frozen,Ez zárolt DocType: Tally Migration,Processed Files,Feldolgozott fájlok apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Csoport csomópont raktár nem választhatók a tranzakciókhoz @@ -3894,6 +3948,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Késztermék Anyagj DocType: Upload Attendance,Attendance To Date,Részvétel befejezés dátuma 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 @@ -3918,7 +3973,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Igénylő apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Érvénytelen hivatkozás {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Különböző promóciós rendszerek alkalmazásának szabályai. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nem lehet nagyobb, mint a ({2}) tervezett mennyiség a {3} gyártási rendelésben" DocType: Shipping Rule,Shipping Rule Label,Szállítási szabály címkéi DocType: Journal Entry Account,Payroll Entry,Bérszámfejtési bejegyzés apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Díjakra vonatkozó bejegyzések megtekintése @@ -3930,6 +3984,7 @@ DocType: Contract,Fulfilment Status,Teljesítés állapota DocType: Lab Test Sample,Lab Test Sample,Labor teszt minta DocType: Item Variant Settings,Allow Rename Attribute Value,Engedélyezze az attribútum érték átnevezését apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Gyors Naplókönyvelés +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Jövőbeli fizetési összeg apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Nem tudod megváltoztatni az árat, ha az említett ANYGJZ összefügg már egy tétellel" DocType: Restaurant,Invoice Series Prefix,Számla sorozatok előtagja DocType: Employee,Previous Work Experience,Korábbi szakmai tapasztalat @@ -3959,6 +4014,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Projekt téma állapota DocType: UOM,Check this to disallow fractions. (for Nos),"Jelölje be ezt, hogy ne engedélyezze a törtrészt. (a darab számokhoz)" DocType: Student Admission Program,Naming Series (for Student Applicant),Elnevezési sorozatok (Tanuló Kérelmezőhöz) +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 elemhez: {2} 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 @@ -3982,6 +4038,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Aktuális raktárkészlet lekérés DocType: Purchase Invoice,ineligible,alkalmatlan apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Fa az Anyagjegyzékekhez +DocType: BOM,Exploded Items,Felrobbant tételek DocType: Student,Joining Date,Csatlakozási dátum ,Employees working on a holiday,Alkalmazott ünnepen is dolgozik ,TDS Computation Summary,TDS Számítás Összefoglaló @@ -4014,6 +4071,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Alapár (a Készlet m DocType: SMS Log,No of Requested SMS,Igényelt SMS száma apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Fizetés nélküli távollét nem egyezik meg a jóváhagyott távolléti igény bejegyzésekkel apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Következő lépések +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Mentett elemek DocType: Travel Request,Domestic,Belföldi apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Kérjük szállítsa be a tételeket a lehető legjobb árakon apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Az alkalmazotti átutalást nem lehet benyújtani az átutalás dátuma előtt @@ -4066,7 +4124,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Vagyontárgy kategória főkönyvi számla apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,A (z) {0} érték már hozzá van rendelve egy létező {2} elemhez. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,# {0} (Fizetési táblázat) sor: Az összegnek pozitívnak kell lennie -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},"Nem lehet több mint ennyit {0} gyártani a tételből, mint amennyi a Vevői rendelési mennyiség {1}" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},"Nem lehet több mint ennyit {0} gyártani a tételből, mint amennyi a Vevői rendelési mennyiség {1}" apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,A bruttó nem tartalmaz semmit apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Az e-Way Bill már létezik ehhez a dokumentumhoz apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Válassza ki a jellemzők értékeit @@ -4101,12 +4159,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Engedélyezze a korai kilépés eltérő következményeit ,Lab Test Report,Labor tesztjelentés DocType: Employee Benefit Application,Employee Benefit Application,Alkalmazotti juttatási kérelem 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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,"Kérjük, először a szállítólevelet" DocType: Student Applicant,Application Date,Jelentkezési dátum DocType: Salary Component,Amount based on formula,Összeg a képlet alapján DocType: Purchase Invoice,Currency and Price List,Pénznem és árlista @@ -4135,6 +4191,7 @@ DocType: Purchase Receipt,Time at which materials were received,Anyagok érkezé DocType: Products Settings,Products per Page,Termékek oldalanként 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,A kiosztott összeg nem lehet negatív DocType: Sales Order,Billing Status,Számlázási állapot apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Probléma jelentése @@ -4144,6 +4201,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90 felett 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,"Sor # {0}: Naplókönyvelés {1} nem rendelkezik {2} számlával, vagy már összeegyeztetett egy másik utalvánnyal" DocType: Supplier Scorecard Criteria,Criteria Weight,Kritérium Súlyozás +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Fiók: A (z) {0} nem engedélyezett a fizetési bejegyzés alatt DocType: Production Plan,Ignore Existing Projected Quantity,Figyelmen kívül hagyja a meglévő tervezett mennyiséget apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Távollét jóváhagyási értesítés DocType: Buying Settings,Default Buying Price List,Alapértelmezett Vásárlási árjegyzék @@ -4152,6 +4210,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,Fizetési mód apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Kérjük, válasszon egy Köteget ehhez a tételhez {0}. Nem található egyedülállü köteg, amely megfelel ennek a követelménynek" @@ -4180,6 +4239,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Bevásárló kosár Beál DocType: Journal Entry,Accounting Entries,Könyvelési tételek 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." +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: Journal Entry,Paid Loan,Fizetett kölcsön 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ő @@ -4196,12 +4256,14 @@ DocType: Shopify Settings,Webhooks Details,Webes hívatkozások részletei apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Nincsenek idő nyilvántartások DocType: GoCardless Mandate,GoCardless Customer,GoCardless ügyfél apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Távollét típusa {0} nem továbbítható jövőbe +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cikkszám> Tételcsoport> Márka apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Karbantartási ütemterv nem lett létrehozva összes tételre. Kérjük, kattintson erre: ""Ütemezést létrehozás""" ,To Produce,Termelni DocType: Leave Encashment,Payroll,Bérszámfejtés 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",A {1} -nek a {0} sorbában. A Tétel értékébe a {2} beillesztéséhez a {3} sorokat is hozzá kell adni DocType: Healthcare Service Unit,Parent Service Unit,Fő szervezeti egység DocType: Packing Slip,Identification of the package for the delivery (for print),Csomag azonosítása a szállításhoz (nyomtatáshoz) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,A szolgáltatási szintű megállapodást visszaállították. DocType: Bin,Reserved Quantity,Mennyiség lefoglalva apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Kérem adjon meg egy érvényes e-mail címet DocType: Volunteer Skill,Volunteer Skill,Önkéntes készsége @@ -4222,7 +4284,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Ár vagy termék kedvezmény apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,A(z) {0} sorhoz: Írja be a tervezett mennyiséget DocType: Account,Income Account,Jövedelem számla -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Vevő> Vevőcsoport> Terület DocType: Payment Request,Amount in customer's currency,Összeg ügyfél valutájában apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Szállítás apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Hozzárendelési szerkezetek... @@ -4245,6 +4306,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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. 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?,Elveszti a korábban generált számlák nyilvántartását. Biztosan újra szeretné kezdeni ezt az előfizetést? @@ -4300,11 +4362,10 @@ DocType: Additional Salary,HR User,HR Felhasználó DocType: Bank Guarantee,Reference Document Name,Referencia dokumentum név DocType: Purchase Invoice,Taxes and Charges Deducted,Levont adók és költségek DocType: Support Settings,Issues,Problémák -DocType: Shift Type,Early Exit Consequence after,Korai kilépés következménye után DocType: Loyalty Program,Loyalty Program Name,Hűségprogram neve apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Állapotnak az egyike kell llennie ennek {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Emlékeztető a GSTIN elküldésének frissítésére -DocType: Sales Invoice,Debit To,Tartozás megterhelése +DocType: Discounted Invoice,Debit To,Tartozás megterhelése DocType: Restaurant Menu Item,Restaurant Menu Item,Éttermi menüpont DocType: Delivery Note,Required only for sample item.,Szükséges csak a minta elemet. DocType: Stock Ledger Entry,Actual Qty After Transaction,Tényleges Mennyiség a tranzakció után @@ -4387,6 +4448,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Paraméter neve apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,"Csak ""Jóváhagyott"" és ""Elutasított"" állapottal rendelkező távollét igényeket lehet benyújtani" apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Méretek létrehozása ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Diák csoport neve kötelező sorban {0} +DocType: Customer Credit Limit,Bypass credit limit_check,A hitelkeretek megkerülése DocType: Homepage,Products to be shown on website homepage,Termékek feltüntetett internetes honlapon DocType: HR Settings,Password Policy,Jelszó házirend apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,"Ez egy forrás vevőkör csoport, és nem lehet szerkeszteni." @@ -4433,10 +4495,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ha e apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Állítsa be az alapértelmezett fogyasztót az étterem beállításai között ,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: Warehouse,Parent Warehouse,Fő Raktár +DocType: Pick List,Parent Warehouse,Fő Raktár DocType: Subscription,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/production_order/production_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/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" apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Határozza meg a különböző hiteltípusokat DocType: Bin,FCFS Rate,Érkezési sorrend szerinti kiszolgálás FCFS ár @@ -4473,6 +4535,7 @@ DocType: Travel Itinerary,Lodging Required,Szállás szükséges DocType: Promotional Scheme,Price Discount Slabs,Ár kedvezményes táblák DocType: Stock Reconciliation Item,Current Serial No,Aktuális sorozatszám DocType: Employee,Attendance and Leave Details,Részvétel és részvételi részletek +,BOM Comparison Tool,BOM összehasonlító eszköz ,Requested,Igényelt apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Nincs megjegyzés DocType: Asset,In Maintenance,Karbantartás alatt @@ -4495,6 +4558,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Alapértelmezett szolgáltatási szintű megállapodás DocType: SG Creation Tool Course,Course Code,Tantárgy kódja apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,A (z) {0} közül egynél több választás nem engedélyezett +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Az alapanyagok mennyiségéről a késztermék mennyisége alapján döntenek DocType: Location,Parent Location,Fő helyszín DocType: POS Settings,Use POS in Offline Mode,POS kassza funkció használata Offline módban apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,A prioritás {0} -re változott. @@ -4513,7 +4577,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Mintavételi megörzési rakt DocType: Company,Default Receivable Account,Alapértelmezett Bevételi számla apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Tervezett mennyiségi képlet DocType: Sales Invoice,Deemed Export,Megfontolt export -DocType: Stock Entry,Material Transfer for Manufacture,Anyag átvitel gyártásához +DocType: Pick List,Material Transfer for Manufacture,Anyag átvitel gyártásához 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.,Kedvezmény százalékot lehet alkalmazni vagy árlistában vagy az összes árlistában. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Könyvelési tétel a Készlethez DocType: Lab Test,LabTest Approver,LaborTeszt jóváhagyó @@ -4556,7 +4620,6 @@ DocType: Training Event,Theory,Elmélet apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,"Figyelmeztetés: Anyag Igénylés mennyisége kevesebb, mint Minimális rendelhető menny" apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,A {0} számla zárolt DocType: Quiz Question,Quiz Question,Kvízkérdés -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Szállító> Beszállító típusa 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" @@ -4587,6 +4650,7 @@ 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 DocType: Account,Expense Account,Költség számla apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Szoftver apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Szín @@ -4624,6 +4688,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Kezelje a forgalma 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 DocType: Fee Validity,Visited yet,Még látogatott +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Legfeljebb 8 elem jellemzése. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Raktárak meglévő ügylettekkel nem konvertálhatóak csoporttá. 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. @@ -4631,7 +4696,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4656,7 +4720,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM konverzió ór DocType: Contract,Signee Details,Aláíró részletei apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","A(z) {0} jelenleg egy {1} Szállítói eredménymutatón áll, ezért az árajánlatot ennek a szállaítóank óvatossan kell kiadni." DocType: Certified Consultant,Non Profit Manager,Nonprofit alapítvány vezető -DocType: BOM,Total Cost(Company Currency),Összköltség (Vállalkozás pénzneme) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,{0} széria sz. létrehozva DocType: Homepage,Company Description for website homepage,Vállalkozás leírása az internetes honlapon DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","A vevők kényelméért, ezek a kódok használhatók a nyomtatási formátumokhoz, mint számlákon és a szállítóleveleken" @@ -4684,7 +4747,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Beszerzé DocType: Amazon MWS Settings,Enable Scheduled Synch,Az ütemezett szinkronizálás engedélyezése apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Végső dátumig apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Napló az sms küldési állapot figyelésére -DocType: Shift Type,Early Exit Consequence,Korai kilépés következménye DocType: Accounts Settings,Make Payment via Journal Entry,Naplókönyvelésen keresztüli befizetés létrehozás apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,"Kérjük, ne hozzon létre egynél több 500 elemet" apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Nyomtatott ekkor @@ -4741,6 +4803,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Határérték 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 +DocType: Plaid Settings,Plaid Secret,Kockás titok DocType: Company,Date of Establishment,Létesítés időpontja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Kockázati tőke apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Egy tudományos kifejezés ezzel a 'Tanév ' {0} és a 'Félév neve' {1} már létezik. Kérjük, módosítsa ezeket a bejegyzéseket, és próbálja újra." @@ -4802,6 +4865,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,ügyféltípus DocType: Compensatory Leave Request,Leave Allocation,Távollét lefoglalása DocType: Payment Request,Recipient Message And Payment Details,Címzett üzenet és fizetési részletek +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,"Kérjük, válasszon szállítólevelet" DocType: Support Search Source,Source DocType,Forrás DocType dokumentum apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Nyisson meg egy új jegyet DocType: Training Event,Trainer Email,Képző Email @@ -4922,6 +4986,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"a ""Dátumtól"" értéknek későbbinek kell lennie a ""Dátumig"" értéknél" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Nincsenek személyi tervek erre a titulusra apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Az {1} tétel {0} tétele le van tiltva. @@ -4943,7 +5008,7 @@ DocType: Clinical Procedure,Patient,Beteg apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Hitelellenőrzés áthidalás a vevői rendelésnél DocType: Employee Onboarding Activity,Employee Onboarding Activity,Munkavállalói Onboarding tevékenység DocType: Location,Check if it is a hydroponic unit,"Ellenőrizze, hogy ez egy hidroponikus egység" -DocType: Stock Reconciliation Item,Serial No and Batch,Széria sz. és Köteg +DocType: Pick List Item,Serial No and Batch,Széria sz. és Köteg DocType: Warranty Claim,From Company,Cégtől DocType: GSTR 3B Report,January,január apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Értékelési kritériumok pontszám összegének ennyinek kell lennie: {0}. @@ -4967,7 +5032,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,"Kedvezm 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,{0} találha az Inter Company Tranzakciók esetében. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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 @@ -5000,11 +5064,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Költségkö 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Visszamaradt DocType: Appraisal,Appraisal,Teljesítmény értékelés DocType: Loan,Loan Account,Hitelszámla apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Az érvényes és érvényes upto mezők kötelezőek a kumulatív számára +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",A (z) {1} sorban lévő {0} tételnél a sorozatszám nem egyezik a kiválasztott mennyiséggel DocType: Purchase Invoice,GST Details,GST részletei apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Ez az egészségügyi szakemberekkel szembeni tranzakciókon alapul. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-mailt elküldve a beszállítóhoz {0} @@ -5068,6 +5134,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),A csomag bruttó tömege. Általában a nettó tömeg + csomagolóanyag súlya. (nyomtatáshoz) DocType: Assessment Plan,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"A felhasználók ezzel a Beosztással engedélyt kapnak, hogy zároljanak számlákat és létrehozzanek / módosítsanak könyvelési tételeket a zárolt számlákon" +DocType: Plaid Settings,Plaid Environment,Kockás környezet ,Project Billing Summary,A projekt számlázásának összefoglalása DocType: Vital Signs,Cuts,Bércsökkentések DocType: Serial No,Is Cancelled,Ez törölve @@ -5129,7 +5196,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Megjegyzés: A rendszer nem ellenőrzi a túlteljesítést és túl-könyvelést erre a tételre {0}, mivel a mennyiség vagy összeg az: 0" DocType: Issue,Opening Date,Nyitás dátuma apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,"Kérjük, először mentse el a pácienst" -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Hozzon létre új kapcsolatot apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Részvétel jelölése sikeres. DocType: Program Enrollment,Public Transport,Tömegközlekedés DocType: Sales Invoice,GST Vehicle Type,GST jármű típus @@ -5155,6 +5221,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Beszállít 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Először adjon hozzá elemeket az Elem helyek táblához DocType: Pricing Rule,Discount Amount,Kedvezmény összege DocType: Pricing Rule,Period Settings,Periódus beállításai DocType: Purchase Invoice,Return Against Purchase Invoice,Beszerzési számla ellenszámlája @@ -5187,7 +5254,6 @@ DocType: Assessment Plan,Assessment Plan,Értékelés terv DocType: Travel Request,Fully Sponsored,Teljesen szponzorált apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Fordított naplóbejegyzés apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Hozzon létre Munkalapot -DocType: Shift Type,Consequence after,Következmény DocType: Quality Procedure Process,Process Description,Folyamatleírás apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,A(z) {0} vevő létrehozva. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Jelenleg nincs raktárkészlet egyik raktárban sem @@ -5222,6 +5288,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Végső dátum DocType: Delivery Settings,Dispatch Notification Template,Feladási értesítési sablon apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Értékelő jelentés apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Alkalmazottak toborzása +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 @@ -5315,7 +5382,6 @@ DocType: Stock Settings,Use Naming Series,Használjon elnevezési sorozatokat apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Nincs művelet apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Készletérték típusú költségeket nem lehet megjelölni értékbe beszámíthatónak DocType: POS Profile,Update Stock,Készlet frissítése -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" apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Különböző mértékegység a tételekhez, helytelen (Összes) Nettó súly értékhez vezet. Győződjön meg arról, hogy az egyes tételek nettó tömege ugyanabban a mértékegységben van." DocType: Certification Application,Payment Details,Fizetés részletei apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Anyagjegyzék Díjszabási ár @@ -5350,7 +5416,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,"Ez egy forrás értékesítő személy, és nem lehet szerkeszteni." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ha kiválasztja, a megadott vagy számított érték ebben az összetevőben nem fog hozzájárulni a jövedelemhez vagy levonáshoz. Azonban, erre az értékre lehet hivatkozni más összetevőkkel, melyeket hozzá lehet adni vagy levonni." -DocType: Asset Settings,Number of Days in Fiscal Year,Napok száma a pénzügyi évben ,Stock Ledger,Készlet könyvelés DocType: Company,Exchange Gain / Loss Account,Árfolyamnyereség / veszteség számla DocType: Amazon MWS Settings,MWS Credentials,MWS hitelesítő adatok @@ -5385,6 +5450,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Oszlop a bankfájlban apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},A (z) {0} távollét igény már létezik a {1} diákkal szemben apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Sorbaállítva a legfrissebb ár frissítéséhez minden anyagjegyzékben. Néhány percig eltarthat. +DocType: Pick List,Get Item Locations,Töltse le az árucikkek helyét apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Új fiók neve. Megjegyzés: Kérjük, ne hozzon létre Vevő és Beszállítói fiókokat." DocType: POS Profile,Display Items In Stock,Megjelenített elemek raktáron apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Országonként eltérő címlista sablonok @@ -5408,6 +5474,7 @@ DocType: Crop,Materials Required,Szükséges anyagok apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Nem talált diákokat DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Havi HRA mentesség DocType: Clinical Procedure,Medical Department,Orvosi osztály +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Összes korai kilépés DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Beszállító mutatószámok jegyzési kritériumai apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Számla Könyvelési dátuma apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Értékesít @@ -5419,11 +5486,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Kérjük, törölje a (z) {0} alkalmazottat a dokumentum visszavonásához" 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 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Profilod apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Lekönyvelt amortizációk száma nem lehet nagyobb, mint az összes amortizációk száma" DocType: Purchase Order,Order Confirmation Date,Megrendelés visszaigazolás dátuma DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5517,7 +5583,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Vannak ellentmondások az ár, a részvények száma és a kiszámított összeg között" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Ön nincs jelen a napi kompenzációs távolléti napok napjai között apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,"Kérjük ismítelje meg a cég nevét, a jóváhagyáshoz." -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Teljes fennálló kintlévő össz DocType: Journal Entry,Printing Settings,Nyomtatási beállítások DocType: Payment Order,Payment Order Type,Fizetési megbízás típusa DocType: Employee Advance,Advance Account,Előleg számla @@ -5606,7 +5671,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Év Neve apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,"Jelenleg több a szabadság, mint a munkanap ebben a hónapban." apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,A (z) {0} tételek nem szerepelnek {1} elemként. Engedélyezheti őket {1} tételként a tétel mesterként -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Gyártmány tétel csomag DocType: Sales Partner,Sales Partner Name,Vevő partner neve apps/erpnext/erpnext/hooks.py,Request for Quotations,Árajánlatkérés @@ -5615,19 +5679,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,A levelek +DocType: Leave Ledger Entry,Leaves,A levelek DocType: Student Language,Student Language,Diák anyanyelve DocType: Cash Flow Mapping,Is Working Capital,Ez működő tőke apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Nyújtsa be igazolást apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Rendelés / menny % apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Betegek életjeleinek rögzítése DocType: Fee Schedule,Institution,Intézmény -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 elemhez: {2} DocType: Asset,Partially Depreciated,Részben leértékelődött DocType: Issue,Opening Time,Kezdési idő apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Ettől és eddig időpontok megadása apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Értékpapírok & árutőzsdék -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Hívásösszegzés: {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Dokumentum keresés apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Alapértelmezett mértékegysége a '{0}' variánsnak meg kell egyeznie a '{1}' sablonban lévővel. DocType: Shipping Rule,Calculate Based On,Számítás ezen alapul @@ -5673,6 +5735,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maximum megengedhető érték 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ó DocType: Lab Test Template,Sensitivity,Érzékenység DocType: Plaid Settings,Plaid Settings,Kockás beállítások apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"A szinkronizálást ideiglenesen letiltották, mert a maximális ismétlődést túllépték" @@ -5690,6 +5753,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Kérjük, válasszon Könyvelési dátumot először" apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Nyitás dátumának előbb kel llennie mint a zárás dátuma DocType: Travel Itinerary,Flight,Repülési +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Vissza a főoldalra DocType: Leave Control Panel,Carry Forward,Átvihető a szabadság apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Költséghely meglévő tranzakciókkal nem lehet átalakítani főkönyvi számlává DocType: Budget,Applicable on booking actual expenses,Alkalmazható a tényleges költségek könyvelésekor @@ -5745,6 +5809,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Hozzon létre Idé apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Nincs engedélye jóváhagyni az távolléteket a blokkolt dátumokon apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} {1} iránti kérelem apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Mindezen tételek már kiszámlázottak +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"A (z) {0} {1} számára nem található olyan fennálló számla, amely megfelelne a megadott szűrőknek." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Új megjelenítési dátum beállítása DocType: Company,Monthly Sales Target,Havi eladási cél apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nem található fennálló számla @@ -5791,6 +5856,7 @@ DocType: Water Analysis,Type of Sample,Minta típus DocType: Batch,Source Document Name,Forrás dokumentum neve DocType: Production Plan,Get Raw Materials For Production,Nyersanyagok beszerzése a termeléshez DocType: Job Opening,Job Title,Állás megnevezése +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Jövőbeli fizetés Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} azt jelzi, hogy a {1} nem ad meg árajnlatot, de az összes tétel \ már kiajánlott. Az Árajánlatkérés státuszának frissítése." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximum minták - {0} már tároltak a {1} köteghez és {2} tételhez a {3} kötegben. @@ -5801,12 +5867,10 @@ apps/erpnext/erpnext/utilities/activation.py,Create Users,Felhasználók létreh 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: Company,Product Code,Termékkód DocType: Quality Review Table,Objective,Célkitűzés DocType: Supplier Scorecard,Per Month,Havonta DocType: Education Settings,Make Academic Term Mandatory,A tudományos kifejezés kötelezővé tétele -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,"Gyártáshoz a mennyiségnek nagyobbnak kell lennie, mint 0." -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Számítsa ki a költségvetési évre vonatkozó becsült értékcsökkenés leírást +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,"Gyártáshoz a mennyiségnek nagyobbnak kell lennie, mint 0." apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Látogassa jelentést karbantartási hívást. DocType: Stock Entry,Update Rate and Availability,Frissítse az árat és az elérhetőséget 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.,"Százalék amennyivel többet kaphat és adhat a megrendelt mennyiségnél. Például: Ha Ön által megrendelt 100 egység, és az engedmény 10%, akkor kaphat 110 egységet." @@ -5817,7 +5881,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,A kiadás dátumának a jövőben kell lennie DocType: BOM,Website Description,Weboldal leírása apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Nettó változás a saját tőkében -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,"Kérjük, vonja vissza a(z) {0} Beszállítói számlát először" apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Nem megengedett. Tiltsa le a szolgáltatási egység típusát apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-mail címnek egyedinek kell lennie, ez már létezik: {0}" DocType: Serial No,AMC Expiry Date,Éves karbantartási szerződés lejárati dátuma @@ -5861,6 +5924,7 @@ DocType: Pricing Rule,Price Discount Scheme,Árkedvezményes rendszer apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Karbantartási állapotot törölni vagy befejezni kell a küldéshez DocType: Amazon MWS Settings,US,MINKET DocType: Holiday List,Add Weekly Holidays,Heti ünnepek hozzáadása +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Jelentés elem DocType: Staffing Plan Detail,Vacancies,Állásajánlatok DocType: Hotel Room,Hotel Room,Szállodai szoba apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},A {0}számlához nem tartozik a {1} vállalat @@ -5912,12 +5976,15 @@ DocType: Email Digest,Open Quotations,Idézetek megnyitása 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Kérjük, törölje a (z) {0} alkalmazottat a dokumentum visszavonásához" 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 @@ -5931,6 +5998,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Üres DocType: Patient,Alcohol Past Use,Korábbi alkoholfogyasztás DocType: Fertilizer Content,Fertilizer Content,Műtrágya tartalma +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,nincs leírás apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Kr DocType: Tax Rule,Billing State,Számlázási Állam DocType: Quality Goal,Monitoring Frequency,Frekvencia figyelése @@ -5948,6 +6016,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Befejező dátum nem lehet a következő kapcsolat dátuma előtt. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Kötegelt tételek DocType: Journal Entry,Pay To / Recd From,Fizetni neki / követelni tőle +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Tétel visszavonása DocType: Naming Series,Setup Series,Sorszámozás telepítése DocType: Payment Reconciliation,To Invoice Date,A számla keltétől DocType: Bank Account,Contact HTML,Kapcsolattartó HTML leírása @@ -5969,6 +6038,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Kiskereskedelem DocType: Student Attendance,Absent,Távollévő DocType: Staffing Plan,Staffing Plan Detail,Személyzeti terv részletei DocType: Employee Promotion,Promotion Date,Promóció dátuma +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,A% s szabadság allokáció a% s szabadság alkalmazáshoz kapcsolódik 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} @@ -6003,9 +6073,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,A(z) {0} számla már nem létezik DocType: Guardian Interest,Guardian Interest,Helyettesítő kamat DocType: Volunteer,Availability,Elérhetőség +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,A szabadság alkalmazás össze van kapcsolva a {0} szabadság allokációkkal. A szabadságkérelem nem határozható meg fizetés nélküli szabadságként apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS értékesítési kassza számlák alapértelmezett értékeinek beállítása DocType: Employee Training,Training,Képzés DocType: Project,Time to send,Idő az elküldéshez +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Ezen az oldalon nyomon követheti azokat az elemeket, amelyek iránt a vásárlók érdeklődést mutattak." DocType: Timesheet,Employee Detail,Alkalmazott részlet 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ó @@ -6101,12 +6173,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Nyitó érték DocType: Salary Component,Formula,Képlet apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Szériasz # -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: 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/setup/doctype/company/company.py,Sales Account,Értékesítési számla DocType: Purchase Invoice Item,Total Weight,Össz súly +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}" @@ -6130,6 +6202,7 @@ DocType: Company,Default Employee Advance Account,Alapértelmezett alkalmazotti apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Keresési tétel (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Meglévő tranzakcióval rendelkező számla nem törölhető. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,"Miért gondolja, hogy ezt a tételt el kell távolítani?" DocType: Vehicle,Last Carbon Check,Utolsó másolat megtekintés apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Jogi költségek apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,"Kérjük, válasszon mennyiséget a soron" @@ -6149,6 +6222,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Üzemzavar DocType: Travel Itinerary,Vegetarian,Vegetáriánus DocType: Patient Encounter,Encounter Date,Találkozó dátuma +DocType: Work Order,Update Consumed Material Cost In Project,Frissítse a felhasznált anyagköltségeket a projektben apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Számla: {0} ebben a pénznemben: {1} nem választható DocType: Bank Statement Transaction Settings Item,Bank Data,Bank adatok DocType: Purchase Receipt Item,Sample Quantity,Minta mennyisége @@ -6202,7 +6276,7 @@ DocType: GSTR 3B Report,April,április 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,"Megjegyzés: Tétel {0}, többször vitték be" +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,"Megjegyzés: Tétel {0}, többször vitték be" apps/erpnext/erpnext/config/buying.py,All Contacts.,Összes Kapcsolattartó. DocType: Accounting Period,Closed Documents,Lezárt dokumentumok 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 @@ -6284,9 +6358,7 @@ DocType: Member,Membership Type,Tagság típusa ,Reqd By Date,Igénylt. Dátum szerint apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Hitelezők DocType: Assessment Plan,Assessment Name,Értékelés Neve -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,PDC megjelenítése a nyomtatásban apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Sor # {0}: Sorszám kötelező -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,A (z) {0} {1} esetében nem található fennálló számla. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Tételenkénti adó részletek DocType: Employee Onboarding,Job Offer,Állás ajánlat apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Intézmény rövidítése @@ -6344,6 +6416,7 @@ DocType: Serial No,Out of Warranty,Garanciaidőn túl DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Foltolt adattípus DocType: BOM Update Tool,Replace,Csere apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Nem talált termékeket. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,További tételek közzététele apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Ez a szolgáltatási szintű megállapodás a {0} vevőre vonatkozik apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} a {1} Értékesítési számlához DocType: Antibiotic,Laboratory User,Laboratóriumi felhasználó @@ -6366,7 +6439,6 @@ DocType: Payment Order Reference,Bank Account Details,Bankszámla adatai DocType: Purchase Order Item,Blanket Order,Keretszerződés 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Gyártási rendelés létrehozva {0} DocType: BOM Item,BOM No,Anyagjegyzék száma 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 @@ -6439,6 +6511,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Külső adóköteles szolgáltatások (nulla besorolás) DocType: BOM,Materials Required (Exploded),Szükséges anyagok (Robbantott) 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/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 @@ -6496,7 +6569,6 @@ DocType: Pricing Rule,Same Item,Ugyanaz a tétel DocType: Stock Ledger Entry,Stock Ledger Entry,Készlet könyvelés tétele DocType: Quality Action Resolution,Quality Action Resolution,Minőségi akciómegoldás apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} Félnapos távolléten ekkor {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Ugyanazt a tételt már többször rögzítették DocType: Department,Leave Block List,Távollét blokk lista DocType: Purchase Invoice,Tax ID,Adóazonosító ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,"Tétel: {0}, nincs telepítve Széria sz. Oszlopot hagyja üressen" @@ -6534,7 +6606,7 @@ 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 DocType: Purchase Invoice,Return,Visszatérés -DocType: Accounting Dimension,Disable,Tiltva +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 DocType: Task,Pending Review,Ellenőrzésre vár apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Szerkesztés teljes oldalon a további lehetőségekhez, például Vagyontárgyi-eszközökhöz, sorozatokhoz, kötegekhez stb." @@ -6647,7 +6719,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,A kombinált számlázási résznek 100% kell lenniük DocType: Item Default,Default Expense Account,Alapértelmezett Kiadás számla DocType: GST Account,CGST Account,CGST számla -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cikkszám> Tételcsoport> Márka apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Tanuló e-mail azonosítója DocType: Employee,Notice (days),Felmondás (napokban) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS záró utalvány számlák @@ -6658,6 +6729,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Válassza ki a tételeket a számla mentéséhez DocType: Employee,Encashment Date,Beváltás dátuma DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Eladó információk DocType: Special Test Template,Special Test Template,Speciális teszt sablon DocType: Account,Stock Adjustment,Készlet igazítás apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Alapértelmezett Tevékenység Költség létezik a tevékenység típusra - {0} @@ -6669,7 +6741,6 @@ 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 -DocType: Company,Bank Remittance Settings,Banki átutalási beállítások apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Átlagérték 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" @@ -6697,6 +6768,7 @@ DocType: Grading Scale Interval,Threshold,Küszöb apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Alkalmazottak szűrése (nem kötelező) DocType: BOM Update Tool,Current BOM,Aktuális anyagjegyzék (mit) apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Mérleg (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Darab késztermék apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Széria szám hozzáadása 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 @@ -6775,7 +6847,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Itt tarthatja karban a magasságot, súlyt, allergiát, egészségügyi problémákat stb" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Fiókok létrehozása ... DocType: Leave Block List,Applies to Company,Vállaltra vonatkozik -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nem lehet lemondani, mert Készlet bejegyzés: {0} létezik" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nem lehet lemondani, mert Készlet bejegyzés: {0} létezik" DocType: Loan,Disbursement Date,Folyósítás napja DocType: Service Level Agreement,Agreement Details,Megállapodás részletei apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,A megállapodás kezdő dátuma nem lehet nagyobb vagy egyenlő a záró dátummal. @@ -6784,6 +6856,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Orvosi karton DocType: Vehicle,Vehicle,Jármű DocType: Purchase Invoice,In Words,Szavakkal +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,A mai napig a dátum előtt kell lennie apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Adja meg a bank vagy hitelintézet nevét az elküldés előtt. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} be kell nyújtani DocType: POS Profile,Item Groups,Tétel Csoportok @@ -6855,7 +6928,6 @@ DocType: Customer,Sales Team Details,Értékesítő csoport részletei apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Véglegesen törli? DocType: Expense Claim,Total Claimed Amount,Összes Garanciális összeg apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potenciális értékesítési lehetőségek. -DocType: Plaid Settings,Link a new bank account,Új bankszámla összekapcsolása apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,A (z) {} érvénytelen jelenléti állapot. DocType: Shareholder,Folio no.,Folio sz. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Érvénytelen {0} @@ -6871,7 +6943,6 @@ DocType: Production Plan,Material Requested,Anyag igényelve DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Lefoglalt mennyiség az alvállalkozói szerződéshez DocType: Patient Service Unit,Patinet Service Unit,Betegszolgálati egység -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Szövegfájl létrehozása DocType: Sales Invoice,Base Change Amount (Company Currency),Alapértelmezett váltó összeg (Vállalat pénzneme) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Nincs számviteli bejegyzést az alábbi raktárakra apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Csak {0} van raktáron az {1} tételnél @@ -6885,6 +6956,7 @@ DocType: Item,No of Months,Hónapok száma DocType: Item,Max Discount (%),Max. engedmény (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,A hitelezési napok nem lehetnek negatív számok apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Tölts fel egy nyilatkozatot +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Jelentse ezt az elemet DocType: Purchase Invoice Item,Service Stop Date,A szolgáltatás leállítása apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Utolsó megrendelés összege DocType: Cash Flow Mapper,e.g Adjustments for:,pl. kiigazítások erre: @@ -6978,16 +7050,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Munkavállalói adómentesség kategória apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,"Az összeg nem lehet kevesebb, mint nulla." DocType: Sales Invoice,C-Form Applicable,C-formában idéztük -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},"Működési időnek nagyobbnak kell lennie, mint 0 erre a műveletre: {0}" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},"Működési időnek nagyobbnak kell lennie, mint 0 erre a műveletre: {0}" DocType: Support Search Source,Post Route String,Utasítássor lánc apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Raktár kötelező apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Sikertelen webhely létrehozás DocType: Soil Analysis,Mg/K,Mg/K DocType: UOM Conversion Detail,UOM Conversion Detail,Mértékegység konvertálásának részlete apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Belépés és beiratkozás -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Már létrehozott a megőrzési készletbejegyzés vagy a minta mennyisége nincs megadva +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Már létrehozott a megőrzési készletbejegyzés vagy a minta mennyisége nincs megadva DocType: Program,Program Abbreviation,Program rövidítése -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Gyártási rendelést nem lehet emelni a tétel terméksablonnal szemben apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Bizonylatonkénti csoportosítás (Megerősített) DocType: HR Settings,Encrypt Salary Slips in Emails,Titkosítsa a fizetéscsúszásokat az e-mailekben DocType: Question,Multiple Correct Answer,Többszörös helyes válasz @@ -7034,7 +7105,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Nincs nulla besorolás v DocType: Employee,Educational Qualification,Iskolai végzettség DocType: Workstation,Operating Costs,Üzemeltetési költségek apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Árfolyam ehhez: {0} ennek kell lennie: {1} -DocType: Employee Checkin,Entry Grace Period Consequence,A belépési türelmi idő következménye DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Jelölje meg a jelenlétet a „Munkavállalói ellenőrzés” alapján az erre a műszakra kijelölt alkalmazottak számára DocType: Asset,Disposal Date,Eltávolítás időpontja DocType: Service Level,Response and Resoution Time,Válasz és visszatérési idő @@ -7082,6 +7152,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Teljesítési dátum DocType: Purchase Invoice Item,Amount (Company Currency),Összeg (Társaság pénznemében) DocType: Program,Is Featured,Kiemelt +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Elragadó... DocType: Agriculture Analysis Criteria,Agriculture User,Mezőgazdaság felhasználó apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Érvényes dátum nem lehet a tranzakció időpontja előtt apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,"{0} darab ebből: {1} szükséges ebben: {2}, erre: {3} {4} ehhez: {5} ; a tranzakció befejezéséhez." @@ -7114,7 +7185,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Teljes fizetett össz 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ó @@ -7138,6 +7208,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Névtelen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Feladó 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: 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} @@ -7252,7 +7323,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Szinkronizálja az adókat 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Alapértelmezett anyagjegyzék BOM {0} nem található +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" apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,"Érintse a tételeket, ahhoz, hogy ide tegye" @@ -7286,7 +7357,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Karbantartás dátuma DocType: Purchase Invoice Item,Rejected Serial No,Elutasított sorozatszám apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,"Év kezdő vagy befejezési időpont átfedésben van evvel: {0}. Ennak elkerülése érdekében, kérjük, állítsa be a céget" -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Kérjük, nevezze meg a Lehetőség nevét ebben a lehetőségben {0}" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},"Kezdési időpontnak kisebbnek kell lennie, mint végső dátumnak erre a tétel {0}" DocType: Shift Type,Auto Attendance Settings,Automatikus jelenlét beállítások @@ -7296,9 +7366,11 @@ DocType: Upload Attendance,Upload Attendance,Résztvevők feltöltése apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Anyagjegyzék és Gyártási Mennyiség szükséges apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Öregedés tartomány 2 DocType: SG Creation Tool Course,Max Strength,Max állomány +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","A (z) {0} számla már létezik a (z) {1} gyermekvállalkozásban. A következő mezőknek különböző értékei vannak, ezeknek azonosaknak kell lenniük:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Telepítés beállításai DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Nincs kézbesítési értesítés ehhez az Ügyfélhez {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Sorok hozzáadva a (z) {0} -hoz apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,A (z) {0} alkalmazottnak nincs maximális juttatási összege apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Válasszon elemeket a szállítási dátum alapján DocType: Grant Application,Has any past Grant Record,Van bármilyen korábbi Támogatási rekord @@ -7342,6 +7414,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Diák részletei DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".","Ez az alapértelmezett UOM, amelyet az elemekhez és az értékesítési rendelésekhez használnak. A tartalék UOM "Nos"." DocType: Purchase Invoice Item,Stock Qty,Készlet menny. +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 DocType: Loan,Repayment Period in Months,Törlesztési időszak hónapokban @@ -7370,6 +7443,7 @@ DocType: Authorization Rule,Customerwise Discount,Vevőszerinti kedvezmény apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Jelenléti ív a feladatokra. DocType: Purchase Invoice,Against Expense Account,Ellen költség számla apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Telepítési feljegyzés {0} már benyújtott +DocType: BOM,Raw Material Cost (Company Currency),Nyersanyagköltség (vállalati pénznem) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},"Ház bérleti díja, amely átfedésben van a (z) {0} -kal" DocType: GSTR 3B Report,October,október DocType: Bank Reconciliation,Get Payment Entries,Fizetési bejegyzések lekérése @@ -7416,15 +7490,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Rendelkezésre állási dátum szükséges DocType: Request for Quotation,Supplier Detail,Beszállító adatai apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Hiba az űrlapban vagy feltételben: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Számlázott összeg +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Számlázott összeg apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,A kritériumok súlyai egészen 100%-ig apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Részvétel apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Raktári tételek DocType: Sales Invoice,Update Billed Amount in Sales Order,Kiszámlázott összeg frissítése a Vevői rendelésen +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Kapcsolatfelvétel az eladóval 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"A szavakkal mező lesz látható, miután mentette a Beszerzési megrendelést." @@ -7438,6 +7514,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Árlista törzsadat. DocType: Task,Review Date,Megtekintés dátuma DocType: BOM,Allow Alternative Item,Alternatív tétel engedélyezése +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"A beszerzési nyugtán nincs olyan elem, amelyre a minta megőrzése engedélyezve van." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Összesen számla DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Vagyontárgy értékcsökkenési tételsorozat (Naplóbejegyzés) DocType: Membership,Member Since,Tag ekkortól @@ -7447,6 +7524,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Nettó összeshez 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},"Érték erre a Jellemzőre: {0} ezen a tartományon belül kell lennie: {1} - {2} azzel az emelkedéssel: {3} ,erre a tételre:{4}" DocType: Pricing Rule,Product Discount Scheme,Termékkedvezmény rendszer +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,A hívó nem vetett fel kérdést. DocType: Restaurant Reservation,Waitlisted,Várólistás DocType: Employee Tax Exemption Declaration Category,Exemption Category,Mentesség kategóriája apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Pénznemen nem lehet változtatni, miután bejegyzéseket tett más pénznem segítségével" @@ -7460,7 +7538,6 @@ DocType: Customer Group,Parent Customer Group,Fő Vevő csoport apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Az e-Way Bill JSON csak az értékesítési számlából generálható apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Elérte a kvíz maximális kísérleteit! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Előfizetés -DocType: Purchase Invoice,Contact Email,Kapcsolattartó e-mailcíme apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Díj létrehozása függőben van DocType: Project Template Task,Duration (Days),Időtartam (nap) DocType: Appraisal Goal,Score Earned,Pontszám Szerzett @@ -7485,7 +7562,6 @@ DocType: Landed Cost Item,Landed Cost Item,Beszerzési költség tétel 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Egy tranzakció összege meghaladja a megengedett legnagyobb összeget, hozzon létre külön fizetési megbízást a tranzakciók felosztásával" 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 @@ -7653,6 +7729,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Elér DocType: Quality Inspection Reading,Reading 3,Olvasás 3 DocType: Stock Entry,Source Warehouse Address,Forrás raktárkészlet címe DocType: GL Entry,Voucher Type,Bizonylat típusa +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Jövőbeli kifizetések 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" @@ -7679,6 +7756,7 @@ DocType: Travel Request,Identification Document Number,Személy Igazolvány Szá 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." DocType: Sales Invoice,Customer GSTIN,Vevő GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,A területen észlelt kórokozók listája. Kiválasztáskor automatikusan felveszi a kórokozók kezelésére szolgáló feladatok listáját +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,"Ez egy forrás egészségügyi szolgáltatási egység, és nem szerkeszthető." DocType: Asset Repair,Repair Status,Javítási állapota 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." @@ -7693,6 +7771,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Átváltási összeg számlája DocType: QuickBooks Migrator,Connecting to QuickBooks,Csatlakozás QuickBookshez DocType: Exchange Rate Revaluation,Total Gain/Loss,Teljes nyereség/veszteség +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Készítsen válogatási listát apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Sor {0}: Ügyfél / fiók nem egyezik {1} / {2} a {3} {4} DocType: Employee Promotion,Employee Promotion,Alkalmazotti promóció DocType: Maintenance Team Member,Maintenance Team Member,Karbantartó csoporttag @@ -7775,6 +7854,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettó fizetés nem lehet negatív @@ -7806,7 +7886,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Minőségi cél DocType: BOM,Item to be manufactured or repacked,A tétel gyártott vagy újracsomagolt apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Szintaktikai hiba ebben az állapotban: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Az ügyfél nem vetett fel kérdést. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Fő / választható témák apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,"Kérjük, állítsa be a beszállítói csoportot a beszerzés beállításokból." @@ -7899,8 +7978,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Hitelezés napokban apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,"Kérem, válassza a Patient-ot, hogy megkapja a Lab Test-et" DocType: Exotel Settings,Exotel Settings,Exotel beállítások -DocType: Leave Type,Is Carry Forward,Ez átvitt +DocType: Leave Ledger Entry,Is Carry Forward,Ez átvitt DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Munkaidő, amely alatt a hiányzó meg van jelölve. (Nulla a letiltáshoz)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Üzenetet küldeni apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Elemek lekérése Anyagjegyzékből 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 diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv index 6c72b51f77..39f18f3c14 100644 --- a/erpnext/translations/id.csv +++ b/erpnext/translations/id.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Beritahu Pemasok apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Silakan pilih jenis pihak terlebih dahulu DocType: Item,Customer Items,Produk Pelanggan +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Kewajiban DocType: Project,Costing and Billing,Biaya dan Penagihan apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Mata uang akun muka harus sama dengan mata uang perusahaan {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Standar Satuan Ukur DocType: SMS Center,All Sales Partner Contact,Semua Kontak Mitra Penjualan DocType: Department,Leave Approvers,Approval Cuti DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Cari Item ... DocType: Patient Encounter,Investigations,Investigasi DocType: Restaurant Order Entry,Click Enter To Add,Klik Enter To Add apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Nilai yang hilang untuk Kata Sandi, Kunci API, atau URL Shopify" DocType: Employee,Rented,Sewaan apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Semua Akun apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Tidak dapat mentransfer Karyawan dengan status Kiri -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Berhenti Order Produksi tidak dapat dibatalkan, unstop terlebih dahulu untuk membatalkan" DocType: Vehicle Service,Mileage,Jarak tempuh apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Apakah Anda benar-benar ingin membatalkan aset ini? DocType: Drug Prescription,Update Schedule,Perbarui Jadwal @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Pelanggan DocType: Purchase Receipt Item,Required By,Diperlukan Oleh DocType: Delivery Note,Return Against Delivery Note,Retur Terhadap Nota Pengiriman DocType: Asset Category,Finance Book Detail,Detail Buku Keuangan +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Semua penyusutan telah dipesan DocType: Purchase Order,% Billed,Ditagih % apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Nomor Penggajian apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Kurs harus sama dengan {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Status Kadaluarsa Persediaan Batch apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bank Draft DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Total Entri Terlambat DocType: Mode of Payment Account,Mode of Payment Account,Mode Akun Pembayaran Rekening apps/erpnext/erpnext/config/healthcare.py,Consultation,Konsultasi DocType: Accounts Settings,Show Payment Schedule in Print,Tampilkan Jadwal Pembayaran di Cetak @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Da apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Rincian Kontak Utama apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,terbuka Isu DocType: Production Plan Item,Production Plan Item,Rencana Produksi Stok Barang +DocType: Leave Ledger Entry,Leave Ledger Entry,Tinggalkan Entri Buku Besar apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Pengguna {0} sudah ditugaskan untuk Karyawan {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},Bidang {0} terbatas pada ukuran {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Jum DocType: Purchase Invoice Item,Item Weight Details,Rincian Berat Item DocType: Asset Maintenance Log,Periodicity,Periode apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Tahun fiskal {0} diperlukan +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Laba / Rugi Bersih DocType: Employee Group Table,ERPNext User ID,ID Pengguna ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Jarak minimum antara deretan tanaman untuk pertumbuhan optimum apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Silakan pilih Pasien untuk mendapatkan prosedur yang ditentukan @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Daftar Harga Jual DocType: Patient,Tobacco Current Use,Penggunaan Saat Ini Tembakau apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Tingkat penjualan -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Harap simpan dokumen Anda sebelum menambahkan akun baru 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Dana DocType: Exchange Rate Revaluation Account,Gain/Loss,Merugi DocType: Crop,Perennial,Abadi DocType: Program,Is Published,Diterbitkan +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Tampilkan Catatan Pengiriman apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Untuk memungkinkan tagihan berlebih, perbarui "Kelebihan Tagihan Penagihan" di Pengaturan Akun atau Item." DocType: Patient Appointment,Procedure,Prosedur DocType: Accounts Settings,Use Custom Cash Flow Format,Gunakan Format Arus Kas Khusus @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Tinggalkan Detail Kebijakan DocType: BOM,Item Image (if not slideshow),Gambar Stok Barang (jika tidak slideshow) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Baris # {0}: Operasi {1} tidak selesai untuk {2} jumlah barang jadi dalam Perintah Kerja {3}. Harap perbarui status operasi melalui Kartu Pekerjaan {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} wajib untuk menghasilkan pembayaran pengiriman uang, setel bidang dan coba lagi" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarif per Jam / 60) * Masa Beroperasi Sebenarnya apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Baris # {0}: Jenis Dokumen Referensi harus menjadi salah satu Klaim Biaya atau Entri Jurnal apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Pilih BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Membayar Lebih dari Jumlah Periode apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Kuantitas untuk Menghasilkan tidak boleh kurang dari Nol DocType: Stock Entry,Additional Costs,Biaya-biaya tambahan +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Akun dengan transaksi yang ada tidak dapat dikonversi ke grup. DocType: Lead,Product Enquiry,Produk Enquiry DocType: Education Settings,Validate Batch for Students in Student Group,Validasi Batch untuk Siswa di Kelompok Pelajar @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Sarjana apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Silakan mengatur template default untuk Pemberitahuan Status Cuti di Pengaturan HR. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Sasaran On DocType: BOM,Total Cost,Total Biaya +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Alokasi Berakhir! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Daun Penerusan Maksimum DocType: Salary Slip,Employee Loan,Pinjaman karyawan DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Kirim Permintaan Pembayaran Email @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Real E apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Laporan Rekening apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmasi DocType: Purchase Invoice Item,Is Fixed Asset,Apakah Aset Tetap +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Tampilkan Pembayaran di Masa Mendatang DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Rekening bank ini sudah disinkronkan DocType: Homepage,Homepage Section,Bagian Beranda @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Pupuk apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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. -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Setidaknya satu cara pembayaran diperlukan untuk POS faktur. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Nomor batch diperlukan untuk item batch {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Item Faktur Transaksi Pernyataan Bank @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Pilih Syarat dan Ketentuan apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,out Nilai DocType: Bank Statement Settings Item,Bank Statement Settings Item,Item Pengaturan Pernyataan Bank DocType: Woocommerce Settings,Woocommerce Settings,Pengaturan Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Nama Transaksi DocType: Production Plan,Sales Orders,Order Penjualan apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Beberapa Program Loyalitas yang ditemukan untuk Pelanggan. Silakan pilih secara manual. DocType: Purchase Taxes and Charges,Valuation,Valuation @@ -460,6 +468,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Hanya tunjukkan Pelanggan dari Grup Pelanggan ini DocType: Sales Invoice,Is Opening Entry,Entri Pembuka? @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Sebutkan jika akun non-standar piutang yang berlaku 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 DocType: Supplier Scorecard,Criteria Setup,Setup kriteria -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Untuk Gudang diperlukan sebelum Submit +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 DocType: Codification Table,Medical Code,Kode medis apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Hubungkan Amazon dengan ERPNext @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Rekening bank ditambahkan -DocType: Delivery Stop,Contact Name,Nama Kontak +DocType: Call Log,Contact Name,Nama Kontak DocType: Plaid Settings,Synchronize all accounts every hour,Sinkronkan semua akun setiap jam DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteria Penilaian saja DocType: Pricing Rule Detail,Rule Applied,Aturan Diterapkan @@ -529,7 +539,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Nomor tidak dikenal DocType: Website Filter Field,Website Filter Field,Bidang Filter Situs Web apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Jenis Suplai DocType: Material Request Item,Min Order Qty,Min Order Qty @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Jumlah Pokok Jumlah DocType: Student Guardian,Relation,Hubungan DocType: Quiz Result,Correct,Benar DocType: Student Guardian,Mother,Ibu -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Silakan tambahkan kunci api kotak-kotak yang valid di site_config.json terlebih dahulu DocType: Restaurant Reservation,Reservation End Time,Reservasi Akhir Waktu DocType: Crop,Biennial,Dua tahunan ,BOM Variance Report,Laporan Varians BOM @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Pembayaran terhadap {0} {1} tidak dapat lebih besar dari Posisi Jumlah {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Pengaturan POS Offline DocType: Stock Entry Detail,Reference Purchase Receipt,Referensi Kwitansi Pembelian DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Varian Of -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Selesai Qty tidak dapat lebih besar dari 'Jumlah untuk Produksi' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Selesai Qty tidak dapat lebih besar dari 'Jumlah untuk Produksi' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Periode berdasarkan DocType: Period Closing Voucher,Closing Account Head,Penutupan Akun Kepala DocType: Employee,External Work History,Pengalaman Kerja Diluar apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Referensi Kesalahan melingkar apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Kartu Laporan Siswa apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Dari Kode Pin +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Tampilkan Tenaga Penjualan DocType: Appointment Type,Is Inpatient,Apakah rawat inap apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nama Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Dalam Kata-kata (Ekspor) akan terlihat sekali Anda menyimpan Delivery Note. @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Nama Dimensi apps/erpnext/erpnext/healthcare/setup.py,Resistant,Tahan apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Harap atur Tarif Kamar Hotel di {} +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: Journal Entry,Multi Currency,Multi Mata Uang DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipe Faktur apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Valid dari tanggal harus kurang dari tanggal yang berlaku @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Diterima DocType: Workstation,Rent Cost,Biaya Sewa 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Mendatang Kalender Acara apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Atribut varian @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Permintaan Quotation 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Tampilkan Tenaga Penjualan dalam Cetak 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 @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Buat Pelanggan baru apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Kedaluwarsa pada apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jika beberapa Aturan Harga terus menang, pengguna akan diminta untuk mengatur Prioritas manual untuk menyelesaikan konflik." -DocType: Purchase Invoice,Scan Barcode,Pindai Kode Batang apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Buat Purchase Order ,Purchase Register,Register Pembelian apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pasien tidak ditemukan @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Chanel Mitra DocType: Account,Old Parent,Old Parent apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Bidang Wajib - Tahun Akademik apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} tidak terkait dengan {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Komponen gaji untuk gaji berdasarkan absen. DocType: Driver,Applicable for external driver,Berlaku untuk driver eksternal DocType: Sales Order Item,Used for Production Plan,Digunakan untuk Rencana Produksi +DocType: BOM,Total Cost (Company Currency),Total Biaya (Mata Uang Perusahaan) DocType: Loan,Total Payment,Total pembayaran apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Tidak dapat membatalkan transaksi untuk Perintah Kerja Selesai. DocType: Manufacturing Settings,Time Between Operations (in mins),Waktu diantara Operasi (di menit) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Beritahu Lainnya DocType: Vital Signs,Blood Pressure (systolic),Tekanan Darah (sistolik) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} adalah {2} DocType: Item Price,Valid Upto,Valid Upto +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. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Perubahan {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Silakan pilih Perusahaan DocType: Employee Skill,Employee Skill,Keterampilan Karyawan apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Perbedaan Akun @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Faktor risiko DocType: Patient,Occupational Hazards and Environmental Factors,Bahaya Kerja dan Faktor Lingkungan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Entri Saham sudah dibuat untuk Perintah Kerja apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Lihat pesanan sebelumnya +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} percakapan DocType: Vital Signs,Respiratory rate,Tingkat pernapasan apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Pengaturan Subkontrak DocType: Vital Signs,Body Temperature,Suhu tubuh @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Komposisi Terdaftar apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Halo apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Pindahkan Barang DocType: Employee Incentive,Incentive Amount,Jumlah Insentif +,Employee Leave Balance Summary,Ringkasan Saldo Cuti Karyawan DocType: Serial No,Warranty Period (Days),Masa Garansi (Hari) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Jumlah Kredit / Jumlah Debet harus sama dengan Entri Jurnal terkait DocType: Installation Note Item,Installation Note Item,Laporan Instalasi Stok Barang @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,Bengkak DocType: Salary Slip,Salary Slip Timesheet,Daftar Absen Slip Gaji apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Gudang wajib untuk Pembelian Penerimaan sub-kontrak DocType: Item Price,Valid From,Valid Dari +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Rating Anda: DocType: Sales Invoice,Total Commission,Jumlah Nilai Komisi DocType: Tax Withholding Account,Tax Withholding Account,Akun Pemotongan Pajak DocType: Pricing Rule,Sales Partner,Mitra Penjualan @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Semua kartu pemil 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 +DocType: Item,Website Image,Gambar Situs Web apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Gudang target di baris {0} harus sama dengan Pesanan Kerja apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Tingkat Valuasi adalah wajib jika menggunakan Persediaan Pembukaan 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 @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},T 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Silakan lengkapi konfigurasi Plaid API Anda sebelum menyinkronkan akun Anda 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 DocType: Job Applicant,Resume Attachment,Lanjutkan Lampiran @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,Rencana produksi DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Membuka Invoice Creation Tool DocType: Salary Component,Round to the Nearest Integer,Membulatkan ke Integer Terdekat apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Retur Penjualan -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Catatan: Jumlah cuti dialokasikan {0} tidak boleh kurang dari cuti yang telah disetujui {1} untuk masa yang sama DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Tentukan Qty dalam Transaksi berdasarkan Serial No Input ,Total Stock Summary,Ringkasan Persediaan Total apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Sua apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Jumlah pokok DocType: Loan Application,Total Payable Interest,Total Utang Bunga apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total Posisi: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Kontak Terbuka DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Penjualan Faktur Timesheet 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} @@ -1080,6 +1099,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Seri Penamaan Faktur Defau 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 DocType: Restaurant Reservation,Restaurant Reservation,Reservasi Restoran +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Barang Anda apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Penulisan Proposal DocType: Payment Entry Deduction,Payment Entry Deduction,Pembayaran Masuk Pengurangan DocType: Service Level Priority,Service Level Priority,Prioritas Tingkat Layanan @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Batch Number Series apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Sales Person lain {0} ada dengan id Karyawan yang sama DocType: Employee Advance,Claimed Amount,Jumlah klaim +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Kedaluwarsa Alokasi 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 @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,Nama Kumpulan DocType: Fee Validity,Max number of visit,Jumlah kunjungan maksimal DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Wajib Untuk Akun Untung dan Rugi ,Hotel Room Occupancy,Kamar Hotel Okupansi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Absen dibuat: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Silakan set Cash standar atau rekening Bank Mode Pembayaran {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Mendaftar DocType: GST Settings,GST Settings,Pengaturan GST @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),Komisi Rate (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Silahkan pilih Program DocType: Project,Estimated Cost,Estimasi biaya DocType: Request for Quotation,Link to material requests,Link ke permintaan bahan +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Menerbitkan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Dirgantara ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Entri Kartu Kredit @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Aset Lancar apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} bukan Barang persediaan apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Silakan bagikan umpan balik Anda ke pelatihan dengan mengklik 'Feedback Training' dan kemudian 'New' +DocType: Call Log,Caller Information,Informasi Penelepon DocType: Mode of Payment Account,Default Account,Akun Standar apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Silahkan pilih Sampel Retention Warehouse di Stock Settings terlebih dahulu apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Silakan pilih tipe Program Multi Tier untuk lebih dari satu aturan koleksi. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Pembuatan Form Permintaan Material Otomatis DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Jam kerja di bawah setengah Hari ditandai. (Nol untuk menonaktifkan) DocType: Job Card,Total Completed Qty,Total Qty yang Diselesaikan +DocType: HR Settings,Auto Leave Encashment,Encashment Cuti Otomatis apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Kalah apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Anda tidak dapat memasukkan voucher saat ini di kolom 'Terhadap Entri Jurnal' DocType: Employee Benefit Application Detail,Max Benefit Amount,Jumlah Manfaat Maks @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Subscriber DocType: Item Attribute Value,Item Attribute Value,Nilai Item Atribut apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Pertukaran Mata Uang harus berlaku untuk Membeli atau untuk Penjualan. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Hanya alokasi yang kedaluwarsa yang dapat dibatalkan DocType: Item,Maximum sample quantity that can be retained,Jumlah sampel maksimal yang bisa dipertahankan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Baris {0} # Item {1} tidak dapat ditransfer lebih dari {2} terhadap Pesanan Pembelian {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Kampanye penjualan. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Penelpon tak dikenal DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1400,6 +1425,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Slot Waktu apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Nama DocType: Expense Claim Detail,Expense Claim Type,Tipe Beban Klaim DocType: Shopping Cart Settings,Default settings for Shopping Cart,Pengaturan default untuk Belanja +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Simpan Barang apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Biaya Baru apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Abaikan Jumlah Pesanan yang Ada apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Tambahkan Timeslots @@ -1412,6 +1438,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Tinjau Undangan Dikirim DocType: Shift Assignment,Shift Assignment,Pergeseran Tugas DocType: Employee Transfer Property,Employee Transfer Property,Properti Transfer Karyawan +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Akun Ekuitas / Kewajiban bidang tidak boleh kosong apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Dari Waktu Harus Kurang Dari Ke Waktu apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Bioteknologi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1493,11 +1520,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Dari Nega 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Jadwal Kuliah DocType: GSTR 3B Report,GSTR 3B Report,Laporan GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Status Penawaran DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Status Penyelesaian +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Total jumlah pembayaran tidak boleh lebih dari {} DocType: Daily Work Summary Group,Select Users,Pilih Pengguna DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Item Harga Kamar Hotel DocType: Loyalty Program Collection,Tier Name,Nama Tingkat @@ -1535,6 +1564,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Jumlah S DocType: Lab Test Template,Result Format,Format Hasil DocType: Expense Claim,Expenses,Biaya / Beban DocType: Service Level,Support Hours,Jam Dukungan +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Catatan pengiriman DocType: Item Variant Attribute,Item Variant Attribute,Item Varian Atribut ,Purchase Receipt Trends,Tren Nota Penerimaan DocType: Payroll Entry,Bimonthly,Dua bulan sekali @@ -1557,7 +1587,6 @@ DocType: Sales Team,Incentives,Insentif DocType: SMS Log,Requested Numbers,Nomor yang Diminta DocType: Volunteer,Evening,Malam DocType: Quiz,Quiz Configuration,Konfigurasi Kuis -DocType: Customer,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 @@ -1604,7 +1633,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Master ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Tidak dapat menemukan waktu Slot di {0} hari berikutnya untuk Operasi {1} DocType: Work Order,Plan material for sub-assemblies,Planning Material untuk Barang Rakitan 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 @@ -1619,9 +1647,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Anda harus mengaktifkan pemesanan ulang otomatis di Pengaturan Saham untuk mempertahankan tingkat pemesanan ulang. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Batal Kunjungan Material {0} sebelum membatalkan ini Maintenance Visit DocType: Pricing Rule,Rate or Discount,Tarif atau Diskon +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Rincian bank DocType: Vital Signs,One Sided,Satu Sisi apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serial ada {0} bukan milik Stok Barang {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Qty Diperlukan +DocType: Purchase Order Item Supplied,Required Qty,Qty Diperlukan DocType: Marketplace Settings,Custom Data,Data Khusus apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Gudang dengan transaksi yang ada tidak dapat dikonversi ke buku besar. DocType: Service Day,Service Day,Hari Layanan @@ -1649,7 +1678,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Mata Uang Akun DocType: Lab Test,Sample ID,Contoh ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Sebutkan Round Off Akun/ Akun Pembulatan di Perusahaan -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Jarak DocType: Supplier,Default Payable Accounts,Standar Akun Hutang apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Karyawan {0} tidak aktif atau tidak ada @@ -1690,8 +1718,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Request for Information DocType: Course Activity,Activity Date,Tanggal Aktivitas apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} dari {} -,LeaderBoard,LeaderBoard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Tingkat Dengan Margin (Mata Uang Perusahaan) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategori apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sinkronisasi Offline Faktur DocType: Payment Request,Paid,Dibayar DocType: Service Level,Default Priority,Prioritas Default @@ -1726,11 +1754,11 @@ DocType: Agriculture Task,Agriculture Task,Tugas Pertanian apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Pendapatan Tidak Langsung DocType: Student Attendance Tool,Student Attendance Tool,Alat Kehadiran Siswa DocType: Restaurant Menu,Price List (Auto created),Daftar Harga (Auto dibuat) +DocType: Pick List Item,Picked Qty,Memilih Qty DocType: Cheque Print Template,Date Settings,Pengaturan Tanggal 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 -,Company Name,Nama Perusahaan 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. @@ -1749,7 +1777,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Percobaan terbaru 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} -DocType: BOM,Raw Material Cost(Company Currency),Biaya Bahan Baku (Perusahaan Mata Uang) 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 @@ -1816,6 +1843,7 @@ DocType: Travel Itinerary,Train,Melatih ,Delayed Item Report,Laporan Item Tertunda apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC yang memenuhi syarat DocType: Healthcare Service Unit,Inpatient Occupancy,Hunian Pasien Rawat Inap +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Publikasikan Item Pertama Anda DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Waktu setelah akhir shift dimana check-out dipertimbangkan untuk hadir. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Tentukan {0} @@ -1931,6 +1959,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Semua BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Buat Entri Jurnal Perusahaan Inter DocType: Company,Parent Company,Perusahaan utama apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Kamar Hotel tipe {0} tidak tersedia pada {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Bandingkan BOM untuk perubahan Bahan Baku dan Operasi apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokumen {0} berhasil dihapus DocType: Healthcare Practitioner,Default Currency,Standar Mata Uang apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Rekonsiliasi akun ini @@ -1965,6 +1994,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktur Detil DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Rekonsiliasi Faktur Pembayaran DocType: Clinical Procedure,Procedure Template,Template Prosedur +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publikasikan Item apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Kontribusi% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Sesuai dengan Setelan Pembelian jika Pesanan Pembelian Diperlukan == 'YA', maka untuk membuat Purchase Invoice, pengguna harus membuat Purchase Order terlebih dahulu untuk item {0}" ,HSN-wise-summary of outward supplies,HSN-bijaksana-ringkasan persediaan luar @@ -1977,7 +2007,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Silahkan mengatur 'Terapkan Diskon tambahan On' DocType: Party Tax Withholding Config,Applicable Percent,Persen yang Berlaku ,Ordered Items To Be Billed,Item Pesanan Tertagih -DocType: Employee Checkin,Exit Grace Period Consequence,Keluar dari Masa Konsekuensi apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Dari Rentang harus kurang dari Untuk Rentang DocType: Global Defaults,Global Defaults,Standar Global apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Proyek Kolaborasi Undangan @@ -1985,13 +2014,11 @@ DocType: Salary Slip,Deductions,Pengurangan DocType: Setup Progress Action,Action Name,Nama Aksi apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Mulai Tahun apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Buat Pinjaman -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Tanggal faktur periode saat ini mulai DocType: Shift Type,Process Attendance After,Proses Kehadiran Setelah ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Cuti Tanpa Bayar DocType: Payment Request,Outward,Ke luar -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Kesalahan Perencanaan Kapasitas apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Pajak Negara / UT ,Trial Balance for Party,Trial Balance untuk Partai ,Gross and Net Profit Report,Laporan Laba Kotor dan Laba Bersih @@ -2010,7 +2037,6 @@ DocType: Payroll Entry,Employee Details,Detail Karyawan 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} -DocType: Setup Progress Action,Domains,Domain 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} @@ -2053,7 +2079,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Pertemuan 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.","Modus pembayaran tidak dikonfigurasi. Silakan periksa, apakah akun telah ditetapkan pada Cara Pembayaran atau POS Profil." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,item yang sama tidak dapat dimasukkan beberapa kali. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Account lebih lanjut dapat dibuat di bawah Grup, tapi entri dapat dilakukan terhadap non-Grup" -DocType: Email Campaign,Lead,Prospek +DocType: Call Log,Lead,Prospek DocType: Email Digest,Payables,Hutang DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Kampanye Email Untuk @@ -2065,6 +2091,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Purchase Order Items Akan Ditagih 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 DocType: Purchase Invoice Item,Net Rate,Nilai Bersih / Net apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Silahkan pilih pelanggan DocType: Leave Policy,Leave Allocations,Tinggalkan Alokasi @@ -2078,6 +2105,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Tutup Isu Setelah Days ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Anda harus menjadi pengguna dengan peran Manajer Sistem dan Manajer Item untuk menambahkan pengguna ke Marketplace. +DocType: Attendance,Early Exit,Keluar awal DocType: Job Opening,Staffing Plan,Rencana Kepegawaian apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON hanya dapat dihasilkan dari dokumen yang dikirimkan apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Pajak dan Manfaat Karyawan @@ -2098,6 +2126,7 @@ DocType: Maintenance Team Member,Maintenance Role,Peran Pemeliharaan apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Baris duplikat {0} dengan sama {1} DocType: Marketplace Settings,Disable Marketplace,Nonaktifkan Marketplace DocType: Quality Meeting,Minutes,Menit +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Item Unggulan Anda ,Trial Balance,Trial Balance apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Tampilkan Selesai apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Tahun fiskal {0} tidak ditemukan @@ -2107,8 +2136,8 @@ 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 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- -DocType: Shift Type,Consequence,Konsekuensi DocType: Subscription Settings,Subscription Settings,Pengaturan Langganan DocType: Purchase Invoice,Update Auto Repeat Reference,Perbarui Referensi Ulangan Otomatis apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Daftar Holiday Opsional tidak ditetapkan untuk periode cuti {0} @@ -2119,7 +2148,6 @@ DocType: Maintenance Visit Purpose,Work Done,Pekerjaan Selesai apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Silakan tentukan setidaknya satu atribut dalam tabel Atribut DocType: Announcement,All Students,Semua murid apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Barang {0} harus barang non-persediaan -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatils Bank apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Lihat Buku Besar DocType: Grading Scale,Intervals,interval DocType: Bank Statement Transaction Entry,Reconciled Transactions,Rekonsiliasi Transaksi @@ -2155,6 +2183,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Peluang Stok Barang DocType: Quality Action,Quality Review,Ulasan Kualitas @@ -2181,7 +2210,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Dapatkan Faktur Berjalan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Order Penjualan {0} tidak valid +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,pesanan pembelian membantu Anda merencanakan dan menindaklanjuti pembelian Anda apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Resep Uji Lab @@ -2206,6 +2235,7 @@ DocType: Employee Onboarding,Notify users by email,Beri tahu pengguna melalui em DocType: Travel Request,International,Internasional DocType: Training Event,Training Event,pelatihan Kegiatan DocType: Item,Auto re-order,Auto re-order +DocType: Attendance,Late Entry,Entri Terlambat apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Total Dicapai DocType: Employee,Place of Issue,Tempat Issue DocType: Promotional Scheme,Promotional Scheme Price Discount,Diskon Harga Skema Promosi @@ -2252,6 +2282,7 @@ DocType: Serial No,Serial No Details,Nomor Detail Serial DocType: Purchase Invoice Item,Item Tax Rate,Tarif Pajak Stok Barang apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Dari Nama Pesta apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Jumlah Gaji Bersih +DocType: Pick List,Delivery against Sales Order,Pengiriman terhadap Pesanan Penjualan DocType: Student Group Student,Group Roll Number,Nomor roll grup apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Untuk {0}, hanya rekening kredit dapat dihubungkan dengan entri debit lain" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Nota pengiriman {0} tidak Terkirim @@ -2323,7 +2354,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Nilai ini digunakan untuk perhitungan temporer pro-rata apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Anda harus mengaktifkan Keranjang Belanja DocType: Payment Entry,Writeoff,writeoff DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2337,6 +2367,7 @@ DocType: Delivery Trip,Total Estimated Distance,Perkiraan Jarak Total DocType: Invoice Discounting,Accounts Receivable Unpaid Account,"Piutang Akun, Akun yang Belum Dibayar" DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Tidak diperbolehkan membuat dimensi akuntansi untuk {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Harap perbarui status anda untuk acara pelatihan ini DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Penambahan atau Pengurangan @@ -2346,7 +2377,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Barang Penjualan Tidak Aktif DocType: Quality Review,Additional Information,informasi tambahan apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Nilai Total Order -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Reset Perjanjian Tingkat Layanan. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Makanan apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Rentang Umur 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detail Voucher Penutupan POS @@ -2393,6 +2423,7 @@ 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 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' DocType: Healthcare Practitioner,Contacts and Address,Kontak dan Alamat DocType: Shift Type,Determine Check-in and Check-out,Tentukan Check-in dan Check-out @@ -2412,7 +2443,6 @@ DocType: Student Admission,Eligibility and Details,Kelayakan dan Detail apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Termasuk dalam Laba Kotor apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Perubahan bersih dalam Aset Tetap apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Kode Klien apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mengisi tipe 'sebenarnya' berturut-turut {0} tidak dapat dimasukkan dalam Butir Tingkat apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Dari Datetime @@ -2481,6 +2511,7 @@ DocType: Journal Entry Account,Account Balance,Saldo Akun Rekening apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Pelanggan diperlukan untuk akun Piutang {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Jumlah Pajak dan Biaya (Perusahaan Mata Uang) DocType: Weather,Weather Parameter,Parameter Cuaca @@ -2543,6 +2574,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Ambang Jam Kerja untuk Ab apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Ada beberapa faktor pengumpulan berdasarkan jumlah total yang dibelanjakan. Tetapi faktor konversi untuk penebusan akan selalu sama untuk semua tingkatan. apps/erpnext/erpnext/config/help.py,Item Variants,Item Varian apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Jasa +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Email Slip Gaji ke Karyawan DocType: Cost Center,Parent Cost Center,Parent Biaya Pusat @@ -2553,7 +2585,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","P DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Catatan Pengiriman Impor dari Shopify on Shipment apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Tampilkan ditutup DocType: Issue Priority,Issue Priority,Prioritas Masalah -DocType: Leave Type,Is Leave Without Pay,Apakah Cuti Tanpa Bayar +DocType: Leave Ledger Entry,Is Leave Without Pay,Apakah Cuti Tanpa Bayar apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Aset Kategori adalah wajib untuk item aset tetap DocType: Fee Validity,Fee Validity,Validitas biaya @@ -2602,6 +2634,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Tersedia Batch Qty apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Perbarui Format Cetak DocType: Bank Account,Is Company Account,Apakah Akun Perusahaan apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Tinggalkan Jenis {0} tidak dapat dicampuri +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Batas kredit sudah ditentukan untuk Perusahaan {0} DocType: Landed Cost Voucher,Landed Cost Help,Bantuan Biaya Landed DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Pilih Alamat Pengiriman @@ -2626,6 +2659,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Dua arah DocType: Item,Manufacturers,Pabrikan @@ -2662,7 +2696,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Laporan Rekonsiliasi Bank DocType: Patient Encounter,Medical Coding,Pengkodean medis DocType: Healthcare Settings,Reminder Message,Pesan pengingat -,Lead Name,Nama Prospek +DocType: Call Log,Lead Name,Nama Prospek ,POS,POS DocType: C-Form,III,AKU AKU AKU apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Pencarian @@ -2694,12 +2728,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Gudang Supplier DocType: Opportunity,Contact Mobile No,Kontak Mobile No apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Pilih Perusahaan ,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: 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- 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.,Pengguna {0} tidak memiliki Profil POS default. Cek Default di Baris {1} untuk Pengguna ini. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Risalah Rapat Kualitas +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pemasok> Jenis Pemasok apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Rujukan karyawan DocType: Student Group,Set 0 for no limit,Set 0 untuk tidak ada batas apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Hari (s) yang Anda lamar cuti adalah hari libur. Anda tidak perlu mengajukan cuti. @@ -2733,12 +2769,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Perubahan bersih dalam kas DocType: Assessment Plan,Grading Scale,Skala penilaian apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Satuan Ukur {0} telah dimasukkan lebih dari sekali dalam Faktor Konversi Tabel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Sudah lengkap apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Persediaan Di Tangan apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Harap tambahkan manfaat yang tersisa {0} ke aplikasi sebagai komponen \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Harap setel Kode Fisk untuk administrasi publik '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Permintaan pembayaran sudah ada {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Biaya Produk Dikeluarkan DocType: Healthcare Practitioner,Hospital,RSUD apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Kuantitas tidak boleh lebih dari {0} @@ -2783,6 +2817,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Sumber Daya Manusia apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Penghasilan Atas DocType: Item Manufacturer,Item Manufacturer,Item Produsen +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Buat Pemimpin Baru DocType: BOM Operation,Batch Size,Ukuran Batch apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Menolak DocType: Journal Entry Account,Debit in Company Currency,Debit di Mata Uang Perusahaan @@ -2803,9 +2838,11 @@ DocType: Bank Transaction,Reconciled,Berdamai DocType: Expense Claim,Total Amount Reimbursed,Jumlah Total diganti apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Hal ini didasarkan pada log terhadap kendaraan ini. Lihat timeline di bawah untuk rincian apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Tanggal penggajian tidak boleh kurang dari tanggal bergabung karyawan +DocType: Pick List,Item Locations,Lokasi barang apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} dibuat apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Lowongan Kerja untuk penunjukan {0} sudah terbuka \ atau perekrutan selesai sesuai Rencana Kepegawaian {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Anda dapat menerbitkan hingga 200 item. DocType: Vital Signs,Constipated,Sembelit apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Terhadap Faktur Supplier {0} di tanggal {1} DocType: Customer,Default Price List,Standar List Harga @@ -2897,6 +2934,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Pergeseran Mulai Aktual DocType: Tally Migration,Is Day Book Data Imported,Apakah Data Buku Hari Diimpor apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Beban Pemasaran +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} unit {1} tidak tersedia. ,Item Shortage Report,Laporan Kekurangan Barang / Item 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 @@ -2919,6 +2957,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 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 DocType: Material Request,Transferred,Ditransfer DocType: Vehicle,Doors,pintu @@ -2998,7 +3037,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Kode Barang Pelanggan DocType: Stock Reconciliation,Stock Reconciliation,Rekonsiliasi Persediaan DocType: Territory,Territory Name,Nama Wilayah DocType: Email Digest,Purchase Orders to Receive,Pesanan Pembelian untuk Menerima -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Kerja-in-Progress Gudang diperlukan sebelum Submit +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Kerja-in-Progress Gudang diperlukan sebelum Submit apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Anda hanya dapat memiliki Paket dengan siklus penagihan yang sama dalam Langganan DocType: Bank Statement Transaction Settings Item,Mapped Data,Data yang Dipetakan DocType: Purchase Order Item,Warehouse and Reference,Gudang dan Referensi @@ -3072,6 +3111,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Pengaturan Pengiriman apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Ambil Data apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Cuti maksimum yang diizinkan dalam jenis cuti {0} adalah {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publikasikan 1 Item DocType: SMS Center,Create Receiver List,Buat Daftar Penerima DocType: Student Applicant,LMS Only,LMS Saja apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Tanggal tersedia untuk digunakan harus setelah tanggal pembelian @@ -3105,6 +3145,7 @@ 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 DocType: Vital Signs,Furry,Berbulu apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Silahkan mengatur 'Gain / Loss Account pada Asset Disposal' di Perusahaan {0} +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} @@ -3116,6 +3157,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Lihat semua masalah dari {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabel Rapat Kualitas +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/templates/pages/help.html,Visit the forums,Kunjungi forum DocType: Student,Student Mobile Number,Mahasiswa Nomor Ponsel DocType: Item,Has Variants,Memiliki Varian @@ -3126,9 +3168,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Nama Distribusi Bulanan DocType: Quality Procedure Process,Quality Procedure Process,Proses Prosedur Mutu apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch ID adalah wajib +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Silakan pilih Pelanggan terlebih dahulu DocType: Sales Person,Parent Sales Person,Induk Sales Person apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Tidak ada barang yang akan diterima sudah lewat apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Penjual dan pembeli tidak bisa sama +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Belum ada penayangan DocType: Project,Collect Progress,Kumpulkan Kemajuan DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Pilih programnya dulu @@ -3150,11 +3194,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Tercapai DocType: Student Admission,Application Form Route,Form aplikasi Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Tanggal Akhir Perjanjian tidak boleh kurang dari hari ini. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter untuk mengirim DocType: Healthcare Settings,Patient Encounters in valid days,Pertemuan Pasien di hari yang valid apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Tinggalkan Jenis {0} tidak dapat dialokasikan karena itu pergi tanpa membayar 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},Baris {0}: Alokasi jumlah {1} harus kurang dari atau sama dengan faktur jumlah yang luar biasa {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Faktur Penjualan. DocType: Lead,Follow Up,Mengikuti +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Pusat Biaya: {0} tidak ada DocType: Item,Is Sales Item,Barang Jualan apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Tree Item Grup apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Stok Barang {0} tidak setup untuk Nomor Seri. Periksa Induk Barang @@ -3199,9 +3245,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Qty Disupply DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Item Permintaan Material -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Harap batalkan Tanda Terima Pembelian {0} terlebih dahulu apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Tree Item Grup. DocType: Production Plan,Total Produced Qty,Total Diproduksi Qty +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Belum ada ulasan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Tidak dapat merujuk nomor baris yang lebih besar dari atau sama dengan nomor baris saat ini untuk jenis Biaya ini DocType: Asset,Sold,Terjual ,Item-wise Purchase History,Laporan Riwayat Pembelian berdasarkan Stok Barang/Item @@ -3220,7 +3266,7 @@ DocType: Designation,Required Skills,Keterampilan yang Dibutuhkan DocType: Inpatient Record,O Positive,O Positif apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investasi DocType: Issue,Resolution Details,Detail Resolusi -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,tipe transaksi +DocType: Leave Ledger Entry,Transaction Type,tipe transaksi DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriteria Penerimaan apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Cukup masukkan Permintaan Bahan dalam tabel di atas apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Tidak ada pembayaran yang tersedia untuk Entri Jurnal @@ -3261,6 +3307,7 @@ DocType: Bank Account,Bank Account No,Rekening Bank No DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Pengajuan Bukti Pembebasan Pajak Karyawan DocType: Patient,Surgical History,Sejarah Bedah DocType: Bank Statement Settings Item,Mapped Header,Header yang Dipetakan +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: 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. 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} @@ -3328,7 +3375,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Tambahkan kop surat DocType: Program Enrollment,Self-Driving Vehicle,Kendaraan Mengemudi Sendiri 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Jumlah cuti dialokasikan {0} tidak bisa kurang dari cuti yang telah disetujui {1} untuk periode DocType: Contract Fulfilment Checklist,Requirement,Kebutuhan DocType: Journal Entry,Accounts Receivable,Piutang DocType: Quality Goal,Objectives,Tujuan @@ -3351,7 +3397,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Ambang Transaksi Tung DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Nilai ini diperbarui dalam Daftar Harga Penjualan Standar. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Keranjang Anda kosong DocType: Email Digest,New Expenses,Beban baru -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Jumlah PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Tidak Dapat Mengoptimalkan Rute karena Alamat Driver Tidak Ada. DocType: Shareholder,Shareholder,Pemegang saham DocType: Purchase Invoice,Additional Discount Amount,Jumlah Potongan Tambahan @@ -3388,6 +3433,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Tugas pemeliharaan apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Harap atur Batas B2C di Setelan GST. DocType: Marketplace Settings,Marketplace Settings,Pengaturan Marketplace DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Gudang di mana Anda menyimpan barang-barang yang ditolak/reject +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Terbitkan {0} Item 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,Tidak dapat menemukan nilai tukar untuk {0} sampai {1} untuk tanggal kunci {2}. Buat catatan Currency Exchange secara manual DocType: POS Profile,Price List,Daftar Harga 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. @@ -3424,6 +3470,7 @@ DocType: Salary Component,Deduction,Deduksi DocType: Item,Retain Sample,Simpan sampel apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Row {0}: Dari Waktu dan To Waktu adalah wajib. DocType: Stock Reconciliation Item,Amount Difference,jumlah Perbedaan +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Halaman ini melacak item yang ingin Anda beli dari penjual. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Item Harga ditambahkan untuk {0} di Daftar Harga {1} DocType: Delivery Stop,Order Information,informasi pemesanan apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Cukup masukkan Id Karyawan Sales Person ini @@ -3452,6 +3499,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 ** **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nama Rencana Penilaian apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detail Target apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Berlaku jika perusahaannya adalah SpA, SApA atau SRL" @@ -3504,7 +3552,6 @@ DocType: Company,Transactions Annual History,Transaksi Sejarah Tahunan 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Di Atas 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 @@ -3556,6 +3603,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,keuntungan untuk tahun ini 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 @@ -3609,12 +3657,10 @@ DocType: Supplier Scorecard,Scoring Setup,Setup Scoring apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronik 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Tidak ditemukan No. GST untuk Perusahaan. 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 DocType: Question,Single Correct Answer,Jawaban Benar Tunggal -DocType: Employee,Contact Details,Kontak Detail DocType: C-Form,Received Date,Diterima Tanggal DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Jika Anda telah membuat template standar dalam Penjualan Pajak dan Biaya Template, pilih salah satu dan klik pada tombol di bawah ini." DocType: BOM Scrap Item,Basic Amount (Company Currency),Nilai Dasar (Mata Uang Perusahaan) @@ -3644,12 +3690,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Operasi Situs DocType: Bank Statement Transaction Payment Item,outstanding_amount,Jumlah yang luar biasa DocType: Supplier Scorecard,Supplier Score,Skor Pemasok apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Jadwalkan Pendaftaran +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Jumlah Total Permintaan Pembayaran tidak boleh lebih dari jumlah {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Ambang Transaksi Kumulatif DocType: Promotional Scheme Price Discount,Discount Type,Jenis Diskon -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Jumlah Nilai Tagihan DocType: Purchase Invoice Item,Is Free Item,Apakah Barang Gratis +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,Persentase Anda dapat mentransfer lebih banyak dari jumlah yang dipesan. Misalnya: Jika Anda telah memesan 100 unit. dan Tunjangan Anda 10% maka Anda diizinkan mentransfer 110 unit. DocType: Supplier,Warn RFQs,Peringatkan untuk RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,Menjelajah +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Menjelajah DocType: BOM,Conversion Rate,Tingkat konversi apps/erpnext/erpnext/www/all-products/index.html,Product Search,Cari produk ,Bank Remittance,Remitansi Bank @@ -3661,6 +3708,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Jumlah Total yang Dibayar DocType: Asset,Insurance End Date,Tanggal Akhir Asuransi apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Silakan pilih Student Admission yang wajib diisi pemohon uang pelajar +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Daftar anggaran DocType: Campaign,Campaign Schedules,Jadwal Kampanye DocType: Job Card Time Log,Completed Qty,Qty Selesai @@ -3683,6 +3731,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Alamat ba DocType: Quality Inspection,Sample Size,Ukuran Sampel apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Masukkan Dokumen Penerimaan apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Semua Stok Barang telah tertagih +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Daun Diambil apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Silakan tentukan valid 'Dari Kasus No' 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,Pusat biaya lebih lanjut dapat dibuat di bawah Grup tetapi entri dapat dilakukan terhadap non-Grup 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,Total hari cuti yang dialokasikan lebih dari alokasi maksimum {0} jenis cuti untuk karyawan {1} pada masa tersebut @@ -3782,6 +3831,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Termasuk Se 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 DocType: Leave Block List,Allow Users,Izinkan Pengguna 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: 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. @@ -3835,6 +3886,7 @@ DocType: Support Search Source,Result Title Field,Bidang Judul Hasil apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Ringkasan Panggilan DocType: Sample Collection,Collected Time,Waktu yang Dikumpulkan DocType: Employee Skill Map,Employee Skills,Keterampilan Karyawan +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Biaya Bahan Bakar DocType: Company,Sales Monthly History,Riwayat Bulanan Penjualan apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Harap setel setidaknya satu baris di Tabel Pajak dan Biaya DocType: Asset Maintenance Task,Next Due Date,Tanggal Jatuh Tempo Berikutnya @@ -3844,6 +3896,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Tanda-tan DocType: Payment Entry,Payment Deductions or Loss,Pengurangan pembayaran atau Rugi DocType: Soil Analysis,Soil Analysis Criterias,Kriteria Analisis Tanah apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Ketentuan kontrak standar untuk Penjualan atau Pembelian. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Baris Dihapus dalam {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Mulai check-in sebelum waktu mulai shift (dalam menit) DocType: BOM Item,Item operation,Operasi barang apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Group by Voucher @@ -3869,11 +3922,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Slip Gaji karyawan {0} sudah dibuat untuk periode ini apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmasi apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Anda hanya dapat mengirim Tinggalkan Cadangan untuk jumlah pencairan yang valid +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Item oleh apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Biaya Produk Dibeli DocType: Employee Separation,Employee Separation Template,Template Pemisahan Karyawan DocType: Selling Settings,Sales Order Required,Nota Penjualan Diperlukan apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Menjadi Penjual -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Jumlah kemunculan setelah konsekuensi dijalankan. ,Procurement Tracker,Pelacak Pengadaan DocType: Purchase Invoice,Credit To,Kredit Untuk apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Terbalik @@ -3886,6 +3939,7 @@ DocType: Quality Meeting,Agenda,Jadwal acara DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Jadwal pemeliharaan Detil DocType: Supplier Scorecard,Warn for new Purchase Orders,Peringatkan untuk Pesanan Pembelian baru DocType: Quality Inspection Reading,Reading 9,Membaca 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Hubungkan Akun Exotel Anda ke ERPNext dan lacak log panggilan DocType: Supplier,Is Frozen,Dibekukan DocType: Tally Migration,Processed Files,File yang Diproses apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,gudang kelompok simpul tidak diperbolehkan untuk memilih untuk transaksi @@ -3895,6 +3949,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,No. BOM untuk Baran DocType: Upload Attendance,Attendance To Date,Kehadiran Sampai Tanggal 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 @@ -3919,7 +3974,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Pemohon apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Referensi yang tidak valid {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Aturan untuk menerapkan berbagai skema promosi. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) tidak dapat lebih besar dari jumlah yang direncanakan ({2}) di Perintah Produksi {3} DocType: Shipping Rule,Shipping Rule Label,Peraturan Pengiriman Label DocType: Journal Entry Account,Payroll Entry,Entri Penggajian apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Lihat Catatan Biaya @@ -3931,6 +3985,7 @@ DocType: Contract,Fulfilment Status,Status Pemenuhan DocType: Lab Test Sample,Lab Test Sample,Sampel Uji Lab DocType: Item Variant Settings,Allow Rename Attribute Value,Izinkan Ganti Nama Nilai Atribut apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Jurnal Entry Cepat +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Jumlah Pembayaran Masa Depan apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Anda tidak dapat mengubah kurs jika BOM disebutkan atas tiap barang DocType: Restaurant,Invoice Series Prefix,Awalan Seri Faktur DocType: Employee,Previous Work Experience,Pengalaman Kerja Sebelumnya @@ -3960,6 +4015,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Status proyek DocType: UOM,Check this to disallow fractions. (for Nos),Centang untuk melarang fraksi. (Untuk Nos) DocType: Student Admission Program,Naming Series (for Student Applicant),Penamaan Series (untuk Mahasiswa Pemohon) +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/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 @@ -3975,6 +4031,7 @@ DocType: Fiscal Year,Year End Date,Tanggal Akhir Tahun DocType: Task Depends On,Task Depends On,Tugas Tergantung Pada apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Peluang DocType: Options,Option,Pilihan +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Anda tidak dapat membuat entri akuntansi dalam periode akuntansi tertutup {0} DocType: Operation,Default Workstation,Standar Workstation DocType: Payment Entry,Deductions or Loss,Pemotongan atau Rugi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} tertutup @@ -3983,6 +4040,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Dapatkan Persediaan saat ini DocType: Purchase Invoice,ineligible,tidak memenuhi syarat apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Tree Bill of Material +DocType: BOM,Exploded Items,Item yang meledak DocType: Student,Joining Date,Tanggal Bergabung ,Employees working on a holiday,Karyawan yang bekerja pada hari libur ,TDS Computation Summary,Ringkasan Perhitungan TDS @@ -4015,6 +4073,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Tarif Dasar (sesuai UO DocType: SMS Log,No of Requested SMS,Tidak ada dari Diminta SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Tinggalkan Tanpa Bayar tidak sesuai dengan catatan Cuti Aplikasi disetujui apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Langkah selanjutnya +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Item Tersimpan DocType: Travel Request,Domestic,Lokal apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Silakan memasok barang-barang tertentu dengan tarif terbaik apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Transfer karyawan tidak dapat diserahkan sebelum Tanggal Transfer @@ -4087,7 +4146,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Aset Kategori Akun apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Nilai {0} sudah ditetapkan untuk Item yang sudah ada {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Baris # {0} (Tabel Pembayaran): Jumlah harus positif -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Tidak dapat menghasilkan lebih Stok Barang {0} daripada kuantitas Sales Order {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Tidak dapat menghasilkan lebih Stok Barang {0} daripada kuantitas Sales Order {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Tidak ada yang termasuk dalam gross apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,RUU e-Way sudah ada untuk dokumen ini apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Pilih Nilai Atribut @@ -4122,12 +4181,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Aktifkan Konsekuensi Berbeda untuk Keluar Awal ,Lab Test Report,Laporan Uji Lab DocType: Employee Benefit Application,Employee Benefit Application,Aplikasi Manfaat Karyawan apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Komponen Gaji Tambahan Ada. DocType: Purchase Invoice,Unregistered,Tidak terdaftar -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Silakan Pengiriman Catatan terlebih dahulu DocType: Student Applicant,Application Date,Tanggal Aplikasi DocType: Salary Component,Amount based on formula,Jumlah berdasarkan formula DocType: Purchase Invoice,Currency and Price List,Mata Uang dan Daftar Harga @@ -4156,6 +4213,7 @@ DocType: Purchase Receipt,Time at which materials were received,Waktu di mana ba DocType: Products Settings,Products per Page,Produk per Halaman 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Jumlah yang dialokasikan tidak boleh negatif DocType: Sales Order,Billing Status,Status Penagihan apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Laporkan Masalah @@ -4165,6 +4223,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-ke atas 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,Row # {0}: Journal Entri {1} tidak memiliki akun {2} atau sudah cocok dengan voucher lain DocType: Supplier Scorecard Criteria,Criteria Weight,Kriteria Berat +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Akun: {0} tidak diizinkan di bawah Entri Pembayaran DocType: Production Plan,Ignore Existing Projected Quantity,Abaikan Kuantitas Proyeksi yang Ada apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Tinggalkan Pemberitahuan Persetujuan DocType: Buying Settings,Default Buying Price List,Standar Membeli Daftar Harga @@ -4173,6 +4232,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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" DocType: Payment Entry,Payment Type,Jenis Pembayaran apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Silakan pilih Batch for Item {0}. Tidak dapat menemukan satu bets yang memenuhi persyaratan ini @@ -4201,6 +4261,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Pengaturan Keranjang Bela DocType: Journal Entry,Accounting Entries,Entri Akuntansi 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'." +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: Journal Entry,Paid Loan,Pinjaman Berbayar 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 @@ -4217,12 +4278,14 @@ DocType: Shopify Settings,Webhooks Details,Detail Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Tidak ada lembar waktu DocType: GoCardless Mandate,GoCardless Customer,Pelanggan GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Cuti Jenis {0} tidak dapat membawa-diteruskan +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kode Barang> Grup Barang> Merek apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Jadwal pemeliharaan tidak dihasilkan untuk semua item. Silahkan klik 'Menghasilkan Jadwal' ,To Produce,Untuk Menghasilkan DocType: Leave Encashment,Payroll,Daftar gaji 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","Untuk baris {0} di {1}. Untuk menyertakan {2} di tingkat Item, baris {3} juga harus disertakan" DocType: Healthcare Service Unit,Parent Service Unit,Unit Layanan Orang Tua DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikasi paket untuk pengiriman (untuk mencetak) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Perjanjian Tingkat Layanan telah diatur ulang. DocType: Bin,Reserved Quantity,Reserved Kuantitas apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Harap masukkan alamat email yang benar DocType: Volunteer Skill,Volunteer Skill,Keterampilan Relawan @@ -4243,7 +4306,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Harga atau Diskon Produk apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Untuk baris {0}: Masuki rencana qty DocType: Account,Income Account,Akun Penghasilan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah DocType: Payment Request,Amount in customer's currency,Jumlah dalam mata uang pelanggan apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Pengiriman apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Menetapkan Struktur... @@ -4266,6 +4328,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Anda akan kehilangan rekaman faktur yang dibuat sebelumnya. Anda yakin ingin memulai ulang langganan ini? @@ -4321,11 +4384,10 @@ DocType: Additional Salary,HR User,HR Pengguna DocType: Bank Guarantee,Reference Document Name,Nama Dokumen Referensi DocType: Purchase Invoice,Taxes and Charges Deducted,Pajak dan Biaya Dikurangi DocType: Support Settings,Issues,Isu -DocType: Shift Type,Early Exit Consequence after,Konsekuensi Keluar Awal setelah DocType: Loyalty Program,Loyalty Program Name,Nama Program Loyalitas apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Status harus menjadi salah satu {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Pengingat untuk memperbarui GSTIN Terkirim -DocType: Sales Invoice,Debit To,Debit Untuk +DocType: Discounted Invoice,Debit To,Debit Untuk DocType: Restaurant Menu Item,Restaurant Menu Item,Item Menu Restoran DocType: Delivery Note,Required only for sample item.,Diperlukan hanya untuk item sampel. DocType: Stock Ledger Entry,Actual Qty After Transaction,Jumlah Aktual Setelah Transaksi @@ -4408,6 +4470,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Nama parameter apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Hanya Tinggalkan Aplikasi status 'Disetujui' dan 'Ditolak' dapat disampaikan apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Membuat Dimensi ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Mahasiswa Nama Group adalah wajib berturut-turut {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Abaikan limit_check kredit DocType: Homepage,Products to be shown on website homepage,Produk yang akan ditampilkan pada homepage website DocType: HR Settings,Password Policy,Kebijakan Kata Sandi apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ini adalah kelompok pelanggan paling dasar dan tidak dapat diedit. @@ -4454,10 +4517,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Jika apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Harap tetapkan pelanggan default di Pengaturan Restoran ,Salary Register,Register Gaji DocType: Company,Default warehouse for Sales Return,Gudang default untuk Pengembalian Penjualan -DocType: Warehouse,Parent Warehouse,Gudang tua +DocType: Pick List,Parent Warehouse,Gudang tua DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Mendefinisikan berbagai jenis pinjaman DocType: Bin,FCFS Rate,FCFS Tingkat @@ -4494,6 +4557,7 @@ DocType: Travel Itinerary,Lodging Required,Penginapan Diperlukan DocType: Promotional Scheme,Price Discount Slabs,Potongan Harga Diskon DocType: Stock Reconciliation Item,Current Serial No,Nomor Seri Saat Ini DocType: Employee,Attendance and Leave Details,Detail Kehadiran dan Cuti +,BOM Comparison Tool,Alat Perbandingan BOM ,Requested,Diminta apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Tidak ada Keterangan DocType: Asset,In Maintenance,Dalam perawatan @@ -4516,6 +4580,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Perjanjian Tingkat Layanan Default DocType: SG Creation Tool Course,Course Code,Kode Course apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Lebih dari satu pilihan untuk {0} tidak diizinkan +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Jumlah bahan baku akan ditentukan berdasarkan jumlah Barang Jadi DocType: Location,Parent Location,Lokasi Orangtua DocType: POS Settings,Use POS in Offline Mode,Gunakan POS dalam Mode Offline apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prioritas telah diubah menjadi {0}. @@ -4534,7 +4599,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Contoh Retensi Gudang DocType: Company,Default Receivable Account,Standar Piutang Rekening apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Formula Kuantitas yang Diproyeksikan DocType: Sales Invoice,Deemed Export,Dianggap ekspor -DocType: Stock Entry,Material Transfer for Manufacture,Alih Material untuk Produksi +DocType: Pick List,Material Transfer for Manufacture,Alih Material untuk Produksi 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.,Persentase Diskon dapat diterapkan baik terhadap Daftar Harga atau untuk semua List Price. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Entri Akuntansi untuk Persediaan DocType: Lab Test,LabTest Approver,Pendekatan LabTest @@ -4577,7 +4642,6 @@ DocType: Training Event,Theory,Teori apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Peringatan: Material Diminta Qty kurang dari Minimum Order Qty apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Akun {0} dibekukan DocType: Quiz Question,Quiz Question,Pertanyaan Kuis -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pemasok> Jenis Pemasok 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" @@ -4608,6 +4672,7 @@ 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 DocType: Account,Expense Account,Beban Akun apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Perangkat lunak apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Warna @@ -4645,6 +4710,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Kelola Partner Pen 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 DocType: Fee Validity,Visited yet,Dikunjungi belum +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Anda dapat Fitur hingga 8 item. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Gudang dengan transaksi yang ada tidak dapat dikonversi ke grup. 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. @@ -4652,7 +4718,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Pembesaran Item 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 @@ -4677,7 +4742,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Konversi UOM dalam DocType: Contract,Signee Details,Detail Signee apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} saat ini memiliki {1} posisi Supplier Scorecard, dan RFQs ke pemasok ini harus dikeluarkan dengan hati-hati." DocType: Certified Consultant,Non Profit Manager,Manajer Non Profit -DocType: BOM,Total Cost(Company Currency),Total Biaya (Perusahaan Mata Uang) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serial ada {0} dibuat DocType: Homepage,Company Description for website homepage,Deskripsi Perusahaan untuk homepage website DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Untuk kenyamanan pelanggan, kode ini dapat digunakan dalam format cetak seperti Faktur dan Nota Pengiriman" @@ -4705,7 +4769,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Nota Pene DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktifkan Penjadwalan Terjadwal apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Untuk Datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Log untuk mempertahankan status pengiriman sms -DocType: Shift Type,Early Exit Consequence,Konsekuensi Keluar Awal DocType: Accounts Settings,Make Payment via Journal Entry,Lakukan Pembayaran via Journal Entri apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Tolong jangan membuat lebih dari 500 item sekaligus apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Printed On @@ -4762,6 +4825,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,batas Dilalui 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 +DocType: Plaid Settings,Plaid Secret,Rahasia Kotak-kotak DocType: Company,Date of Establishment,tanggal pendirian apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Modal Ventura apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Istilah akademik dengan ini 'Tahun Akademik' {0} dan 'Nama Term' {1} sudah ada. Harap memodifikasi entri ini dan coba lagi. @@ -4823,6 +4887,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Tipe pelanggan DocType: Compensatory Leave Request,Leave Allocation,Alokasi Cuti DocType: Payment Request,Recipient Message And Payment Details,Penerima Pesan Dan Rincian Pembayaran +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Silakan pilih Catatan Pengiriman DocType: Support Search Source,Source DocType,Sumber DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Buka tiket baru DocType: Training Event,Trainer Email,Email Pelatih @@ -4943,6 +5008,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Tanggal Mulai' harus sebelum 'Tanggal Akhir' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Tidak ada Rencana Kepegawaian yang ditemukan untuk Penunjukan ini apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} dari Item {1} dinonaktifkan. @@ -4964,7 +5030,7 @@ DocType: Clinical Procedure,Patient,Pasien apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Cek kredit bypass di Sales Order DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktivitas Onboarding Karyawan DocType: Location,Check if it is a hydroponic unit,Periksa apakah itu unit hidroponik -DocType: Stock Reconciliation Item,Serial No and Batch,Serial dan Batch +DocType: Pick List Item,Serial No and Batch,Serial dan Batch DocType: Warranty Claim,From Company,Dari Perusahaan DocType: GSTR 3B Report,January,Januari apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Jumlah Skor Kriteria Penilaian perlu {0}. @@ -4988,7 +5054,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Tidak ada {0} ditemukan untuk Transaksi Perusahaan Inter. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredit Untuk akun harus rekening Neraca @@ -5021,11 +5086,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Pusat Biaya 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,sisa DocType: Appraisal,Appraisal,Penilaian DocType: Loan,Loan Account,Rekening Pinjaman apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Valid dari dan bidang upto yang valid wajib untuk kumulatif +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Untuk item {0} di baris {1}, hitungan nomor seri tidak sesuai dengan jumlah yang dipilih" DocType: Purchase Invoice,GST Details,Rincian GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Ini didasarkan pada transaksi terhadap Praktisi Perawatan Kesehatan ini. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Email dikirim ke pemasok {0} @@ -5089,6 +5156,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Berat kotor paket. Berat + kemasan biasanya net berat bahan. (Untuk mencetak) DocType: Assessment Plan,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Pengguna dengan peran ini diperbolehkan untuk mengatur account beku dan membuat / memodifikasi entri akuntansi terhadap rekening beku +DocType: Plaid Settings,Plaid Environment,Lingkungan Kotak-kotak ,Project Billing Summary,Ringkasan Penagihan Proyek DocType: Vital Signs,Cuts,Potongan DocType: Serial No,Is Cancelled,Apakah Dibatalkan @@ -5150,7 +5218,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Catatan: Sistem tidak akan memeriksa over-pengiriman dan over-booking untuk Item {0} kuantitas atau jumlah 0 DocType: Issue,Opening Date,Tanggal Pembukaan apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Tolong simpan pasien dulu -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Buat Kontak Baru apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Kehadiran telah ditandai berhasil. DocType: Program Enrollment,Public Transport,Transportasi umum DocType: Sales Invoice,GST Vehicle Type,Jenis Kendaraan GST @@ -5176,6 +5243,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Tagihan dia 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Pertama tambahkan item dalam tabel Lokasi Item DocType: Pricing Rule,Discount Amount,Jumlah Diskon DocType: Pricing Rule,Period Settings,Pengaturan Periode DocType: Purchase Invoice,Return Against Purchase Invoice,Retur Terhadap Faktur Pembelian @@ -5208,7 +5276,6 @@ DocType: Assessment Plan,Assessment Plan,Rencana penilaian DocType: Travel Request,Fully Sponsored,Sepenuhnya Disponsori apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Masuk Balik Jurnal apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Buat Kartu Pekerjaan -DocType: Shift Type,Consequence after,Konsekuensi setelahnya DocType: Quality Procedure Process,Process Description,Deskripsi proses apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Pelanggan {0} dibuat apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Saat ini tidak ada persediaan di gudang manapun @@ -5243,6 +5310,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Izin Tanggal DocType: Delivery Settings,Dispatch Notification Template,Template Pemberitahuan Pengiriman apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Laporan Penilaian apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Dapatkan Karyawan +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 @@ -5336,7 +5404,6 @@ DocType: Stock Settings,Use Naming Series,Gunakan Seri Penamaan apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Tidak ada tindakan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Jenis penilaian biaya tidak dapat ditandai sebagai Inklusif DocType: POS Profile,Update Stock,Perbarui Persediaan -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM berbeda akan menyebabkan kesalahan Berat Bersih (Total). Pastikan Berat Bersih untuk setiap barang memakai UOM yang sama. DocType: Certification Application,Payment Details,Rincian Pembayaran apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Tingkat BOM @@ -5371,7 +5438,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Ini adalah orang penjualan akar dan tidak dapat diedit. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jika dipilih, nilai yang ditentukan atau dihitung dalam komponen ini tidak akan berkontribusi pada pendapatan atau deduksi. Namun, nilai itu bisa direferensikan oleh komponen lain yang bisa ditambah atau dikurangkan." -DocType: Asset Settings,Number of Days in Fiscal Year,Jumlah Hari di Tahun Anggaran ,Stock Ledger,Buku Persediaan DocType: Company,Exchange Gain / Loss Account,Efek Gain / Loss Akun DocType: Amazon MWS Settings,MWS Credentials,Kredensial MWS @@ -5406,6 +5472,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Kolom dalam File Bank apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Tinggalkan aplikasi {0} sudah ada terhadap siswa {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,"Diantrikan untuk memperbaharui harga terakhir di ""Bill of Material"". Akan memakan waktu beberapa menit." +DocType: Pick List,Get Item Locations,Dapatkan Lokasi Item apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nama Akun baru. Catatan: Jangan membuat akun untuk Pelanggan dan Pemasok DocType: POS Profile,Display Items In Stock,Item Tampilan Dalam Stok apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Negara bijaksana Alamat bawaan Template @@ -5429,6 +5496,7 @@ DocType: Crop,Materials Required,Bahan yang dibutuhkan apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Tidak ada siswa Ditemukan DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Pembebasan HRA Bulanan DocType: Clinical Procedure,Medical Department,Departemen Kesehatan +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Total Keluar Awal DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kriteria penilaian scorecard pemasok apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Faktur Posting Tanggal apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Menjual @@ -5440,11 +5508,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Silakan hapus Karyawan {0} \ untuk membatalkan dokumen ini" DocType: Program Enrollment,School House,Asrama Sekolah DocType: Serial No,Out of AMC,Dari AMC DocType: Opportunity,Opportunity Amount,Jumlah Peluang +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Profil kamu apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Jumlah Penyusutan Memesan tidak dapat lebih besar dari total jumlah Penyusutan DocType: Purchase Order,Order Confirmation Date,Tanggal Konfirmasi Pesanan DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5538,7 +5605,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Ada ketidakkonsistenan antara tingkat, tidak ada saham dan jumlah yang dihitung" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Anda tidak hadir sepanjang hari di antara hari-hari pembayaran cuti kompensasi apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Mohon tipe nama perusahaan untuk mengkonfirmasi -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Jumlah Posisi Amt DocType: Journal Entry,Printing Settings,Pengaturan pencetakan DocType: Payment Order,Payment Order Type,Jenis Pesanan Pembayaran DocType: Employee Advance,Advance Account,Uang muka @@ -5627,7 +5693,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Nama Tahun apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Ada lebih dari hari kerja libur bulan ini. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Item berikut {0} tidak ditandai sebagai {1} item. Anda dapat mengaktifkannya sebagai {1} item dari master Barangnya -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Barang Bundel Produk DocType: Sales Partner,Sales Partner Name,Penjualan Mitra Nama apps/erpnext/erpnext/hooks.py,Request for Quotations,Permintaan Kutipan @@ -5636,19 +5701,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Daun-daun +DocType: Leave Ledger Entry,Leaves,Daun-daun DocType: Student Language,Student Language,Bahasa siswa DocType: Cash Flow Mapping,Is Working Capital,Apakah Modal Kerja apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Kirim Bukti apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Order / Kuot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Catat Pasien Vitals DocType: Fee Schedule,Institution,Lembaga -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: Asset,Partially Depreciated,sebagian disusutkan DocType: Issue,Opening Time,Membuka Waktu apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Dari dan Untuk tanggal yang Anda inginkan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Efek & Bursa Komoditi -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Ringkasan Panggilan dengan {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Pencarian Docs apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standar Satuan Ukur untuk Variant '{0}' harus sama seperti di Template '{1}' DocType: Shipping Rule,Calculate Based On,Hitung Berbasis On @@ -5694,6 +5757,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Nilai Maksimum yang Diijinkan 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 DocType: Lab Test Template,Sensitivity,Kepekaan DocType: Plaid Settings,Plaid Settings,Pengaturan Kotak-kotak apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Sinkronisasi telah dinonaktifkan sementara karena percobaan ulang maksimum telah terlampaui @@ -5711,6 +5775,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Silakan pilih Posting Tanggal terlebih dahulu apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Tanggal Pembukaan harus sebelum Tanggal Penutupan DocType: Travel Itinerary,Flight,Penerbangan +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Kembali ke rumah DocType: Leave Control Panel,Carry Forward,Carry Teruskan apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Biaya Center dengan transaksi yang ada tidak dapat dikonversi ke buku DocType: Budget,Applicable on booking actual expenses,Berlaku untuk memesan biaya sebenarnya @@ -5766,6 +5831,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Buat Quotation apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Anda tidak berwenang untuk menyetujui cuti di Blok Tanggal apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Permintaan {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Semua Stok Barang-Stok Barang tersebut telah ditagih +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Tidak ditemukan faktur luar biasa untuk {0} {1} yang memenuhi syarat filter yang Anda tentukan. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Setel Tanggal Rilis Baru DocType: Company,Monthly Sales Target,Target Penjualan Bulanan apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Tidak ditemukan faktur luar biasa @@ -5812,6 +5878,7 @@ DocType: Water Analysis,Type of Sample,Jenis Sampel DocType: Batch,Source Document Name,Nama dokumen sumber DocType: Production Plan,Get Raw Materials For Production,Dapatkan Bahan Baku untuk Produksi DocType: Job Opening,Job Title,Jabatan +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Ref Pembayaran di Masa Depan apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} menunjukkan bahwa {1} tidak akan memberikan kutipan, namun semua item \ telah dikutip. Memperbarui status kutipan RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Sampel Maksimum - {0} telah disimpan untuk Batch {1} dan Item {2} di Batch {3}. @@ -5822,12 +5889,10 @@ 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: Company,Product Code,Kode Produk DocType: Quality Review Table,Objective,Objektif DocType: Supplier Scorecard,Per Month,Per bulan DocType: Education Settings,Make Academic Term Mandatory,Jadikan Istilah Akademis Wajib -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Kuantitas untuk Produksi harus lebih besar dari 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Hitung Jadwal Depresiasi Prorata Berdasarkan Tahun Anggaran +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Kuantitas untuk Produksi harus lebih besar dari 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Kunjungi laporan untuk panggilan pemeliharaan. DocType: Stock Entry,Update Rate and Availability,Perbarui Hitungan dan Ketersediaan 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.,Persentase Anda diijinkan untuk menerima atau memberikan lebih terhadap kuantitas memerintahkan. Misalnya: Jika Anda telah memesan 100 unit. dan Tunjangan Anda adalah 10% maka Anda diperbolehkan untuk menerima 110 unit. @@ -5838,7 +5903,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Tanggal rilis harus di masa mendatang DocType: BOM,Website Description,Website Description apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Perubahan Bersih Ekuitas -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Batalkan Purchase Invoice {0} pertama apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Tidak diperbolehkan. Harap nonaktifkan Jenis Unit Layanan apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Alamat Email harus unik, sudah ada untuk {0}" DocType: Serial No,AMC Expiry Date,Tanggal Kadaluarsa AMC @@ -5882,6 +5946,7 @@ DocType: Pricing Rule,Price Discount Scheme,Skema Diskon Harga apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Status Pemeliharaan harus Dibatalkan atau Selesai untuk Dikirim DocType: Amazon MWS Settings,US,KAMI DocType: Holiday List,Add Weekly Holidays,Tambahkan Liburan Mingguan +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Laporkan Item DocType: Staffing Plan Detail,Vacancies,Lowongan DocType: Hotel Room,Hotel Room,Ruang hotel apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Akun {0} bukan milik perusahaan {1} @@ -5933,12 +5998,15 @@ DocType: Email Digest,Open Quotations,Buka Kutipan 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Silakan hapus Karyawan {0} \ untuk membatalkan dokumen ini" 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 @@ -5952,6 +6020,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Kosong DocType: Patient,Alcohol Past Use,Penggunaan Alkohol yang sebelumnya DocType: Fertilizer Content,Fertilizer Content,Isi pupuk +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,tidak ada deskripsi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Negara penagihan DocType: Quality Goal,Monitoring Frequency,Frekuensi Pemantauan @@ -5969,6 +6038,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Berakhir Pada tanggal tidak boleh sebelum Tanggal Kontak Berikutnya. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Entri Batch DocType: Journal Entry,Pay To / Recd From,Pay To / RECD Dari +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Batalkan publikasi Item DocType: Naming Series,Setup Series,Pengaturan Series DocType: Payment Reconciliation,To Invoice Date,Untuk Faktur Tanggal DocType: Bank Account,Contact HTML,Hubungi HTML @@ -5990,6 +6060,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Eceran DocType: Student Attendance,Absent,Absen DocType: Staffing Plan,Staffing Plan Detail,Detail Rencana Penetapan Staf DocType: Employee Promotion,Promotion Date,Tanggal Promosi +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Alokasi cuti% s ditautkan dengan aplikasi cuti% s 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} @@ -6024,9 +6095,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Faktur {0} tidak ada lagi DocType: Guardian Interest,Guardian Interest,wali Tujuan DocType: Volunteer,Availability,Tersedianya +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Aplikasi cuti dikaitkan dengan alokasi cuti {0}. Aplikasi cuti tidak dapat ditetapkan sebagai cuti tanpa membayar apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Tetapkan nilai default untuk Faktur POS DocType: Employee Training,Training,Latihan DocType: Project,Time to send,Saatnya mengirim +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Halaman ini melacak barang-barang Anda di mana pembeli telah menunjukkan minat. DocType: Timesheet,Employee Detail,Detil karyawan 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 @@ -6122,12 +6195,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Nilai pembukaan DocType: Salary Component,Formula,Rumus apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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: 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/setup/doctype/company/company.py,Sales Account,Akun penjualan DocType: Purchase Invoice Item,Total Weight,Berat keseluruhan +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}" @@ -6151,6 +6224,7 @@ DocType: Company,Default Employee Advance Account,Akun uang muka karyawan apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Search Item (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Akun dengan transaksi yang ada tidak dapat dihapus +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Mengapa menurut Anda Barang ini harus dihapus? DocType: Vehicle,Last Carbon Check,Terakhir Carbon Periksa apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Beban Legal apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Silakan pilih kuantitas pada baris @@ -6170,6 +6244,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Rincian DocType: Travel Itinerary,Vegetarian,Vegetarian DocType: Patient Encounter,Encounter Date,Tanggal Pertemuan +DocType: Work Order,Update Consumed Material Cost In Project,Perbarui Biaya Bahan Konsumsi Dalam Proyek apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Account: {0} dengan mata uang: {1} tidak dapat dipilih DocType: Bank Statement Transaction Settings Item,Bank Data,Data Bank DocType: Purchase Receipt Item,Sample Quantity,Jumlah sampel @@ -6224,7 +6299,7 @@ DocType: GSTR 3B Report,April,April 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Catatan: Stok Barang {0} masuk beberapa kali +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Catatan: Stok Barang {0} masuk beberapa kali apps/erpnext/erpnext/config/buying.py,All Contacts.,Semua Kontak. DocType: Accounting Period,Closed Documents,Dokumen Tertutup DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Kelola submisi Invoice Janji Pasien dan batalkan secara otomatis Pertemuan Pasien @@ -6306,9 +6381,7 @@ DocType: Member,Membership Type,jenis keanggotaan ,Reqd By Date,Reqd By Date apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Kreditor DocType: Assessment Plan,Assessment Name,penilaian Nama -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Tampilkan PDC di Print apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Serial ada adalah wajib -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Tidak ditemukan faktur luar biasa untuk {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stok Barang Wise Detil Pajak DocType: Employee Onboarding,Job Offer,Tawaran pekerjaan apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Singkatan Institute @@ -6366,6 +6439,7 @@ DocType: Serial No,Out of Warranty,Out of Garansi DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Dipetakan Jenis Data DocType: BOM Update Tool,Replace,Mengganti apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Tidak ditemukan produk. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Publikasikan Item Lainnya apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Perjanjian Tingkat Layanan ini khusus untuk Pelanggan {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} terhadap Faktur Penjualan {1} DocType: Antibiotic,Laboratory User,Pengguna Laboratorium @@ -6388,7 +6462,6 @@ DocType: Payment Order Reference,Bank Account Details,Detail Rekening Bank DocType: Purchase Order Item,Blanket Order,Pesanan Selimut 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Pesanan Produksi telah {0} DocType: BOM Item,BOM No,No. BOM 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 @@ -6461,6 +6534,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Persediaan kena pajak ke luar (nilai nol) DocType: BOM,Materials Required (Exploded),Bahan yang dibutuhkan (Meledak) 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/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 @@ -6518,7 +6592,6 @@ DocType: Pricing Rule,Same Item,Barang yang sama DocType: Stock Ledger Entry,Stock Ledger Entry,Entri Buku Persediaan DocType: Quality Action Resolution,Quality Action Resolution,Resolusi Tindakan Kualitas apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} sedang Cuti Setengah Hari pada {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,item yang sama telah dimasukkan beberapa kali DocType: Department,Leave Block List,Cuti Block List DocType: Purchase Invoice,Tax ID,Id pajak apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Stok Barang {0} tidak diatur untuk Nomor Seri. Kolom harus kosong @@ -6556,7 +6629,7 @@ 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 DocType: Purchase Invoice,Return,Retur -DocType: Accounting Dimension,Disable,Nonaktifkan +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 DocType: Task,Pending Review,Pending Ulasan apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Edit di halaman penuh untuk lebih banyak pilihan seperti aset, serial nos, batch dll." @@ -6669,7 +6742,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Bagian invoice gabungan harus sama dengan 100% DocType: Item Default,Default Expense Account,Beban standar Akun DocType: GST Account,CGST Account,Akun CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kode Barang> Grup Barang> Merek apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,ID Email Siswa DocType: Employee,Notice (days),Notice (hari) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Faktur Voucher Penutupan POS @@ -6680,6 +6752,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Pilih item untuk menyimpan faktur DocType: Employee,Encashment Date,Pencairan Tanggal DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Informasi penjual DocType: Special Test Template,Special Test Template,Template Uji Khusus DocType: Account,Stock Adjustment,Penyesuaian Persediaan apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Standar Kegiatan Biaya ada untuk Jenis Kegiatan - {0} @@ -6691,7 +6764,6 @@ 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 -DocType: Company,Bank Remittance Settings,Pengaturan Pengiriman Uang Bank apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Harga rata-rata 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" @@ -6719,6 +6791,7 @@ DocType: Grading Scale Interval,Threshold,Ambang apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filter Karyawan Menurut (Opsional) DocType: BOM Update Tool,Current BOM,BOM saat ini apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Saldo (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Jumlah Barang Jadi apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Tambahkan Nomor Serial DocType: Work Order Item,Available Qty at Source Warehouse,Tersedia Qty di Gudang Sumber apps/erpnext/erpnext/config/support.py,Warranty,Jaminan @@ -6797,7 +6870,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Di sini Anda dapat mempertahankan tinggi, berat, alergi, masalah medis dll" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Membuat Akun ... DocType: Leave Block List,Applies to Company,Berlaku untuk Perusahaan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Tidak bisa membatalkan karena ada Entri Persediaan {0} terkirim +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Tidak bisa membatalkan karena ada Entri Persediaan {0} terkirim DocType: Loan,Disbursement Date,pencairan Tanggal DocType: Service Level Agreement,Agreement Details,Detail Perjanjian apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Tanggal Mulai Perjanjian tidak boleh lebih dari atau sama dengan Tanggal Berakhir. @@ -6806,6 +6879,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Rekam medis DocType: Vehicle,Vehicle,Kendaraan DocType: Purchase Invoice,In Words,Dalam Kata +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Sampai saat ini perlu sebelum dari tanggal apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Masukkan nama bank atau lembaga peminjaman sebelum mengajukan. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} harus diserahkan DocType: POS Profile,Item Groups,Grup Item @@ -6877,7 +6951,6 @@ DocType: Customer,Sales Team Details,Rincian Tim Penjualan apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Hapus secara permanen? DocType: Expense Claim,Total Claimed Amount,Jumlah Total Diklaim apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potensi peluang untuk menjadi penjualan. -DocType: Plaid Settings,Link a new bank account,Tautkan rekening bank baru apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} adalah Status Kehadiran yang tidak valid. DocType: Shareholder,Folio no.,Folio no. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Valid {0} @@ -6893,7 +6966,6 @@ DocType: Production Plan,Material Requested,Bahan yang diminta DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Reserved Qty untuk sub kontrak DocType: Patient Service Unit,Patinet Service Unit,Unit Layanan Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Hasilkan File Teks DocType: Sales Invoice,Base Change Amount (Company Currency),Dasar Nilai Tukar (Mata Uang Perusahaan) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Tidak ada entri akuntansi untuk gudang berikut apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Hanya {0} yang tersedia untuk item {1} @@ -6907,6 +6979,7 @@ DocType: Item,No of Months,Tidak Ada Bulan DocType: Item,Max Discount (%),Max Diskon (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Hari Kredit tidak bisa menjadi angka negatif apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Unggah pernyataan +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Laporkan item ini DocType: Purchase Invoice Item,Service Stop Date,Tanggal Berhenti Layanan apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Jumlah Order terakhir DocType: Cash Flow Mapper,e.g Adjustments for:,misalnya Penyesuaian untuk: @@ -7000,16 +7073,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Kategori Pembebasan Pajak Karyawan apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Jumlahnya tidak boleh kurang dari nol. DocType: Sales Invoice,C-Form Applicable,C-Form Berlaku -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Operasi Waktu harus lebih besar dari 0 untuk operasi {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Operasi Waktu harus lebih besar dari 0 untuk operasi {0} DocType: Support Search Source,Post Route String,Posting String Rute apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Gudang adalah wajib apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Gagal membuat situs web DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Detil UOM Konversi apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Penerimaan dan Pendaftaran -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Entry Stok Retensi sudah dibuat atau Jumlah Sampel tidak disediakan +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Entry Stok Retensi sudah dibuat atau Jumlah Sampel tidak disediakan DocType: Program,Program Abbreviation,Singkatan Program -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Order produksi tidak dapat diajukan terhadap Template Stok Barang apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Kelompok berdasarkan Voucher (Konsolidasi) DocType: HR Settings,Encrypt Salary Slips in Emails,Enkripsi Slip Gaji dalam Email DocType: Question,Multiple Correct Answer,Jawaban Benar @@ -7056,7 +7128,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Tidak ada nilai atau dik DocType: Employee,Educational Qualification,Kualifikasi Pendidikan DocType: Workstation,Operating Costs,Biaya Operasional apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Mata uang untuk {0} harus {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Konsekuensi Masa Tenggang Masuk DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Tandai kehadiran berdasarkan 'Checkin Karyawan' untuk Karyawan yang ditugaskan dalam shift ini. DocType: Asset,Disposal Date,pembuangan Tanggal DocType: Service Level,Response and Resoution Time,Waktu Respon dan Resoution @@ -7104,6 +7175,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Tanggal Penyelesaian DocType: Purchase Invoice Item,Amount (Company Currency),Nilai Jumlah (mata uang perusahaan) DocType: Program,Is Featured,Diunggulkan +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Mengambil ... DocType: Agriculture Analysis Criteria,Agriculture User,Pengguna pertanian apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Berlaku sampai tanggal tidak dapat dilakukan sebelum tanggal transaksi apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unit {1} dibutuhkan dalam {2} pada {3} {4} untuk {5} untuk menyelesaikan transaksi ini. @@ -7136,7 +7208,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Total nilai Bayar 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 @@ -7160,6 +7231,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonim apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Diterima dari DocType: Lead,Converted,Dikonversi DocType: Item,Has Serial No,Bernomor Seri +DocType: Stock Entry Detail,PO Supplied Item,PO Barang yang Disediakan 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} @@ -7274,7 +7346,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Sinkronisasi Pajak dan Biay 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,BOM default untuk {0} tidak ditemukan +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Ketuk item untuk menambahkannya di sini @@ -7308,7 +7380,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Tanggal Pemeliharaan DocType: Purchase Invoice Item,Rejected Serial No,Serial No Barang Ditolak apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Tahun tanggal mulai atau tanggal akhir ini tumpang tindih dengan {0}. Untuk menghindari silakan atur perusahaan -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Harap sebutkan Nama Prospek di Prospek {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Tanggal mulai harus kurang dari tanggal akhir untuk Item {0} DocType: Shift Type,Auto Attendance Settings,Pengaturan Kehadiran Otomatis @@ -7319,9 +7390,11 @@ DocType: Upload Attendance,Upload Attendance,Unggah Kehadiran apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM dan Kuantitas Manufaktur diperlukan apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Rentang Umur 2 DocType: SG Creation Tool Course,Max Strength,Max Kekuatan +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Akun {0} sudah ada di perusahaan anak {1}. Bidang-bidang berikut memiliki nilai yang berbeda, harus sama:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Menginstal preset DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Tidak ada Catatan Pengiriman yang dipilih untuk Pelanggan {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Baris Ditambahkan dalam {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Karyawan {0} tidak memiliki jumlah manfaat maksimal apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Pilih Item berdasarkan Tanggal Pengiriman DocType: Grant Application,Has any past Grant Record,Memiliki Record Grant masa lalu @@ -7365,6 +7438,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Rincian siswa DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Ini adalah UOM default yang digunakan untuk item dan pesanan Penjualan. UOM mundur adalah "Tidak". DocType: Purchase Invoice Item,Stock Qty,Jumlah Persediaan +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 DocType: Loan,Repayment Period in Months,Periode pembayaran di Bulan @@ -7393,6 +7467,7 @@ DocType: Authorization Rule,Customerwise Discount,Diskon Pelanggan apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Absen untuk tugas-tugas. DocType: Purchase Invoice,Against Expense Account,Terhadap Akun Biaya apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Instalasi Catatan {0} telah Terkirim +DocType: BOM,Raw Material Cost (Company Currency),Biaya Bahan Baku (Mata Uang Perusahaan) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Sewa rumah dibayar hari tumpang tindih dengan {0} DocType: GSTR 3B Report,October,Oktober DocType: Bank Reconciliation,Get Payment Entries,Dapatkan Entries Pembayaran @@ -7439,15 +7514,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Tersedia untuk tanggal penggunaan diperlukan DocType: Request for Quotation,Supplier Detail,pemasok Detil apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Kesalahan dalam rumus atau kondisi: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Nilai Tertagih Faktur +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Nilai Tertagih Faktur apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kriteria bobot harus menambahkan hingga 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Absensi apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Barang Persediaan DocType: Sales Invoice,Update Billed Amount in Sales Order,Perbarui Jumlah yang Ditagih di Sales Order +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Hubungi penjual 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Purchase Order. @@ -7461,6 +7538,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,List Master Daftar Harga DocType: Task,Review Date,Tanggal Ulasan DocType: BOM,Allow Alternative Item,Izinkan Item Alternatif +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Kwitansi Pembelian tidak memiliki Barang yang Retain Sampel diaktifkan. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktur Jumlah Total DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Seri untuk Entry Depreciation Aset (Entri Jurnal) DocType: Membership,Member Since,Anggota Sejak @@ -7470,6 +7548,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Pada Jumlah Net Bersih 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},Nilai untuk Atribut {0} harus berada dalam kisaran {1} ke {2} dalam penambahan {3} untuk Item {4} DocType: Pricing Rule,Product Discount Scheme,Skema Diskon Produk +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Tidak ada masalah yang diangkat oleh penelepon. DocType: Restaurant Reservation,Waitlisted,Daftar tunggu DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategori Pembebasan apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Mata uang tidak dapat diubah setelah melakukan entri menggunakan beberapa mata uang lainnya @@ -7483,7 +7562,6 @@ DocType: Customer Group,Parent Customer Group,Induk Kelompok Pelanggan apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON hanya dapat dihasilkan dari Faktur Penjualan apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Upaya maksimal untuk kuis ini tercapai! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Berlangganan -DocType: Purchase Invoice,Contact Email,Email Kontak apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Penciptaan Biaya Tertunda DocType: Project Template Task,Duration (Days),Durasi (Hari) DocType: Appraisal Goal,Score Earned,Skor Earned @@ -7508,7 +7586,6 @@ DocType: Landed Cost Item,Landed Cost Item,Jenis Barang Biaya Landing 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Jumlah untuk satu transaksi melebihi jumlah maksimum yang dibolehkan, buat pesanan pembayaran terpisah dengan memisahkan transaksi" 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 @@ -7676,6 +7753,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Terse DocType: Quality Inspection Reading,Reading 3,Membaca 3 DocType: Stock Entry,Source Warehouse Address,Sumber Alamat Gudang DocType: GL Entry,Voucher Type,Voucher Type +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Pembayaran di masa depan 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 @@ -7702,6 +7780,7 @@ DocType: Travel Request,Identification Document Number,Nomor Dokumen Identifikas 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." DocType: Sales Invoice,Customer GSTIN,Pelanggan GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Daftar penyakit yang terdeteksi di lapangan. Bila dipilih maka secara otomatis akan menambahkan daftar tugas untuk mengatasi penyakit tersebut +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Ini adalah unit layanan perawatan akar dan tidak dapat diedit. DocType: Asset Repair,Repair Status,Status perbaikan 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." @@ -7716,6 +7795,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Akun untuk Perubahan Jumlah DocType: QuickBooks Migrator,Connecting to QuickBooks,Menghubungkan ke QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Total Keuntungan / Kerugian +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Buat Daftar Pilih apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partai / Rekening tidak sesuai dengan {1} / {2} di {3} {4} DocType: Employee Promotion,Employee Promotion,Promosi Karyawan DocType: Maintenance Team Member,Maintenance Team Member,Anggota Tim Pemeliharaan @@ -7798,6 +7878,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Gaji bersih yang belum dapat negatif @@ -7829,7 +7910,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Tujuan Kualitas DocType: BOM,Item to be manufactured or repacked,Item yang akan diproduksi atau dikemas ulang apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Kesalahan sintaks dalam kondisi: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Tidak ada masalah yang diangkat oleh pelanggan. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Mayor / Opsional Subjek apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Harap Setel Grup Pemasok di Setelan Beli. @@ -7922,8 +8002,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Hari Kredit apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Silakan pilih Pasien untuk mendapatkan Tes Laboratorium DocType: Exotel Settings,Exotel Settings,Pengaturan Exotel -DocType: Leave Type,Is Carry Forward,Apakah Carry Teruskan +DocType: Leave Ledger Entry,Is Carry Forward,Apakah Carry Teruskan DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Jam kerja di bawah ini Absen ditandai. (Nol untuk menonaktifkan) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Kirim pesan apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Dapatkan item dari BOM 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 diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv index 351a857d61..869fb88f3d 100644 --- a/erpnext/translations/is.csv +++ b/erpnext/translations/is.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Tilkynna birgir apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Vinsamlegast veldu Party Tegund fyrst DocType: Item,Customer Items,Atriði viðskiptavina +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Skuldir DocType: Project,Costing and Billing,Kosta og innheimtu apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Forgangsreikningur gjaldmiðill ætti að vera sá sami og gjaldmiðill fyrirtækisins {0} DocType: QuickBooks Migrator,Token Endpoint,Tollpunktur endapunktar @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Default Mælieiningin DocType: SMS Center,All Sales Partner Contact,Allt Sales Partner samband við DocType: Department,Leave Approvers,Skildu Approvers DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Leitaðu að hlutum ... DocType: Patient Encounter,Investigations,Rannsóknir DocType: Restaurant Order Entry,Click Enter To Add,Smelltu á Enter til að bæta við apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Vantar gildi fyrir lykilorð, API lykil eða Shopify vefslóð" DocType: Employee,Rented,leigt apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Allar reikningar apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Ekki er hægt að flytja starfsmann með stöðu Vinstri -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Hætt framleiðslu Order er ekki hægt að hætt, Unstop það fyrst til að fá ensku" DocType: Vehicle Service,Mileage,mílufjöldi apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Viltu virkilega að skrappa þessa eign? DocType: Drug Prescription,Update Schedule,Uppfæra áætlun @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,viðskiptavinur DocType: Purchase Receipt Item,Required By,krafist er í DocType: Delivery Note,Return Against Delivery Note,Aftur gegn afhendingu Note DocType: Asset Category,Finance Book Detail,Fjármálabók smáatriði +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Allar afskriftirnar hafa verið bókaðar DocType: Purchase Order,% Billed,% Billed apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Launanúmer apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Gengi að vera það sama og {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Hópur Item Fyrning Staða apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bank Draft DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Síðar færslur DocType: Mode of Payment Account,Mode of Payment Account,Mode greiðslureikning apps/erpnext/erpnext/config/healthcare.py,Consultation,Samráð DocType: Accounts Settings,Show Payment Schedule in Print,Sýna greiðsluáætlun í prenti @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Á apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Aðal upplýsingar um tengilið apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Opið Issues DocType: Production Plan Item,Production Plan Item,Framleiðsla Plan Item +DocType: Leave Ledger Entry,Leave Ledger Entry,Skildu skráningu bókar apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},User {0} er þegar úthlutað til starfsmanns {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} reiturinn er takmarkaður við stærð {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Há DocType: Purchase Invoice Item,Item Weight Details,Vara þyngd upplýsingar DocType: Asset Maintenance Log,Periodicity,tíðni apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Reikningsár {0} er krafist +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Hagnaður / tap DocType: Employee Group Table,ERPNext User ID,ERPNext notandanafn DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Lágmarksfjarlægðin milli raða plantna fyrir bestu vöxt apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Vinsamlegast veldu sjúkling til að fá ávísað verklag @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Selja verðskrá DocType: Patient,Tobacco Current Use,Núverandi notkun tóbaks apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Sala hlutfall -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Vinsamlegast vistaðu skjalið áður en þú bætir við nýjum reikningi 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,líf DocType: Exchange Rate Revaluation Account,Gain/Loss,Hagnaður / tap DocType: Crop,Perennial,Ævarandi DocType: Program,Is Published,Er birt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Sýna afhendingarbréf apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Til að leyfa innheimtu yfir, skaltu uppfæra „Yfir innheimtuheimild“ í reikningsstillingum eða hlutnum." DocType: Patient Appointment,Procedure,Málsmeðferð DocType: Accounts Settings,Use Custom Cash Flow Format,Notaðu Custom Cash Flow Format @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Skildu eftir upplýsingum um stefnu DocType: BOM,Item Image (if not slideshow),Liður Image (ef ekki myndasýning) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Röð # {0}: Aðgerð {1} er ekki lokið fyrir {2} magn fullunnar vöru í vinnuskipan {3}. Vinsamlegast uppfærðu stöðu starfsins með Job Card {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} er skylt að búa til endurgreiðslur, stilltu reitinn og reyndu aftur" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hour Rate / 60) * Raunveruleg Rekstur Time apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Tilvísun Document Type verður að vera einn af kostnaðarkröfu eða dagbókarfærslu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Veldu BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Endurgreiða yfir fjölda tímum apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Magn til að framleiða getur ekki verið minna en núll DocType: Stock Entry,Additional Costs,viðbótarkostnað +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Viðskiptavinur> viðskiptavinahópur> landsvæði apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Reikningur með núverandi viðskipti er ekki hægt að breyta í hópinn. DocType: Lead,Product Enquiry,vara Fyrirspurnir DocType: Education Settings,Validate Batch for Students in Student Group,Staðfestu hópur fyrir nemendur í nemendahópi @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,undir Graduate apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Vinsamlegast stilltu sjálfgefið sniðmát fyrir skilatilkynningar um leyfi í HR-stillingum. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Target On DocType: BOM,Total Cost,Heildar kostnaður +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Úthlutun rann út! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Hámarks flutningssending lauf DocType: Salary Slip,Employee Loan,starfsmaður Lán DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Sendu inn beiðni um greiðslubeiðni @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Fastei apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Reikningsyfirlit apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Pharmaceuticals DocType: Purchase Invoice Item,Is Fixed Asset,Er fast eign +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Sýna framtíðargreiðslur DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Þessi bankareikningur er þegar samstilltur DocType: Homepage,Homepage Section,Heimasíða hluti @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Áburður apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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 -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 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Að minnsta kosti einn háttur af greiðslu er krafist fyrir POS reikningi. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Lotu nr er krafist fyrir hluti sem er hluti {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bank Yfirlit Viðskiptareikning Atriði @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Valið Skilmálar og skilyrði apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,út Value DocType: Bank Statement Settings Item,Bank Statement Settings Item,Staða bankareiknings DocType: Woocommerce Settings,Woocommerce Settings,Váskiptastillingar +DocType: Leave Ledger Entry,Transaction Name,Nafn viðskipta DocType: Production Plan,Sales Orders,velta Pantanir apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Mörg hollusta forrit sem finnast fyrir viðskiptavininn. Vinsamlegast veldu handvirkt. DocType: Purchase Taxes and Charges,Valuation,verðmat @@ -460,6 +468,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Sýna aðeins viðskiptavini þessara viðskiptavinahópa DocType: Sales Invoice,Is Opening Entry,Er Opnun færslu @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Umtal ef non-staðall nái reikning við 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 DocType: Supplier Scorecard,Criteria Setup,Viðmiðunarskipulag -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Fyrir Lager er krafist áður Senda +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 á DocType: Codification Table,Medical Code,Læknisbók apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Tengdu Amazon með ERPNext @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankareikningum bætt við -DocType: Delivery Stop,Contact Name,Nafn tengiliðar +DocType: Call Log,Contact Name,Nafn tengiliðar DocType: Plaid Settings,Synchronize all accounts every hour,Samstilltu alla reikninga á klukkutíma fresti DocType: Course Assessment Criteria,Course Assessment Criteria,Námsmat Viðmið DocType: Pricing Rule Detail,Rule Applied,Regla beitt @@ -529,7 +539,6 @@ 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. -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Óþekkt númer DocType: Website Filter Field,Website Filter Field,Síusvið vefsíðunnar apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Framboð Tegund DocType: Material Request Item,Min Order Qty,Min Order Magn @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Samtals höfuðstóll DocType: Student Guardian,Relation,relation DocType: Quiz Result,Correct,Rétt DocType: Student Guardian,Mother,móðir -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Vinsamlegast bættu fyrst við gildum Api lyklum í vefnum_config.json DocType: Restaurant Reservation,Reservation End Time,Afgreiðslutími DocType: Crop,Biennial,Biennial ,BOM Variance Report,BOM Variance Report @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Greiðsla gegn {0} {1} getur ekki verið meiri en Kröfuvirði {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,POS stillingar án nettengingar DocType: Stock Entry Detail,Reference Purchase Receipt,Tilvísunarkvittun DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,afbrigði af -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Lokið Magn má ekki vera meiri en 'Magn í Manufacture' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Lokið Magn má ekki vera meiri en 'Magn í Manufacture' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Tímabil byggt á DocType: Period Closing Voucher,Closing Account Head,Loka reikningi Head DocType: Employee,External Work History,Ytri Vinna Saga apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Hringlaga Tilvísun Villa apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Námsmatsskýrsla apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Frá PIN kóða +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Sýna sölumann DocType: Appointment Type,Is Inpatient,Er sjúklingur apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Name DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Í orðum (Export) verður sýnileg þegar þú hefur vistað Afhending Ath. @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Víddarheiti apps/erpnext/erpnext/healthcare/setup.py,Resistant,Þola apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Vinsamlegast settu herbergi fyrir herbergi á {} +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: Journal Entry,Multi Currency,multi Gjaldmiðill DocType: Bank Statement Transaction Invoice Item,Invoice Type,Reikningar Type apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Gildir frá dagsetningu verða að vera minni en gildir fram til dagsetninga @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,viðurkenndi DocType: Workstation,Rent Cost,Rent Kostnaður 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Næstu Dagbókaratriði apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variant Eiginleikar @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Beiðni um tilvitnun 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Sýna sölumann á prenti 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 @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Búa til nýja viðskiptavini apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Rennur út á apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ef margir Verðlagning Reglur halda áfram að sigra, eru notendur beðnir um að setja Forgangur höndunum til að leysa deiluna." -DocType: Purchase Invoice,Scan Barcode,Skannaðu strikamerki apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Búa innkaupapantana ,Purchase Register,kaup Register apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Sjúklingur fannst ekki @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Channel Partner DocType: Account,Old Parent,Old Parent apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Skyldanlegt námskeið - námsár apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} tengist ekki {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Laun Component fyrir timesheet byggt launaskrá. DocType: Driver,Applicable for external driver,Gildir fyrir utanaðkomandi ökumann DocType: Sales Order Item,Used for Production Plan,Notað fyrir framleiðslu áætlun +DocType: BOM,Total Cost (Company Currency),Heildarkostnaður (Gjaldmiðill fyrirtækisins) DocType: Loan,Total Payment,Samtals greiðsla apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Ekki er hægt að hætta við viðskipti fyrir lokaðan vinnuskilríki. DocType: Manufacturing Settings,Time Between Operations (in mins),Tími milli rekstrar (í mín) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Tilkynna Annað DocType: Vital Signs,Blood Pressure (systolic),Blóðþrýstingur (slagbilsþrýstingur) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} er {2} DocType: Item Price,Valid Upto,gildir uppí +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. @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Breytingar á {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Vinsamlegast veldu Company DocType: Employee Skill,Employee Skill,Hæfni starfsmanna apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,munurinn Reikningur @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Áhættuþættir DocType: Patient,Occupational Hazards and Environmental Factors,Starfsáhættu og umhverfisþættir apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Verðbréfaskráningar sem þegar eru búnar til fyrir vinnuskilaboð apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Sjá fyrri pantanir +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} samtöl DocType: Vital Signs,Respiratory rate,Öndunarhraði apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Annast undirverktöku DocType: Vital Signs,Body Temperature,Líkamshiti @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Skráð samsetning apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Halló apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,færa Item DocType: Employee Incentive,Incentive Amount,Skuldbinding +,Employee Leave Balance Summary,Yfirlit yfir jafnvægi starfsmanna leyfis DocType: Serial No,Warranty Period (Days),Ábyrgðartímabilið (dagar) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Samtals lánsfé / skuldfærsla ætti að vera eins og tengt dagbókarfærsla DocType: Installation Note Item,Installation Note Item,Uppsetning Note Item @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,Uppblásinn DocType: Salary Slip,Salary Slip Timesheet,Laun Slip Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Birgir Warehouse nauðsynlegur fyrir undirverktaka Kvittun DocType: Item Price,Valid From,Gildir frá +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Þín einkunn: DocType: Sales Invoice,Total Commission,alls Commission DocType: Tax Withholding Account,Tax Withholding Account,Skattgreiðslureikningur DocType: Pricing Rule,Sales Partner,velta Partner @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Allir birgir skor 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 +DocType: Item,Website Image,Mynd af vefsíðu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Markmið vörugeymsla í röð {0} verður að vera eins og vinnuskilningur apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Verðmat Rate er nauðsynlegur ef Opnun Stock inn apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Engar færslur finnast í Invoice töflunni @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},A 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Vinsamlegast ljúktu stillingu API fyrir Plaid áður en þú samstillir reikninginn þinn 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 DocType: Job Applicant,Resume Attachment,Halda áfram Attachment @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,Framleiðsluáætlun DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Opna reikningsskilatól DocType: Salary Component,Round to the Nearest Integer,Hringið að næsta heiltölu apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,velta Return -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Ath: Samtals úthlutað leyfi {0} ætti ekki að vera minna en þegar hafa verið samþykktar leyfi {1} fyrir tímabilið DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Setja magn í viðskiptum sem byggjast á raðnúmeri inntak ,Total Stock Summary,Samtals yfirlit yfir lager apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,A r apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,höfuðstóll DocType: Loan Application,Total Payable Interest,Alls Greiðist Vextir apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Samtals framúrskarandi: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Opinn tengiliður DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Velta Invoice Timesheet 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} @@ -1080,6 +1099,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Sjálfgefin innheimtuseði 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ð DocType: Restaurant Reservation,Restaurant Reservation,Veitingahús pöntun +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Atriðin þín apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Tillaga Ritun DocType: Payment Entry Deduction,Payment Entry Deduction,Greiðsla Entry Frádráttur DocType: Service Level Priority,Service Level Priority,Forgang þjónustustigsins @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Batch Number Series apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Annar velta manneskja {0} staðar með sama Starfsmannafélag id DocType: Employee Advance,Claimed Amount,Krafist upphæð +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Úthluta úthlutun 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 @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,hópur Name DocType: Fee Validity,Max number of visit,Hámarksfjöldi heimsókna DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Skylda vegna rekstrarreiknings ,Hotel Room Occupancy,Hótel herbergi umráð -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet búið: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Vinsamlegast settu sjálfgefinn Cash eða bankareikning í háttur á greiðslu {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,innritast DocType: GST Settings,GST Settings,GST Stillingar @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),Þóknun Rate (%) 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: Request for Quotation,Link to material requests,Tengill á efni beiðna +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Birta apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Credit Card Entry @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Veltufjármunir apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} er ekki birgðir Item apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Vinsamlegast deildu viðbrögðunum þínum við þjálfunina með því að smella á 'Þjálfunarniðurstaða' og síðan 'Nýtt' +DocType: Call Log,Caller Information,Upplýsingar sem hringir í DocType: Mode of Payment Account,Default Account,Sjálfgefið Reikningur apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Vinsamlegast veldu sýnishorn varðveisla vörugeymsla í lagerstillingum fyrst apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Vinsamlegast veldu margfeldi tier program tegund fyrir fleiri en eina safn reglur. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Auto Efni Beiðnir Myndað DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Vinnutími þar sem hálfur dagur er merktur. (Núll til að slökkva á) DocType: Job Card,Total Completed Qty,Heildar lokið fjölda +DocType: HR Settings,Auto Leave Encashment,Sjálfkrafa leyfi apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Lost apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Þú getur ekki slá núverandi skírteini í "Against dagbókarfærslu 'dálki DocType: Employee Benefit Application Detail,Max Benefit Amount,Hámarksbætur @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Áskrifandi DocType: Item Attribute Value,Item Attribute Value,Liður Attribute gildi apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Gjaldmiðill verður að eiga við um kaup eða sölu. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Aðeins er hægt að hætta við úthlutun DocType: Item,Maximum sample quantity that can be retained,Hámarks sýni magn sem hægt er að halda apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Row {0} # Liður {1} er ekki hægt að flytja meira en {2} gegn innkaupapöntun {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Velta herferðir. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Óþekktur hringir DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1400,6 +1425,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Heilsugæsl apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Name DocType: Expense Claim Detail,Expense Claim Type,Expense Gerð kröfu DocType: Shopping Cart Settings,Default settings for Shopping Cart,Sjálfgefnar stillingar fyrir Shopping Cart +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Vista hlut apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Ný útgjöld apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Hunsa núverandi pöntuð magn apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Bæta við tímasetningum @@ -1412,6 +1438,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Skoðaðu boðin sent DocType: Shift Assignment,Shift Assignment,Skiptingarverkefni DocType: Employee Transfer Property,Employee Transfer Property,Starfsmaður flytja eignir +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Reiturinn Hlutabréf / Ábyrgð reikningur getur ekki verið auður apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Frá tími ætti að vera minni en tími apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,líftækni apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1493,11 +1520,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Frá rík 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ð apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,námskeið Stundaskrá DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B skýrsla DocType: Request for Quotation Supplier,Quote Status,Tilvitnun Staða DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Gengið Staða +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Heildargreiðslur geta ekki verið hærri en {} DocType: Daily Work Summary Group,Select Users,Veldu Notendur DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotel Herbergi Verðlagning DocType: Loyalty Program Collection,Tier Name,Heiti heiti @@ -1535,6 +1564,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST upp DocType: Lab Test Template,Result Format,Niðurstaða snið DocType: Expense Claim,Expenses,útgjöld DocType: Service Level,Support Hours,Stuðningstímar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Afhendingartilkynningar DocType: Item Variant Attribute,Item Variant Attribute,Liður Variant Attribute ,Purchase Receipt Trends,Kvittun Trends DocType: Payroll Entry,Bimonthly,bimonthly @@ -1557,7 +1587,6 @@ DocType: Sales Team,Incentives,Incentives DocType: SMS Log,Requested Numbers,umbeðin Numbers DocType: Volunteer,Evening,Kvöld DocType: Quiz,Quiz Configuration,Skyndipróf -DocType: Customer,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 @@ -1604,7 +1633,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Gengi m ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Ekki er hægt að finna tíma rifa á næstu {0} dögum fyrir aðgerð {1} DocType: Work Order,Plan material for sub-assemblies,Plan efni fyrir undireiningum 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 @@ -1619,9 +1647,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Þú verður að virkja sjálfvirka pöntun í lagerstillingum til að viðhalda endurpöntunarstigum. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Hætta Efni Heimsóknir {0} áður hætta þessu Viðhald Farðu DocType: Pricing Rule,Rate or Discount,Verð eða afsláttur +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bankaupplýsingar DocType: Vital Signs,One Sided,Einhliða apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serial Nei {0} ekki tilheyra lið {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Required Magn +DocType: Purchase Order Item Supplied,Required Qty,Required Magn DocType: Marketplace Settings,Custom Data,Sérsniðin gögn apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Vöruhús með núverandi viðskipti er ekki hægt að breyta í höfuðbók. DocType: Service Day,Service Day,Þjónustudagur @@ -1649,7 +1678,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Reikningur Gjaldmiðill DocType: Lab Test,Sample ID,Dæmi um auðkenni apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Vinsamlegast nefna umferð á reikning í félaginu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Range DocType: Supplier,Default Payable Accounts,Sjálfgefin greiðast reikningar apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Starfsmaður {0} er ekki virkur eða er ekki til @@ -1690,8 +1718,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Beiðni um upplýsingar DocType: Course Activity,Activity Date,Virkni dagsetning apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} af {} -,LeaderBoard,LeaderBoard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Meta með brún (Gjaldmiðill fyrirtækja) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Flokkar apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Reikningar DocType: Payment Request,Paid,greiddur DocType: Service Level,Default Priority,Sjálfgefið forgang @@ -1726,11 +1754,11 @@ DocType: Agriculture Task,Agriculture Task,Landbúnaður Verkefni apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Óbein Tekjur DocType: Student Attendance Tool,Student Attendance Tool,Student Aðsókn Tool DocType: Restaurant Menu,Price List (Auto created),Verðskrá (Sjálfvirk stofnaður) +DocType: Pick List Item,Picked Qty,Valinn fjöldi DocType: Cheque Print Template,Date Settings,Dagsetning Stillingar 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 -,Company Name,nafn fyrirtækis 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. @@ -1749,7 +1777,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Síðasta tilraun 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} -DocType: BOM,Raw Material Cost(Company Currency),Raw Material Kostnaður (Company Gjaldmiðill) 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 @@ -1816,6 +1843,7 @@ DocType: Travel Itinerary,Train,Lest ,Delayed Item Report,Seinkun hlutaskýrslu apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Gildur ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Sjúkraþjálfun +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Birta fyrstu hlutina þína DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tími eftir lok vaktar þar sem úthlutun er talin til mætingar. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Tilgreindu {0} @@ -1931,6 +1959,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Allir BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Búðu til færslu Inter Company Journal DocType: Company,Parent Company,Móðurfélag apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hótel Herbergi af tegund {0} eru ekki tiltækar á {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Berðu saman framleiðslueiningar fyrir breytingar á hráefnum og rekstri apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Skjal {0} tókst ekki að hreinsa DocType: Healthcare Practitioner,Default Currency,sjálfgefið mynt apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Samræma þennan reikning @@ -1965,6 +1994,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Reikningur Detail DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Greiðsla Sættir Invoice DocType: Clinical Procedure,Procedure Template,Málsmeðferð máls +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Birta hluti apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,framlag% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Eins og á kaupstillingum ef kaupin eru krafist == 'YES' og síðan til að búa til innheimtufé, þarf notandi að búa til kauppöntun fyrst fyrir atriði {0}" ,HSN-wise-summary of outward supplies,HSN-vitur-samantekt á ytri birgðum @@ -1977,7 +2007,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Vinsamlegast settu 'Virkja Viðbótarupplýsingar afslátt' DocType: Party Tax Withholding Config,Applicable Percent,Gildandi hlutfall ,Ordered Items To Be Billed,Pantaði Items verður innheimt -DocType: Employee Checkin,Exit Grace Period Consequence,Afleiðing nándartímabils apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Frá Range þarf að vera minna en við úrval DocType: Global Defaults,Global Defaults,Global Vanskil apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Project Samvinna Boð @@ -1985,13 +2014,11 @@ DocType: Salary Slip,Deductions,frádráttur DocType: Setup Progress Action,Action Name,Aðgerð heiti apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Start Ár apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Búa til lán -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Upphafsdagur tímabils núverandi reikningi er DocType: Shift Type,Process Attendance After,Aðferð mæting á eftir ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Leyfi án launa DocType: Payment Request,Outward,Utan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Getu Planning Villa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Ríki / UT skattur ,Trial Balance for Party,Trial Balance fyrir aðila ,Gross and Net Profit Report,Hagnaður og hagnaður @@ -2010,7 +2037,6 @@ DocType: Payroll Entry,Employee Details,Upplýsingar um starfsmenn 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} -DocType: Setup Progress Action,Domains,lén 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} @@ -2053,7 +2079,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Samtals fo 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.",Greiðsla Mode er ekki stillt. Vinsamlegast athugaðu hvort reikningur hefur verið sett á Mode Greiðslur eða POS Profile. apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Sama atriði er ekki hægt inn mörgum sinnum. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Frekari reikninga er hægt að gera undir Hópar, en færslur er hægt að gera á móti non-hópa" -DocType: Email Campaign,Lead,Lead +DocType: Call Log,Lead,Lead DocType: Email Digest,Payables,skammtímaskuldir DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Netfang herferð fyrir @@ -2065,6 +2091,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Purchase Order Items verður innheimt 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 DocType: Purchase Invoice Item,Net Rate,Net Rate apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Vinsamlegast veldu viðskiptavin DocType: Leave Policy,Leave Allocations,Leyfa úthlutun @@ -2078,6 +2105,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Loka Issue Eftir daga ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Þú þarft að vera notandi með kerfisstjóra og hlutverkastjóra hlutverk til að bæta notendum við markaðssvæði. +DocType: Attendance,Early Exit,Snemma útgönguleið DocType: Job Opening,Staffing Plan,Mönnun áætlun apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON er aðeins hægt að búa til úr innsendu skjali apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Starfsmannaskattur og ávinningur @@ -2098,6 +2126,7 @@ DocType: Maintenance Team Member,Maintenance Role,Viðhald Hlutverk apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Afrit róður {0} með sama {1} DocType: Marketplace Settings,Disable Marketplace,Slökktu á markaðnum DocType: Quality Meeting,Minutes,Fundargerð +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Sérstakir hlutir þínir ,Trial Balance,Trial Balance apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Sýningu lokið apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Reikningsár {0} fannst ekki @@ -2107,8 +2136,8 @@ 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 DocType: Contract,Fulfilment Deadline,Uppfyllingardagur +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Nálægt þér DocType: Student,O-,O- -DocType: Shift Type,Consequence,Afleiðing DocType: Subscription Settings,Subscription Settings,Áskriftarstillingar DocType: Purchase Invoice,Update Auto Repeat Reference,Uppfæra sjálfvirk endurtekið tilvísun apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Valfrjálst frídagur listi ekki settur í leyfiartíma {0} @@ -2119,7 +2148,6 @@ DocType: Maintenance Visit Purpose,Work Done,vinnu apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Vinsamlegast tilgreindu að minnsta kosti einn eiginleiki í þeim einkennum töflunni DocType: Announcement,All Students,Allir nemendur apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Liður {0} verður að a non-birgðir atriði -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankadísir apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Skoða Ledger DocType: Grading Scale,Intervals,millibili DocType: Bank Statement Transaction Entry,Reconciled Transactions,Samræmd viðskipti @@ -2155,6 +2183,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,tækifæri Item DocType: Quality Action,Quality Review,Gæðaúttekt @@ -2181,7 +2210,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Fá útistandandi reikninga -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Velta Order {0} er ekki gilt +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Kaup pantanir hjálpa þér að skipuleggja og fylgja eftir kaupum þínum apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab Test Prescriptions @@ -2206,6 +2235,7 @@ DocType: Employee Onboarding,Notify users by email,Láttu notendur vita með tö DocType: Travel Request,International,International DocType: Training Event,Training Event,Þjálfun Event DocType: Item,Auto re-order,Auto endurraða +DocType: Attendance,Late Entry,Seint innganga apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,alls Náð DocType: Employee,Place of Issue,Útgáfustaður DocType: Promotional Scheme,Promotional Scheme Price Discount,Kynningarverðsafsláttur @@ -2252,6 +2282,7 @@ DocType: Serial No,Serial No Details,Serial Nei Nánar DocType: Purchase Invoice Item,Item Tax Rate,Liður Skatthlutfall apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Frá nafn aðila apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Nettólaunaupphæð +DocType: Pick List,Delivery against Sales Order,Afhending gegn sölupöntun DocType: Student Group Student,Group Roll Number,Group Roll Number apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Fyrir {0}, aðeins kredit reikninga er hægt að tengja við aðra gjaldfærslu" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Afhending Note {0} er ekki lögð @@ -2323,7 +2354,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Þetta gildi er notað til tímabundinnar útreikninga apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Þú þarft að virkja Shopping Cart DocType: Payment Entry,Writeoff,Afskrifa DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2337,6 +2367,7 @@ DocType: Delivery Trip,Total Estimated Distance,Samtals áætlað fjarlægð DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Viðskiptakröfur Ógreiddur reikningur DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Ekki leyft að búa til bókhaldsvídd fyrir {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Vinsamlegast uppfærðu stöðu þína fyrir þennan þjálfunarviðburð DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Bæta eða draga @@ -2346,7 +2377,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Óvirkir söluhlutir DocType: Quality Review,Additional Information,Viðbótarupplýsingar apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Pöntunin Value -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Þjónustustigssamningur endurstilltur apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Matur apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Ageing Range 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Loka Voucher Upplýsingar @@ -2393,6 +2423,7 @@ 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ð 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ð ' DocType: Healthcare Practitioner,Contacts and Address,Tengiliðir og heimilisfang DocType: Shift Type,Determine Check-in and Check-out,Ákveðið innritun og útritun @@ -2412,7 +2443,6 @@ DocType: Student Admission,Eligibility and Details,Hæfi og upplýsingar apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Innifalið í brúttóhagnaði apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Net Breyting á fast eign apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Magn -DocType: Company,Client Code,Viðskiptavinakóði apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Gjald af gerðinni 'Raunveruleg' í röð {0} er ekki að vera með í Item Rate apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,frá DATETIME @@ -2480,6 +2510,7 @@ DocType: Journal Entry Account,Account Balance,Staða reiknings apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Viðskiptavini er krafist móti óinnheimt reikninginn {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Samtals Skattar og gjöld (Company gjaldmiðli) DocType: Weather,Weather Parameter,Veðurparameter @@ -2542,6 +2573,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Vinnutími þröskuldur f apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Það getur verið margfeldi upphækkunarheimildarþáttur miðað við heildartekjur. En viðskiptatakan fyrir innlausn mun alltaf vera sú sama fyrir alla flokkaupplýsingar. apps/erpnext/erpnext/config/help.py,Item Variants,Item Afbrigði apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Þjónusta +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Sendu Laun Slip til starfsmanns DocType: Cost Center,Parent Cost Center,Parent Kostnaður Center @@ -2552,7 +2584,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","V DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Flytja inn afhendibréf frá Shopify á sendingu apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Sýna lokaðar DocType: Issue Priority,Issue Priority,Forgangsröð útgáfu -DocType: Leave Type,Is Leave Without Pay,Er Leyfi án launa +DocType: Leave Ledger Entry,Is Leave Without Pay,Er Leyfi án launa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset Flokkur er nauðsynlegur fyrir Fast eignalið DocType: Fee Validity,Fee Validity,Gjaldgildi @@ -2601,6 +2633,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Laus Hópur Magn á apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Uppfæra Prenta Format DocType: Bank Account,Is Company Account,Er félagsreikningur apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Leyfi Type {0} er ekki encashable +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Lánamörk eru þegar skilgreind fyrir fyrirtækið {0} DocType: Landed Cost Voucher,Landed Cost Help,Landað Kostnaður Hjálp DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Veldu Shipping Address @@ -2625,6 +2658,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Tveir-vegur DocType: Item,Manufacturers,Framleiðendur @@ -2661,7 +2695,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Bank Sættir Yfirlýsing DocType: Patient Encounter,Medical Coding,Medical erfðaskrá DocType: Healthcare Settings,Reminder Message,Áminningarskilaboð -,Lead Name,Lead Name +DocType: Call Log,Lead Name,Lead Name ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Horfur @@ -2693,12 +2727,14 @@ DocType: Purchase Invoice,Supplier Warehouse,birgir Warehouse DocType: Opportunity,Contact Mobile No,Viltu samband við Mobile Nei apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Veldu fyrirtæki ,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: 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- 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.,Notandi {0} hefur engin sjálfgefin POS prófíl. Kannaðu sjálfgefið í röð {1} fyrir þennan notanda. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Fundargerðir gæða fundar +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Birgir> Gerð birgis apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Tilvísun starfsmanna DocType: Student Group,Set 0 for no limit,Setja 0. engin takmörk apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Daginn (s) sem þú ert að sækja um leyfi eru frí. Þú þarft ekki að sækja um leyfi. @@ -2732,12 +2768,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Net Breyting á Cash DocType: Assessment Plan,Grading Scale,flokkun Scale apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mælieiningin {0} hefur verið slegið oftar en einu sinni í viðskipta Factor töflu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,þegar lokið apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Lager í hendi apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Vinsamlegast bættu við eftirtalin kostir {0} í forritið sem \ pro-rata hluti apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Vinsamlegast stilltu skattalög fyrir opinbera umsjónina '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Greiðsla Beiðni þegar til staðar {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Kostnaður af úthlutuðum Items DocType: Healthcare Practitioner,Hospital,Sjúkrahús apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Magn má ekki vera meira en {0} @@ -2782,6 +2816,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Mannauður apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,efri Tekjur DocType: Item Manufacturer,Item Manufacturer,Atriði Framleiðandi +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Búðu til nýja blý DocType: BOM Operation,Batch Size,Hópastærð apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,hafna DocType: Journal Entry Account,Debit in Company Currency,Debet í félaginu Gjaldmiðill @@ -2802,9 +2837,11 @@ DocType: Bank Transaction,Reconciled,Sátt DocType: Expense Claim,Total Amount Reimbursed,Heildarfjárhæð Endurgreiða apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Þetta er byggt á logs gegn þessu ökutæki. Sjá tímalínu hér fyrir nánari upplýsingar apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Launardagsetning getur ekki verið minni en tengingardagur starfsmanns +DocType: Pick List,Item Locations,Staðir hlutar apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} búin apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Atvinnugreinar til tilnefningar {0} þegar opna \ eða leigja lokið samkvæmt starfsáætluninni {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Þú getur birt allt að 200 atriði. DocType: Vital Signs,Constipated,Hægðatregða apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Gegn Birgir Invoice {0} dagsett {1} DocType: Customer,Default Price List,Sjálfgefið Verðskrá @@ -2896,6 +2933,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Vaktu raunverulega byrjun DocType: Tally Migration,Is Day Book Data Imported,Er dagbókargögn flutt inn apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,markaðskostnaður +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} einingar af {1} eru ekki tiltækar. ,Item Shortage Report,Liður Skortur Report 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 @@ -2918,6 +2956,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 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 DocType: Material Request,Transferred,Flutt DocType: Vehicle,Doors,hurðir @@ -2997,7 +3036,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Liður viðskiptavinar Code DocType: Stock Reconciliation,Stock Reconciliation,Stock Sættir DocType: Territory,Territory Name,Territory Name DocType: Email Digest,Purchase Orders to Receive,Kaup pantanir til að fá -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Work-í-gangi Warehouse er krafist áður Senda +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Work-í-gangi Warehouse er krafist áður Senda apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Þú getur aðeins haft áætlanir með sömu innheimtuferli í áskrift DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data DocType: Purchase Order Item,Warehouse and Reference,Warehouse og Tilvísun @@ -3071,6 +3110,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Afhendingastillingar apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Sækja gögn apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Hámarks leyfi sem leyfður er í tegund ferðarinnar {0} er {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Birta 1 hlut DocType: SMS Center,Create Receiver List,Búa Receiver lista DocType: Student Applicant,LMS Only,Aðeins LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Laus-til-nota Dagsetning ætti að vera eftir kaupdegi @@ -3104,6 +3144,7 @@ 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 DocType: Vital Signs,Furry,Furry apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Vinsamlegast settu "hagnaður / tap reikning á Asset förgun" í félaginu {0} +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} @@ -3115,6 +3156,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Skoða öll mál frá {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Gæðafundarborð +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/templates/pages/help.html,Visit the forums,Heimsókn á umræðunum DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,hefur Afbrigði @@ -3125,9 +3167,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Heiti Monthly Distribution DocType: Quality Procedure Process,Quality Procedure Process,Gæðaferli apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Hópur auðkenni er nauðsynlegur +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Vinsamlegast veldu viðskiptavin fyrst DocType: Sales Person,Parent Sales Person,Móðurfélag Sales Person apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Engin atriði sem berast eru tímabært apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Seljandi og kaupandi geta ekki verið þau sömu +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Engar skoðanir ennþá DocType: Project,Collect Progress,Safna framfarir DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Veldu forritið fyrst @@ -3149,11 +3193,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,náð DocType: Student Admission,Application Form Route,Umsóknareyðublað Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Lokadagur samnings má ekki vera minni en í dag. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter til að senda DocType: Healthcare Settings,Patient Encounters in valid days,Upplifun sjúklinga á gildum dögum apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Skildu Type {0} er ekki hægt að úthluta þar sem það er leyfi án launa 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},Row {0}: Reiknaðar upphæð {1} verður að vera minna en eða jafnt og til reikning útistandandi upphæð {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Í orðum verður sýnileg þegar þú vistar sölureikningi. DocType: Lead,Follow Up,Fylgja eftir +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Kostnaðarmiðstöð: {0} er ekki til DocType: Item,Is Sales Item,Er Sales Item apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Liður Group Tree apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Liður {0} er ekki skipulag fyrir Serial Nos. Athuga Item meistara @@ -3197,9 +3243,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Staðar Magn DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Efni Beiðni Item -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Vinsamlegast hafðu samband við kaupgreiðsluna {0} fyrst apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Tré Item hópa. DocType: Production Plan,Total Produced Qty,Heildarframleiðsla +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Engar umsagnir ennþá apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Getur ekki átt línunúmeri meiri en eða jafnt og núverandi röð númer fyrir þessa Charge tegund DocType: Asset,Sold,selt ,Item-wise Purchase History,Item-vitur Purchase History @@ -3218,7 +3264,7 @@ DocType: Designation,Required Skills,Nauðsynleg færni DocType: Inpatient Record,O Positive,O Jákvæð apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Fjárfestingar DocType: Issue,Resolution Details,upplausn Upplýsingar -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Tegund viðskipta +DocType: Leave Ledger Entry,Transaction Type,Tegund viðskipta DocType: Item Quality Inspection Parameter,Acceptance Criteria,samþykktarviðmiðanir apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Vinsamlegast sláðu Efni Beiðnir í töflunni hér að ofan apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Engar endurgreiðslur eru tiltækar fyrir Journal Entry @@ -3259,6 +3305,7 @@ DocType: Bank Account,Bank Account No,Bankareikningur nr DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Skattfrelsi frá starfsmanni DocType: Patient,Surgical History,Skurðaðgerðarsaga DocType: Bank Statement Settings Item,Mapped Header,Mapped Header +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: 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. 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} @@ -3326,7 +3373,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Bættu við bréfinu DocType: Program Enrollment,Self-Driving Vehicle,Sjálfknúin ökutæki 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Samtals úthlutað leyfi {0} má ekki vera minna en þegar hafa verið samþykktar lauf {1} fyrir tímabilið DocType: Contract Fulfilment Checklist,Requirement,Kröfu DocType: Journal Entry,Accounts Receivable,Reikningur fáanlegur DocType: Quality Goal,Objectives,Markmið @@ -3349,7 +3395,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Einstaklingsviðmiðu DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Þetta gildi er uppfært í Sjálfgefin söluverðalista. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Karfan þín er tóm DocType: Email Digest,New Expenses,ný Útgjöld -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC upphæð apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Ekki hægt að fínstilla leið þar sem heimilisfang ökumanns vantar. DocType: Shareholder,Shareholder,Hluthafi DocType: Purchase Invoice,Additional Discount Amount,Viðbótarupplýsingar Afsláttur Upphæð @@ -3386,6 +3431,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Viðhaldsviðskipti apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Vinsamlegast stilltu B2C takmörk í GST stillingum. DocType: Marketplace Settings,Marketplace Settings,Markaðsstillingar DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Warehouse þar sem þú ert að halda úttekt hafnað atriðum +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Birta {0} Atriði 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,Ekki er hægt að finna gengi fyrir {0} til {1} fyrir lykilatriði {2}. Vinsamlegast búðu til gjaldeyrisviðskipti handvirkt DocType: POS Profile,Price List,Verðskrá 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. @@ -3422,6 +3468,7 @@ DocType: Salary Component,Deduction,frádráttur DocType: Item,Retain Sample,Halda sýni apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Row {0}: Frá Time og til tími er nauðsynlegur. DocType: Stock Reconciliation Item,Amount Difference,upphæð Mismunur +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Þessi síða heldur utan um hluti sem þú vilt kaupa hjá seljendum. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Atriði Verð bætt fyrir {0} í verðskrá {1} DocType: Delivery Stop,Order Information,Panta Upplýsingar apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Vinsamlegast sláðu Starfsmaður Id þessarar velta manneskja @@ -3450,6 +3497,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Námsmat apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Upplýsingar um markmið apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Gildir ef fyrirtækið er SpA, SApA eða SRL" @@ -3502,7 +3550,6 @@ DocType: Company,Transactions Annual History,Viðskipti ársferill 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Above 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 @@ -3554,6 +3601,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Hagnaður ársins 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 @@ -3607,12 +3655,10 @@ DocType: Supplier Scorecard,Scoring Setup,Skora uppsetning apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electronics 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Engin GST-númer fundust fyrir félagið. 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 DocType: Question,Single Correct Answer,Eitt rétt svar -DocType: Employee,Contact Details,Tengiliðaupplýsingar DocType: C-Form,Received Date,fékk Date DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ef þú hefur búið til staðlaða sniðmát í sölu sköttum og gjöldum Snið, veldu einn og smelltu á hnappinn hér fyrir neðan." DocType: BOM Scrap Item,Basic Amount (Company Currency),Basic Magn (Company Gjaldmiðill) @@ -3642,12 +3688,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,Birgiratriði apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Stundaskrá Aðgangur +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Heildarupphæð greiðslubeiðni má ekki vera hærri en {0} upphæð DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Uppsöfnuð viðskiptaþröskuldur DocType: Promotional Scheme Price Discount,Discount Type,Tegund afsláttar -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Alls reikningsfærð Amt DocType: Purchase Invoice Item,Is Free Item,Er ókeypis hlutur +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,Hlutfall sem þú hefur leyfi til að flytja meira miðað við það magn sem pantað er. Til dæmis: Ef þú hefur pantað 100 einingar. og vasapeningurinn þinn er 10% þá hefurðu leyfi til að flytja 110 einingar. DocType: Supplier,Warn RFQs,Varða RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,Skoða +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Skoða DocType: BOM,Conversion Rate,Viðskiptahlutfallsbil apps/erpnext/erpnext/www/all-products/index.html,Product Search,Vöruleit ,Bank Remittance,Endurgreiðsla banka @@ -3659,6 +3706,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Heildarfjárhæð greitt DocType: Asset,Insurance End Date,Tryggingar lokadagur apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Vinsamlegast veljið Student Entrance sem er skylt fyrir greiddan nemanda +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Fjárhagsáætlunarlisti DocType: Campaign,Campaign Schedules,Dagskrá herferðar DocType: Job Card Time Log,Completed Qty,lokið Magn @@ -3681,6 +3729,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,ný Addre DocType: Quality Inspection,Sample Size,Prufustærð apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Vinsamlegast sláðu inn Kvittun Skjal apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Allir hlutir hafa nú þegar verið færðar á vörureikning +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Blöð tekin apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Vinsamlegast tilgreinið gilt "Frá máli nr ' 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,Frekari stoðsviða er hægt að gera undir Hópar en færslur er hægt að gera á móti non-hópa 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,Samtals úthlutað lauf eru fleiri dagar en hámarks úthlutun {0} ferðaþáttur fyrir starfsmanninn {1} á tímabilinu @@ -3780,6 +3829,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Inniheldur 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 DocType: Leave Block List,Allow Users,leyfa notendum 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: 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. @@ -3833,6 +3884,7 @@ DocType: Support Search Source,Result Title Field,Niðurstaða titils apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Samantekt símtala DocType: Sample Collection,Collected Time,Safnað tíma DocType: Employee Skill Map,Employee Skills,Hæfni starfsmanna +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Eldsneytisgjöld DocType: Company,Sales Monthly History,Sala mánaðarlega sögu apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Vinsamlegast stilltu að minnsta kosti eina röð í töflunni Skattar og gjöld DocType: Asset Maintenance Task,Next Due Date,Næsta gjalddagi @@ -3842,6 +3894,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Lífsmör DocType: Payment Entry,Payment Deductions or Loss,Greiðsla Frádráttur eða tap DocType: Soil Analysis,Soil Analysis Criterias,Jarðgreiningarkröfur apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Stöðluð samningsskilyrði til sölu eða kaup. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Raðir fjarlægðar á {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Byrjaðu innritun fyrir upphafstíma vakta (í mínútum) DocType: BOM Item,Item operation,Liður aðgerð apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Group eftir Voucher @@ -3867,11 +3920,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Laun Slip starfsmanns {0} þegar búin á þessu tímabili apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Pharmaceutical apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Þú getur aðeins sent inn skiladæmi fyrir gildan skammtatölu +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Atriði eftir apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kostnaður vegna aðkeyptrar atriði DocType: Employee Separation,Employee Separation Template,Aðskilnaðarsnið frá starfsmanni DocType: Selling Settings,Sales Order Required,Velta Order Required apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Gerast seljandi -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Fjöldi viðburða þar sem afleiðingin er framkvæmd. ,Procurement Tracker,Rekja spor einhvers DocType: Purchase Invoice,Credit To,Credit Til apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC snúið við @@ -3884,6 +3937,7 @@ DocType: Quality Meeting,Agenda,Dagskrá DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Viðhald Dagskrá Detail DocType: Supplier Scorecard,Warn for new Purchase Orders,Varið við nýjar innkaupapantanir DocType: Quality Inspection Reading,Reading 9,lestur 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Tengdu Exotel reikninginn þinn við ERPNext og fylgdu símtalaskrám DocType: Supplier,Is Frozen,er frosinn DocType: Tally Migration,Processed Files,Unnar skrár apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Group hnút vöruhús er ekki leyft að velja fyrir viðskipti @@ -3893,6 +3947,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Nei fyrir Finis DocType: Upload Attendance,Attendance To Date,Aðsókn að Dagsetning 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 @@ -3917,7 +3972,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Beiðni apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Ógild vísun {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Reglur um beitingu mismunandi kynningarkerfa. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) getur ekki verið meiri en áætlað quanitity ({2}) í framleiðslu Order {3} DocType: Shipping Rule,Shipping Rule Label,Sendingar Regla Label DocType: Journal Entry Account,Payroll Entry,Launaskrá apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Skoða gjaldskrár @@ -3929,6 +3983,7 @@ DocType: Contract,Fulfilment Status,Uppfyllingarstaða DocType: Lab Test Sample,Lab Test Sample,Lab Test Dæmi DocType: Item Variant Settings,Allow Rename Attribute Value,Leyfa Endurnefna Eiginleikar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Quick Journal Entry +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Fjárhæð framtíðar apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Þú getur ekki breytt hlutfall ef BOM getið agianst hvaða atriði DocType: Restaurant,Invoice Series Prefix,Reiknivél Reiknivél DocType: Employee,Previous Work Experience,Fyrri Starfsreynsla @@ -3958,6 +4013,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Project Status DocType: UOM,Check this to disallow fractions. (for Nos),Hakaðu við þetta til að banna broti. (NOS) DocType: Student Admission Program,Naming Series (for Student Applicant),Nafngiftir Series (fyrir námsmanna umsækjanda) +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/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 @@ -3973,6 +4029,7 @@ DocType: Fiscal Year,Year End Date,Ár Lokadagur DocType: Task Depends On,Task Depends On,Verkefni veltur á apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,tækifæri DocType: Options,Option,Valkostur +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Þú getur ekki búið til bókhaldsfærslur á lokuðu bókhaldstímabilinu {0} DocType: Operation,Default Workstation,Sjálfgefið Workstation DocType: Payment Entry,Deductions or Loss,Frádráttur eða tap apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} er lokað @@ -3981,6 +4038,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Fá núverandi lager DocType: Purchase Invoice,ineligible,óhæfur apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Tré Bill of Materials +DocType: BOM,Exploded Items,Sprungið atriði DocType: Student,Joining Date,Tengja Dagsetning ,Employees working on a holiday,Starfsmenn sem vinna í frí ,TDS Computation Summary,TDS Útreikningur Samantekt @@ -4013,6 +4071,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (eins og á DocType: SMS Log,No of Requested SMS,Ekkert af Beðið um SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Leyfi án launa passar ekki við viðurkenndar Leave Umsókn færslur apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Næstu skref +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Vistaðir hlutir DocType: Travel Request,Domestic,Innlendar apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Gefðu tilgreind atriði í besta mögulega verð apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Ekki er hægt að skila starfsmanni flytja fyrir flutningsdag @@ -4065,7 +4124,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Asset Flokkur Reikningur apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Gildið {0} er þegar úthlutað til núverandi vöru {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Greiðsluborð): Magn verður að vera jákvætt -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Geta ekki framleitt meira ítarefni {0} en Sales Order Magn {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Geta ekki framleitt meira ítarefni {0} en Sales Order Magn {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Ekkert er innifalið í brúttó apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,E-Way Bill er þegar til fyrir þetta skjal apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Veldu Eiginleikar @@ -4100,12 +4159,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Virkja mismunandi afleiðingar fyrir snemma útgönguleið ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Umsóknarfrestur starfsmanna 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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Vinsamlegast Afhending Note fyrst DocType: Student Applicant,Application Date,Umsókn Dagsetning DocType: Salary Component,Amount based on formula,Upphæð byggist á formúlu DocType: Purchase Invoice,Currency and Price List,Gjaldmiðill og Verðskrá @@ -4134,6 +4191,7 @@ DocType: Purchase Receipt,Time at which materials were received,Tími þar sem e DocType: Products Settings,Products per Page,Vörur á síðu 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Úthlutað magn getur ekki verið neikvætt DocType: Sales Order,Billing Status,Innheimta Staða apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Tilkynna um vandamál @@ -4143,6 +4201,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-Above 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,Row # {0}: Journal Entry {1} hefur ekki reikning {2} eða þegar samsvarandi gegn öðrum skírteini DocType: Supplier Scorecard Criteria,Criteria Weight,Viðmiðunarþyngd +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Reikningur: {0} er ekki leyfður samkvæmt greiðslufærslu DocType: Production Plan,Ignore Existing Projected Quantity,Hunsa núverandi áætlað magn apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Skildu eftir samþykki tilkynningu DocType: Buying Settings,Default Buying Price List,Sjálfgefið Buying Verðskrá @@ -4151,6 +4210,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,greiðsla Type apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Vinsamlegast veldu lotu fyrir hlut {0}. Ekki er hægt að finna eina lotu sem uppfyllir þessa kröfu @@ -4179,6 +4239,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Shopping Cart Stillingar DocType: Journal Entry,Accounting Entries,Bókhalds Færslur 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." +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 DocType: Journal Entry,Paid Loan,Greiddur lán 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 @@ -4195,12 +4256,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Upplýsingar apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Enginn tími blöð DocType: GoCardless Mandate,GoCardless Customer,GoCardless viðskiptavinur apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Skildu Tegund {0} Ekki er hægt að bera-send +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Atriðakóði> Vöruflokkur> Vörumerki apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Viðhald Dagskrá er ekki mynda að öllum þeim atriðum. Vinsamlegast smelltu á 'Búa Stundaskrá' ,To Produce,Að framleiða DocType: Leave Encashment,Payroll,launaskrá 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","Fyrir röð {0} í {1}. Til eru {2} í lið gengi, raðir {3} skal einnig" DocType: Healthcare Service Unit,Parent Service Unit,Foreldraþjónustudeild DocType: Packing Slip,Identification of the package for the delivery (for print),Auðkenning pakka fyrir afhendingu (fyrir prentun) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Þjónustustigssamningur var endurstilltur. DocType: Bin,Reserved Quantity,frátekin Magn apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Vinsamlegast sláðu inn gilt netfang DocType: Volunteer Skill,Volunteer Skill,Sjálfboðaliðastarf @@ -4221,7 +4284,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Verð eða vöruafsláttur apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Fyrir röð {0}: Sláðu inn skipulagt magn DocType: Account,Income Account,tekjur Reikningur -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Viðskiptavinur> viðskiptavinahópur> landsvæði DocType: Payment Request,Amount in customer's currency,Upphæð í mynt viðskiptavinarins apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Afhending apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Úthlutar mannvirkjum ... @@ -4244,6 +4306,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Þú munt missa skrár af áður búin reikningum. Ertu viss um að þú viljir endurræsa þessa áskrift? @@ -4299,11 +4362,10 @@ DocType: Additional Salary,HR User,HR User DocType: Bank Guarantee,Reference Document Name,Tilvísun skjal nafn DocType: Purchase Invoice,Taxes and Charges Deducted,Skattar og gjöld Frá DocType: Support Settings,Issues,Vandamál -DocType: Shift Type,Early Exit Consequence after,Afleiðing snemma útgönguleið eftir DocType: Loyalty Program,Loyalty Program Name,Hollusta Program Name apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Staða verður að vera einn af {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Áminning um að uppfæra GSTIN Sent -DocType: Sales Invoice,Debit To,debet Til +DocType: Discounted Invoice,Debit To,debet Til DocType: Restaurant Menu Item,Restaurant Menu Item,Veitingahús Valmynd Item DocType: Delivery Note,Required only for sample item.,Aðeins nauðsynlegt fyrir sýnishorn hlut. DocType: Stock Ledger Entry,Actual Qty After Transaction,Raunveruleg Magn eftir viðskipti @@ -4386,6 +4448,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Parameter Name apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Aðeins Skildu Umsóknir með stöðu "Samþykkt" og "Hafnað 'er hægt að skila apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Býr til víddir ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Student Group Name er skylda í röð {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Framhjá lánamörkum DocType: Homepage,Products to be shown on website homepage,Vörur birtist á heimasíðu heimasíðuna DocType: HR Settings,Password Policy,Lykilorðastefna apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Þetta er rót viðskiptavinur hóp og ekki hægt að breyta. @@ -4432,10 +4495,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ef f apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Vinsamlegast stilltu sjálfgefinn viðskiptavin í veitingastaðnum ,Salary Register,laun Register DocType: Company,Default warehouse for Sales Return,Sjálfgefið lager fyrir söluávöxtun -DocType: Warehouse,Parent Warehouse,Parent Warehouse +DocType: Pick List,Parent Warehouse,Parent Warehouse DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Skilgreina ýmsar tegundir lána DocType: Bin,FCFS Rate,FCFS Rate @@ -4472,6 +4535,7 @@ DocType: Travel Itinerary,Lodging Required,Gisting krafist DocType: Promotional Scheme,Price Discount Slabs,Verð afslátt plötum DocType: Stock Reconciliation Item,Current Serial No,Núverandi raðnúmer DocType: Employee,Attendance and Leave Details,Upplýsingar um mætingu og leyfi +,BOM Comparison Tool,BOM samanburðarverkfæri ,Requested,Umbeðin apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,engar athugasemdir DocType: Asset,In Maintenance,Í viðhald @@ -4494,6 +4558,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Sjálfgefinn þjónustustigssamningur DocType: SG Creation Tool Course,Course Code,Auðvitað Code apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Fleiri en eitt val fyrir {0} er ekki leyfilegt +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Fjöldi hráefna verður ákvörðuð út frá magni fullunninnar vöru DocType: Location,Parent Location,Foreldri Location DocType: POS Settings,Use POS in Offline Mode,Notaðu POS í ótengdu ham apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Forgangi hefur verið breytt í {0}. @@ -4512,7 +4577,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Sýnishorn vörugeymsla DocType: Company,Default Receivable Account,Sjálfgefið Krafa Reikningur apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Reiknuð magnformúla DocType: Sales Invoice,Deemed Export,Álitinn útflutningur -DocType: Stock Entry,Material Transfer for Manufacture,Efni Transfer fyrir Framleiðsla +DocType: Pick List,Material Transfer for Manufacture,Efni Transfer fyrir Framleiðsla 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.,Afsláttur Hlutfall hægt að beita annaðhvort á móti verðskrá eða fyrir alla verðlista. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Bókhalds Færsla fyrir Lager DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4555,7 +4620,6 @@ DocType: Training Event,Theory,Theory apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Viðvörun: Efni Umbeðin Magn er minna en Minimum Order Magn apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Reikningur {0} er frosinn DocType: Quiz Question,Quiz Question,Spurningakeppni -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Birgir> Gerð birgis 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" @@ -4586,6 +4650,7 @@ 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 DocType: Account,Expense Account,Expense Reikningur apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,hugbúnaður apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Colour @@ -4623,6 +4688,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Stjórna Velta Par 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 DocType: Fee Validity,Visited yet,Heimsóknir ennþá +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Þú getur haft allt að 8 atriði. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Vöruhús með núverandi viðskipti er ekki hægt að breyta í hópinn. 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. @@ -4630,7 +4696,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4655,7 +4720,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM viðskipti í DocType: Contract,Signee Details,Signee Upplýsingar apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} er nú með {1} Birgir Stuðningskort og RFQs til þessa birgja skal gefa út með varúð. DocType: Certified Consultant,Non Profit Manager,Non Profit Manager -DocType: BOM,Total Cost(Company Currency),Total Cost (Company Gjaldmiðill) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serial Nei {0} búin DocType: Homepage,Company Description for website homepage,Fyrirtæki Lýsing á heimasíðu heimasíðuna DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Fyrir þægindi viðskiptavina, þessi númer er hægt að nota á prenti sniðum eins reikninga og sending minnismiða" @@ -4683,7 +4747,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Kvittun I DocType: Amazon MWS Settings,Enable Scheduled Synch,Virkja áætlaða samstillingu apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,til DATETIME apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Logs fyrir að viðhalda SMS-sendingar stöðu -DocType: Shift Type,Early Exit Consequence,Afleiðing snemma útgönguleið DocType: Accounts Settings,Make Payment via Journal Entry,Greiða í gegnum dagbókarfærslu apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Vinsamlegast ekki búa til meira en 500 hluti í einu apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Prentað á @@ -4740,6 +4803,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Crossed 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Stofnunardagur apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,An fræðihugtak með þessu "skólaárinu '{0} og' Term Name '{1} er þegar til. Vinsamlegast breyttu þessum færslum og reyndu aftur. @@ -4801,6 +4865,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Tegund viðskiptavina DocType: Compensatory Leave Request,Leave Allocation,Skildu Úthlutun DocType: Payment Request,Recipient Message And Payment Details,Viðtakandinn Message og greiðsluskilmálar +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Vinsamlegast veldu afhendingarskilaboð DocType: Support Search Source,Source DocType,Heimild DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Opnaðu nýjan miða DocType: Training Event,Trainer Email,þjálfari Email @@ -4921,6 +4986,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"Frá Dagsetning 'verður að vera eftir' Til Dagsetning ' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Engar áætlanir um starfsmenntun fundust fyrir þessa tilnefningu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Hópur {0} í lið {1} er óvirkur. @@ -4942,7 +5008,7 @@ DocType: Clinical Procedure,Patient,Sjúklingur apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Bannað lánshæfiseinkunn á söluskilningi DocType: Employee Onboarding Activity,Employee Onboarding Activity,Starfsmaður um borð DocType: Location,Check if it is a hydroponic unit,Athugaðu hvort það sé vatnsheld eining -DocType: Stock Reconciliation Item,Serial No and Batch,Serial Nei og Batch +DocType: Pick List Item,Serial No and Batch,Serial Nei og Batch DocType: Warranty Claim,From Company,frá Company DocType: GSTR 3B Report,January,Janúar apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summa skora á mat Criteria þarf að vera {0}. @@ -4966,7 +5032,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Afslátt 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Engin {0} fundust fyrir millifærsluviðskipti. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,kredit_note_amt 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/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Inneign á reikninginn verður að vera Efnahagur reikning @@ -4999,11 +5064,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kostnaðarmi 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,eftir DocType: Appraisal,Appraisal,Úttekt DocType: Loan,Loan Account,Lánreikningur apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Gildir frá og gildir upp í reitir eru nauðsynlegir fyrir uppsafnaðan +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",Fyrir lið {0} í röð {1} passar fjöldi raðnúmera ekki við valið magn DocType: Purchase Invoice,GST Details,GST upplýsingar apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Þetta byggist á viðskiptum gegn þessum heilbrigðisstarfsmanni. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Tölvupóstur sendur á birgi {0} @@ -5067,6 +5134,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Framlegð þyngd pakkans. Venjulega nettóþyngd + umbúðir þyngd. (Til prentunar) DocType: Assessment Plan,Program,program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Notendur með þetta hlutverk er leyft að setja á frysta reikninga og búa til / breyta bókhaldsfærslum gegn frysta reikninga +DocType: Plaid Settings,Plaid Environment,Plaid umhverfi ,Project Billing Summary,Yfirlit verkefnisgreiningar DocType: Vital Signs,Cuts,Skurður DocType: Serial No,Is Cancelled,er Hætt @@ -5128,7 +5196,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Ath: Kerfi mun ekki stöðva yfir fæðingu og yfir-bókun fyrir lið {0} sem magn eða upphæð er 0 DocType: Issue,Opening Date,opnun Date apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Vinsamlegast vista sjúklinginn fyrst -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Búðu til nýjan tengilið apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Aðsókn hefur verið merkt með góðum árangri. DocType: Program Enrollment,Public Transport,Almenningssamgöngur DocType: Sales Invoice,GST Vehicle Type,GST gerð ökutækis @@ -5154,6 +5221,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Víxlar hæ 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Bætið fyrst við atriðum í töflunni Staðsetningar atriða DocType: Pricing Rule,Discount Amount,afsláttur Upphæð DocType: Pricing Rule,Period Settings,Tímabilstillingar DocType: Purchase Invoice,Return Against Purchase Invoice,Return Against kaupa Reikningar @@ -5186,7 +5254,6 @@ DocType: Assessment Plan,Assessment Plan,mat Plan DocType: Travel Request,Fully Sponsored,Fully Sponsored apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Reverse Journal Entry apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Búðu til atvinnukort -DocType: Shift Type,Consequence after,Afleiðing eftir DocType: Quality Procedure Process,Process Description,Aðferðalýsing apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Viðskiptavinur {0} er búinn til. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Eins og er ekki birgðir í boði á hvaða vöruhúsi @@ -5221,6 +5288,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,úthreinsun Dagsetning DocType: Delivery Settings,Dispatch Notification Template,Tilkynningarsniðmát apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Matsskýrsla apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Fá starfsmenn +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 @@ -5314,7 +5382,6 @@ DocType: Stock Settings,Use Naming Series,Notaðu nafngiftaröð apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Engin aðgerð apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Verðmat gerð gjöld geta ekki merkt sem Inclusive DocType: POS Profile,Update Stock,Uppfæra Stock -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Mismunandi UOM að atriðum mun leiða til rangrar (alls) nettóþyngd gildi. Gakktu úr skugga um að nettóþyngd hvern hlut er í sama UOM. DocType: Certification Application,Payment Details,Greiðsluupplýsingar apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate @@ -5349,7 +5416,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Þetta er rót velta manneskja og ekki hægt að breyta. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ef valið er, mun gildi sem tilgreint eða reiknað er í þessum hluta ekki stuðla að tekjum eða frádráttum. Hins vegar er það gildi sem hægt er að vísa til af öðrum hlutum sem hægt er að bæta við eða draga frá." -DocType: Asset Settings,Number of Days in Fiscal Year,Fjöldi daga á reikningsárinu ,Stock Ledger,Stock Ledger DocType: Company,Exchange Gain / Loss Account,Gengishagnaður / Rekstrarreikningur DocType: Amazon MWS Settings,MWS Credentials,MWS persónuskilríki @@ -5384,6 +5450,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Súla í bankaskrá apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Leyfi umsókn {0} er nú þegar á móti nemandanum {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Í biðstöðu fyrir að uppfæra nýjustu verð í öllum efnisskránni. Það getur tekið nokkrar mínútur. +DocType: Pick List,Get Item Locations,Fáðu staðsetningar hlutar apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nafn nýja reikninginn. Ath: Vinsamlegast bý ekki reikninga fyrir viðskiptavini og birgja DocType: POS Profile,Display Items In Stock,Sýna vörur á lager apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Land vitur sjálfgefið veffang Sniðmát @@ -5407,6 +5474,7 @@ DocType: Crop,Materials Required,Efni sem krafist er apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Engar nemendur Found DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Mánaðarleg HRA undanþága DocType: Clinical Procedure,Medical Department,Medical Department +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Heildar snemma útgönguleiðir DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Birgir Scorecard Scoring Criteria apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Reikningar Staða Date apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,selja @@ -5418,11 +5486,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Vinsamlegast eyða starfsmanninum {0} \ til að hætta við þetta skjal" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Út af AMC DocType: Opportunity,Opportunity Amount,Tækifærsla +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Prófílinn þinn apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Fjöldi Afskriftir bókað getur ekki verið meiri en heildarfjöldi Afskriftir DocType: Purchase Order,Order Confirmation Date,Panta staðfestingardag DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5516,7 +5583,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Það eru ósamræmi á milli gengisins, hlutafjár og fjárhæð sem reiknað er út" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Þú ert ekki til staðar allan daginn (s) á milli viðbótardagsbæta apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Vinsamlega munið gerð nafn fyrirtækis til að staðfesta -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Alls Framúrskarandi Amt DocType: Journal Entry,Printing Settings,prentun Stillingar DocType: Payment Order,Payment Order Type,Tegund greiðslupöntunar DocType: Employee Advance,Advance Account,Forgangsreikningur @@ -5605,7 +5671,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,ár Name apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Það eru fleiri frídagar en vinnudögum þessum mánuði. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Eftirfarandi hlutir {0} eru ekki merktar sem {1} atriði. Þú getur virkjað þau sem {1} atriði úr hlutastjóranum -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Vara Knippi Item DocType: Sales Partner,Sales Partner Name,Heiti Sales Partner apps/erpnext/erpnext/hooks.py,Request for Quotations,Beiðni um tilvitnanir @@ -5614,19 +5679,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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æð -apps/erpnext/erpnext/config/hr.py,Leaves,Blöð +DocType: Leave Ledger Entry,Leaves,Blöð DocType: Student Language,Student Language,Student Tungumál DocType: Cash Flow Mapping,Is Working Capital,Er vinnumarkaður apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Leggja fram sönnun apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Order / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Skráðu sjúklinga vitaleika DocType: Fee Schedule,Institution,stofnun -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: Asset,Partially Depreciated,hluta afskrifaðar DocType: Issue,Opening Time,opnun Time apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Frá og Til dagsetningar krafist apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Verðbréf & hrávöru ungmennaskipti -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Samantekt hringingar eftir {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Docs Search apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default Mælieiningin fyrir Variant '{0}' verða að vera sama og í sniðmáti '{1}' DocType: Shipping Rule,Calculate Based On,Reikna miðað við @@ -5672,6 +5735,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Hámarks leyfilegt gildi 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 DocType: Lab Test Template,Sensitivity,Viðkvæmni DocType: Plaid Settings,Plaid Settings,Stillingar plaða apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Samstillingu hefur verið lokað fyrir tímabundið vegna þess að hámarksstraumur hefur verið farið yfir @@ -5689,6 +5753,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vinsamlegast veldu dagsetningu birtingar fyrst apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Opnun Date ætti að vera áður lokadegi DocType: Travel Itinerary,Flight,Flug +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Aftur heim DocType: Leave Control Panel,Carry Forward,Haltu áfram apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Kostnaður Center við núverandi viðskipti er ekki hægt að breyta í höfuðbók DocType: Budget,Applicable on booking actual expenses,Gildir á bókun raunkostnaði @@ -5744,6 +5809,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Búðu til tilvitn apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Þú hefur ekki heimild til að samþykkja lauf á Block Dagsetningar apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Beiðni um {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Öll þessi atriði hafa þegar verið reikningsfærð +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Engir útistandandi reikningar fundust fyrir {0} {1} sem fullgilda síurnar sem þú tilgreindir. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Stilla nýjan útgáfudag DocType: Company,Monthly Sales Target,Mánaðarlegt sölumarkmið apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Engir útistandandi reikningar fundust @@ -5790,6 +5856,7 @@ DocType: Water Analysis,Type of Sample,Tegund sýni DocType: Batch,Source Document Name,Heimild skjal Nafn DocType: Production Plan,Get Raw Materials For Production,Fáðu hráefni til framleiðslu DocType: Job Opening,Job Title,Starfsheiti +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Framtíðargreiðsla ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.",{0} gefur til kynna að {1} muni ekki gefa til kynna en allir hlutir \ hafa verið vitnar í. Uppfæra RFQ vitna stöðu. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Hámarksýni - {0} hafa þegar verið haldið fyrir lotu {1} og lið {2} í lotu {3}. @@ -5800,12 +5867,10 @@ 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: Company,Product Code,Vörunúmer DocType: Quality Review Table,Objective,Hlutlæg DocType: Supplier Scorecard,Per Month,Á mánuði DocType: Education Settings,Make Academic Term Mandatory,Gerðu fræðilegan tíma skylt -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Magn á Framleiðsla verður að vera hærri en 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Reiknaðu gengislækkunaráætlun miðað við reikningsár +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Magn á Framleiðsla verður að vera hærri en 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Heimsókn skýrslu fyrir símtal viðhald. DocType: Stock Entry,Update Rate and Availability,Update Rate og Framboð 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.,Hlutfall sem þú ert leyft að taka á móti eða afhenda fleiri gegn pantað magn. Til dæmis: Ef þú hefur pantað 100 einingar. og barnabætur er 10% þá er leyft að taka á móti 110 einingar. @@ -5816,7 +5881,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Útgáfudagur verður að vera í framtíðinni DocType: BOM,Website Description,Vefsíða Lýsing apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Net breyting á eigin fé -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Vinsamlegast hætta kaupa Reikningar {0} fyrst apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Ekki leyfilegt. Vinsamlega slökkva á þjónustueiningartegundinni apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Netfang verður að vera einstakt, þegar til fyrir {0}" DocType: Serial No,AMC Expiry Date,AMC Fyrningardagsetning @@ -5860,6 +5924,7 @@ DocType: Pricing Rule,Price Discount Scheme,Verðafsláttarkerfi apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Viðhald Staða verður að vera Hætt eða lokið til að senda inn DocType: Amazon MWS Settings,US,Bandaríkin DocType: Holiday List,Add Weekly Holidays,Bæta við vikulega frídaga +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Tilkynna hlut DocType: Staffing Plan Detail,Vacancies,Laus störf DocType: Hotel Room,Hotel Room,Hótelherbergi apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Reikningur {0} er ekki tilheyrir fyrirtækinu {1} @@ -5911,12 +5976,15 @@ DocType: Email Digest,Open Quotations,Opið Tilvitnanir 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Vinsamlegast eytt starfsmanninum {0} \ til að hætta við þetta skjal" 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æð @@ -5930,6 +5998,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Laust DocType: Patient,Alcohol Past Use,Áfengisnotkun áfengis DocType: Fertilizer Content,Fertilizer Content,Áburður innihaldsefni +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,engin lýsing apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,cr DocType: Tax Rule,Billing State,Innheimta State DocType: Quality Goal,Monitoring Frequency,Vöktunartíðni @@ -5947,6 +6016,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Endar Á dagsetning má ekki vera fyrir næsta tengiliðadag. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Hópafærslur DocType: Journal Entry,Pay To / Recd From,Greiða til / Recd Frá +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Aftengja hlut DocType: Naming Series,Setup Series,skipulag Series DocType: Payment Reconciliation,To Invoice Date,Til dagsetningu reiknings DocType: Bank Account,Contact HTML,Viltu samband við HTML @@ -5968,6 +6038,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Smásala DocType: Student Attendance,Absent,Absent DocType: Staffing Plan,Staffing Plan Detail,Stúdentaráðsáætlun DocType: Employee Promotion,Promotion Date,Kynningardagur +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Orlofsúthlutun% s er tengd við leyfisumsókn% s 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} @@ -6002,9 +6073,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Reikningur {0} er ekki lengur til DocType: Guardian Interest,Guardian Interest,Guardian Vextir DocType: Volunteer,Availability,Framboð +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Leyfisumsókn er tengd við úthlutunarheimildir {0}. Ekki er hægt að stilla leyfi umsókn sem leyfi án launa apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Uppsetningar sjálfgefin gildi fyrir POS-reikninga DocType: Employee Training,Training,Þjálfun DocType: Project,Time to send,Tími til að senda +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Þessi síða heldur utan um hluti sem kaupendur hafa sýnt áhuga á. DocType: Timesheet,Employee Detail,starfsmaður Detail 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 @@ -6100,12 +6173,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,opnun Value DocType: Salary Component,Formula,Formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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: 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/setup/doctype/company/company.py,Sales Account,Sölureikningur DocType: Purchase Invoice Item,Total Weight,Heildarþyngd +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}" @@ -6129,6 +6202,7 @@ DocType: Company,Default Employee Advance Account,Sjálfstætt starfandi reiknin apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Leitaratriði (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Reikningur með núverandi viðskipti getur ekki eytt +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Af hverju halda að þessi hluti eigi að fjarlægja? DocType: Vehicle,Last Carbon Check,Síðasta Carbon Athuga apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,málskostnaðar apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Vinsamlegast veljið magn í röð @@ -6148,6 +6222,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Brotna niður DocType: Travel Itinerary,Vegetarian,Grænmetisæta DocType: Patient Encounter,Encounter Date,Fundur Dagsetning +DocType: Work Order,Update Consumed Material Cost In Project,Uppfærðu neyttan efniskostnað í verkefni apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Reikningur: {0} með gjaldeyri: {1} Ekki er hægt að velja DocType: Bank Statement Transaction Settings Item,Bank Data,Bankagögn DocType: Purchase Receipt Item,Sample Quantity,Dæmi Magn @@ -6202,7 +6277,7 @@ DocType: GSTR 3B Report,April,Apríl 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Ath: Item {0} inn mörgum sinnum +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Ath: Item {0} inn mörgum sinnum apps/erpnext/erpnext/config/buying.py,All Contacts.,Allir Tengiliðir. DocType: Accounting Period,Closed Documents,Lokað skjöl 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 @@ -6284,9 +6359,7 @@ DocType: Member,Membership Type,Aðildargerð ,Reqd By Date,Reqd By Date apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,lánardrottnar DocType: Assessment Plan,Assessment Name,mat Name -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Sýna PDC í prenti apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Serial Nei er nauðsynlegur -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Engir útistandandi reikningar fundust fyrir {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Liður Wise Tax Nánar DocType: Employee Onboarding,Job Offer,Atvinnutilboð apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute Skammstöfun @@ -6344,6 +6417,7 @@ DocType: Serial No,Out of Warranty,Út ábyrgðar DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapped Data Type DocType: BOM Update Tool,Replace,Skipta apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Engar vörur fundust. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Birta fleiri hluti apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Þessi þjónustustigssamningur er sérstakur fyrir viðskiptavini {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} gegn sölureikningi {1} DocType: Antibiotic,Laboratory User,Laboratory User @@ -6366,7 +6440,6 @@ DocType: Payment Order Reference,Bank Account Details,Upplýsingar bankareikning DocType: Purchase Order Item,Blanket Order,Teppi panta 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Framleiðslufyrirmæli hefur verið {0} DocType: BOM Item,BOM No,BOM Nei 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 @@ -6439,6 +6512,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Skattskyldar birgðir út á við (núll metnar) DocType: BOM,Materials Required (Exploded),Efni sem þarf (Sprakk) 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/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 @@ -6496,7 +6570,6 @@ DocType: Pricing Rule,Same Item,Sami hlutur DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry DocType: Quality Action Resolution,Quality Action Resolution,Upplausn gæða apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} á hálftíma Leyfi á {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Sama atriði hefur verið gert mörgum sinnum DocType: Department,Leave Block List,Skildu Block List DocType: Purchase Invoice,Tax ID,Tax ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Liður {0} er ekki skipulag fyrir Serial Nos. Column verður auður @@ -6534,7 +6607,7 @@ DocType: Cheque Print Template,Distance from top edge,Fjarlægð frá efstu brú 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 DocType: Purchase Invoice,Return,Return -DocType: Accounting Dimension,Disable,Slökkva +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 DocType: Task,Pending Review,Bíður Review apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Breyta í fullri síðu fyrir fleiri valkosti eins og eignir, raðnúmer, lotur osfrv." @@ -6647,7 +6720,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Sameinað reikningshluti verður jafn 100% DocType: Item Default,Default Expense Account,Sjálfgefið kostnað reiknings DocType: GST Account,CGST Account,CGST reikningur -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Atriðakóði> Vöruflokkur> Vörumerki apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student Email ID DocType: Employee,Notice (days),Tilkynning (dagar) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS Loka Voucher Reikningar @@ -6658,6 +6730,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Veldu atriði til að bjarga reikning DocType: Employee,Encashment Date,Encashment Dagsetning DocType: Training Event,Internet,internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Upplýsingar um seljanda DocType: Special Test Template,Special Test Template,Sérstök próf sniðmát DocType: Account,Stock Adjustment,Stock Leiðrétting apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Sjálfgefið Activity Kostnaður er fyrir hendi Activity Tegund - {0} @@ -6669,7 +6742,6 @@ 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 -DocType: Company,Bank Remittance Settings,Bankastillingarstillingar apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Meðaltal 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 @@ -6697,6 +6769,7 @@ DocType: Grading Scale Interval,Threshold,þröskuldur apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Sía starfsmenn eftir (valfrjálst) DocType: BOM Update Tool,Current BOM,Núverandi BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Jafnvægi (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Magn fullunninna vara apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Bæta Serial Nei DocType: Work Order Item,Available Qty at Source Warehouse,Laus magn í Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Ábyrgð í @@ -6775,7 +6848,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Hér er hægt að halda hæð, þyngd, ofnæmi, læknis áhyggjum etc" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Býr til reikninga ... DocType: Leave Block List,Applies to Company,Gildir til félagsins -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Ekki er hægt að hætta við vegna þess að lögð Stock Entry {0} hendi +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Ekki er hægt að hætta við vegna þess að lögð Stock Entry {0} hendi DocType: Loan,Disbursement Date,útgreiðsludagur DocType: Service Level Agreement,Agreement Details,Upplýsingar um samkomulag apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Upphafsdagur samkomulags getur ekki verið meiri en eða jöfn lokadagur. @@ -6784,6 +6857,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Læknisskýrsla DocType: Vehicle,Vehicle,ökutæki DocType: Purchase Invoice,In Words,í orðum +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Hingað til þarf að vera fyrir frá dagsetningu apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Sláðu inn nafn bankans eða útlánafyrirtækis áður en þú sendir það. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} verður að senda inn DocType: POS Profile,Item Groups,Item Hópar @@ -6855,7 +6929,6 @@ DocType: Customer,Sales Team Details,Upplýsingar Söluteymi apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Eyða varanlega? DocType: Expense Claim,Total Claimed Amount,Alls tilkalli Upphæð apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Hugsanleg tækifæri til að selja. -DocType: Plaid Settings,Link a new bank account,Tengdu nýjan bankareikning apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} er ógild aðsóknarstaða. DocType: Shareholder,Folio no.,Folio nr. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ógild {0} @@ -6871,7 +6944,6 @@ DocType: Production Plan,Material Requested,Efni sem óskað er eftir DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Frátekin fjöldi undirverktaka DocType: Patient Service Unit,Patinet Service Unit,Patinet Service Unit -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Búðu til textaskrá DocType: Sales Invoice,Base Change Amount (Company Currency),Base Breyta Upphæð (Company Gjaldmiðill) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Engar bókhald færslur fyrir eftirfarandi vöruhús apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Aðeins {0} á lager fyrir hlut {1} @@ -6885,6 +6957,7 @@ DocType: Item,No of Months,Fjöldi mánaða DocType: Item,Max Discount (%),Max Afsláttur (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Credit Days má ekki vera neikvætt númer apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Hladdu upp yfirlýsingu +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Tilkynna þetta atriði DocType: Purchase Invoice Item,Service Stop Date,Þjónustuskiladagsetning apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Síðasta Order Magn DocType: Cash Flow Mapper,e.g Adjustments for:,td leiðréttingar fyrir: @@ -6978,16 +7051,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Skattfrjálsur flokkur starfsmanna apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Upphæðin ætti ekki að vera minni en núll. DocType: Sales Invoice,C-Form Applicable,C-Form Gildir -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Operation Time verður að vera hærri en 0 fyrir notkun {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Operation Time verður að vera hærri en 0 fyrir notkun {0} DocType: Support Search Source,Post Route String,Birta leiðstreng apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Warehouse er nauðsynlegur apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Mistókst að búa til vefsíðu DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM viðskipta Detail apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Aðgangseyrir og innritun -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Varðveislubréf þegar búið er til eða sýnishorn Magn ekki til staðar +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Varðveislubréf þegar búið er til eða sýnishorn Magn ekki til staðar DocType: Program,Program Abbreviation,program Skammstöfun -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Framleiðsla Order er ekki hægt að hækka gegn Item sniðmáti apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Hópur eftir skírteini (samstæðu) DocType: HR Settings,Encrypt Salary Slips in Emails,Dulkóða launaseðla í tölvupósti DocType: Question,Multiple Correct Answer,Margfalt rétt svar @@ -7034,7 +7106,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Er ekkert metið eða un DocType: Employee,Educational Qualification,námsgráðu DocType: Workstation,Operating Costs,því að rekstrarkostnaðurinn apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Gjaldeyri fyrir {0} verður að vera {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Afleiðing nándartímabils DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Merktu mætingu á grundvelli „Innritun starfsmanna“ fyrir starfsmenn sem úthlutað er til þessa vaktar. DocType: Asset,Disposal Date,förgun Dagsetning DocType: Service Level,Response and Resoution Time,Svar og brottvikningartími @@ -7082,6 +7153,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Verklok DocType: Purchase Invoice Item,Amount (Company Currency),Upphæð (Company Gjaldmiðill) DocType: Program,Is Featured,Er valinn +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Sækir ... DocType: Agriculture Analysis Criteria,Agriculture User,Landbúnaður Notandi apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Gildir til dagsetning geta ekki verið fyrir viðskiptadag apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} einingar {1} þörf {2} á {3} {4} fyrir {5} að ljúka þessari færslu. @@ -7114,7 +7186,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Alls Greiddur Amt 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 @@ -7138,6 +7209,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Nafnlaus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,fékk frá DocType: Lead,Converted,converted DocType: Item,Has Serial No,Hefur Serial Nei +DocType: Stock Entry Detail,PO Supplied Item,PO fylgir hlutur 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} @@ -7252,7 +7324,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synch Skattar og gjöld 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Sjálfgefið BOM fyrir {0} fannst ekki +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Pikkaðu á atriði til að bæta þeim við hér @@ -7286,7 +7358,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,viðhald Dagsetning DocType: Purchase Invoice Item,Rejected Serial No,Hafnað Serial Nei apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Ár Upphafsdagur eða lokadagsetning er skörun við {0}. Til að forðast skaltu stilla fyrirtæki -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Vinsamlegast nefnt Lead Name í Lead {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Upphafsdagur ætti að vera minna en lokadagsetningu fyrir lið {0} DocType: Shift Type,Auto Attendance Settings,Stillingar sjálfvirkrar mætingar @@ -7296,9 +7367,11 @@ DocType: Upload Attendance,Upload Attendance,Hlaða Aðsókn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM og framleiðsla Magn þarf apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Ageing Range 2 DocType: SG Creation Tool Course,Max Strength,max Strength +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Reikningur {0} er þegar til hjá barnafyrirtækinu {1}. Eftirfarandi reitir hafa mismunandi gildi, þeir ættu að vera eins:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Uppsetning forstillingar DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Engin afhendingartilkynning valin fyrir viðskiptavini {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Raðir bætt við í {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Starfsmaður {0} hefur ekki hámarksbætur apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Veldu Atriði byggt á Afhendingardagur DocType: Grant Application,Has any past Grant Record,Hefur einhverjar fyrri styrkleikaskrár @@ -7342,6 +7415,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Nánari upplýsingar DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Þetta er sjálfgefna UOM sem notuð er fyrir hluti og sölupantanir. Fallback UOM er „Nei“. DocType: Purchase Invoice Item,Stock Qty,Fjöldi hluta +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 DocType: Loan,Repayment Period in Months,Lánstími í mánuði @@ -7370,6 +7444,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Afsláttur apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet fyrir verkefni. DocType: Purchase Invoice,Against Expense Account,Against kostnað reikning apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Uppsetning Ath {0} hefur þegar verið lögð fram +DocType: BOM,Raw Material Cost (Company Currency),Hráefniskostnaður (Gjaldmiðill fyrirtækisins) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Húsaleiga greiddir dagar skarast við {0} DocType: GSTR 3B Report,October,október DocType: Bank Reconciliation,Get Payment Entries,Fá greiðslu færslur @@ -7416,15 +7491,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Til staðar er hægt að nota dagsetninguna DocType: Request for Quotation,Supplier Detail,birgir Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Villa í formúlu eða ástandi: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Upphæð á reikningi +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Upphæð á reikningi apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Viðmiðunarþyngd verður að bæta allt að 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Aðsókn apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,lager vörur DocType: Sales Invoice,Update Billed Amount in Sales Order,Uppfærðu innheimta upphæð í sölupöntun +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Hafðu samband við seljanda 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/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ð DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Í orðum verður sýnileg þegar þú hefur vistað Purchase Order. @@ -7438,6 +7515,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Verðskrá húsbóndi. DocType: Task,Review Date,Review Date DocType: BOM,Allow Alternative Item,Leyfa öðru hluti +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Innkaupakvittun er ekki með neinn hlut sem varðveita sýnishorn er virkt fyrir. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Heildarfjárhæð reikninga DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Röð fyrir eignatekjur afskriftir (Journal Entry) DocType: Membership,Member Since,Meðlimur síðan @@ -7447,6 +7525,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Á Nettó 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},Gildi fyrir eigind {0} verður að vera innan þeirra marka sem {1} til {2} í þrepum {3} fyrir lið {4} DocType: Pricing Rule,Product Discount Scheme,Afsláttarkerfi vöru +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Ekkert mál hefur verið tekið upp af þeim sem hringir. DocType: Restaurant Reservation,Waitlisted,Bíddu á lista DocType: Employee Tax Exemption Declaration Category,Exemption Category,Undanþáguflokkur apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Gjaldmiðill er ekki hægt að breyta eftir að færslur með einhverja aðra mynt @@ -7460,7 +7539,6 @@ DocType: Customer Group,Parent Customer Group,Parent Group Viðskiptavinur apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON er aðeins hægt að búa til með sölureikningi apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Hámarks tilraunir til þessarar spurningakeppni náðust! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Áskrift -DocType: Purchase Invoice,Contact Email,Netfang tengiliðar apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Gjöld vegna verðtryggingar DocType: Project Template Task,Duration (Days),Lengd (dagar) DocType: Appraisal Goal,Score Earned,skora aflað @@ -7485,7 +7563,6 @@ DocType: Landed Cost Item,Landed Cost Item,Landað kostnaðarliðurinn 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Upphæð fyrir staka viðskipti er hærri en leyfileg hámarksfjárhæð, stofnaðu sérstaka greiðslufyrirmæli með því að skipta viðskiptunum" 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 @@ -7653,6 +7730,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Laus DocType: Quality Inspection Reading,Reading 3,lestur 3 DocType: Stock Entry,Source Warehouse Address,Heimild Vörugeymsla Heimilisfang DocType: GL Entry,Voucher Type,skírteini Type +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Framtíðargreiðslur 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 @@ -7679,6 +7757,7 @@ 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." DocType: Sales Invoice,Customer GSTIN,Viðskiptavinur GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Listi yfir sjúkdóma sem finnast á þessu sviði. Þegar það er valið mun það bæta sjálfkrafa lista yfir verkefni til að takast á við sjúkdóminn +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Þetta er rót heilbrigðisþjónustudeild og er ekki hægt að breyta. DocType: Asset Repair,Repair Status,Viðgerðarstaða 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ð." @@ -7693,6 +7772,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Reikningur fyrir Change Upphæð DocType: QuickBooks Migrator,Connecting to QuickBooks,Tengist við QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Heildargreiðsla / tap +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Búðu til vallista apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Party / Account passar ekki við {1} / {2} í {3} {4} DocType: Employee Promotion,Employee Promotion,Starfsmaður kynningar DocType: Maintenance Team Member,Maintenance Team Member,Viðhaldsliðsmaður @@ -7775,6 +7855,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net borga ekki vera neikvæð @@ -7806,7 +7887,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Gæðamarkmið DocType: BOM,Item to be manufactured or repacked,Liður í að framleiða eða repacked apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Setningafræði í skilningi: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Ekkert mál borið fram af viðskiptavini. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Major / valgreinum apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Vinsamlegast settu birgirhóp í kaupstillingum. @@ -7899,8 +7979,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Credit Days apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Vinsamlegast veldu Sjúklingur til að fá Lab Tests DocType: Exotel Settings,Exotel Settings,Stillingar Exotel -DocType: Leave Type,Is Carry Forward,Er bera fram +DocType: Leave Ledger Entry,Is Carry Forward,Er bera fram DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Vinnutími undir þeim er fjarverandi er merktur. (Núll til að slökkva á) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Senda skilaboð apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Fá atriði úr BOM 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 diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index 36f19b26e1..6095a538c4 100644 --- a/erpnext/translations/it.csv +++ b/erpnext/translations/it.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Notificare il fornitore apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Selezionare prima il tipo di Partner DocType: Item,Customer Items,Articoli clienti +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,passivo DocType: Project,Costing and Billing,Costi e Fatturazione apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},La valuta del conto anticipato deve essere uguale alla valuta della società {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Unità di Misura Predefinita DocType: SMS Center,All Sales Partner Contact,Tutte i contatti Partner vendite DocType: Department,Leave Approvers,Responsabili ferie DocType: Employee,Bio / Cover Letter,Biografia / Lettera di copertura +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Cerca articoli ... DocType: Patient Encounter,Investigations,indagini DocType: Restaurant Order Entry,Click Enter To Add,Fare clic su Invio per aggiungere apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Valore mancante per Password, Chiave API o URL Shopify" DocType: Employee,Rented,Affittato apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Tutti gli account apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Impossibile trasferire Employee con lo stato Left -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Ordine di Produzione fermato non può essere annullato, Sbloccare prima di cancellare" DocType: Vehicle Service,Mileage,Chilometraggio apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Vuoi davvero di accantonare questo bene? DocType: Drug Prescription,Update Schedule,Aggiorna la pianificazione @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Cliente DocType: Purchase Receipt Item,Required By,Richiesto da DocType: Delivery Note,Return Against Delivery Note,Di ritorno contro Consegna Nota DocType: Asset Category,Finance Book Detail,Dettaglio del libro finanziario +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Tutti gli ammortamenti sono stati registrati DocType: Purchase Order,% Billed,% Fatturato apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Numero del libro paga apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Tasso di cambio deve essere uguale a {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Stato scadenza Articolo Lotto apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Assegno Bancario DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Totale voci in ritardo DocType: Mode of Payment Account,Mode of Payment Account,Modalità di pagamento Conto apps/erpnext/erpnext/config/healthcare.py,Consultation,Consulto DocType: Accounts Settings,Show Payment Schedule in Print,Mostra programma pagamenti in stampa @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,In apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Dettagli del Contatto Principale apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Problemi Aperti DocType: Production Plan Item,Production Plan Item,Piano di Produzione Articolo +DocType: Leave Ledger Entry,Leave Ledger Entry,Lascia iscrizione contabile apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Utente {0} è già assegnato a Employee {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},Il campo {0} è limitato alle dimensioni {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Imp DocType: Purchase Invoice Item,Item Weight Details,Dettagli peso articolo DocType: Asset Maintenance Log,Periodicity,Periodicità apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Fiscal Year {0} è richiesto +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Utile / perdita netti DocType: Employee Group Table,ERPNext User ID,ERPSuccessivo ID utente DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,La distanza minima tra le file di piante per una crescita ottimale apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Seleziona Paziente per ottenere la procedura prescritta @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Listino prezzi di vendita DocType: Patient,Tobacco Current Use,Uso corrente di tabacco apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Tasso di vendita -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Salva il documento prima di aggiungere un nuovo account 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Fond DocType: Exchange Rate Revaluation Account,Gain/Loss,Utile / Perdita DocType: Crop,Perennial,Perenne DocType: Program,Is Published,È pubblicato +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Mostra le note di consegna apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Per consentire la fatturazione in eccesso, aggiorna "Assegno di fatturazione in eccesso" in Impostazioni account o Articolo." DocType: Patient Appointment,Procedure,Procedura DocType: Accounts Settings,Use Custom Cash Flow Format,Usa il formato del flusso di cassa personalizzato @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Lasciare i dettagli della politica DocType: BOM,Item Image (if not slideshow),Immagine Articolo (se non slideshow) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Riga n. {0}: l'operazione {1} non è stata completata per {2} quantità di prodotti finiti nell'ordine di lavoro {3}. Aggiorna lo stato dell'operazione tramite la Job Card {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} è obbligatorio per generare pagamenti di rimesse, impostare il campo e riprovare" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tasso Orario / 60) * tempo operazione effettivo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Riga # {0}: Il tipo di documento di riferimento deve essere uno dei requisiti di spesa o voce del giornale apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Seleziona la Distinta Materiali @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Rimborsare corso Numero di periodi apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,La quantità da produrre non può essere inferiore a zero DocType: Stock Entry,Additional Costs,Costi aggiuntivi +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Gruppo di clienti> Territorio apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Account con transazioni registrate non può essere convertito a gruppo. DocType: Lead,Product Enquiry,Richiesta di informazioni sui prodotti DocType: Education Settings,Validate Batch for Students in Student Group,Convalida il gruppo per gli studenti del gruppo studente @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Laureando apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Si prega di impostare il modello predefinito per lasciare notifica dello stato nelle impostazioni delle risorse umane. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,obiettivo On DocType: BOM,Total Cost,Costo totale +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Allocazione scaduta! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Numero massimo di foglie inoltrate DocType: Salary Slip,Employee Loan,prestito dipendenti DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. Mm.- DocType: Fee Schedule,Send Payment Request Email,Invia la richiesta di pagamento @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Immobi apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Estratto conto apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmaceutici DocType: Purchase Invoice Item,Is Fixed Asset,E' un Bene Strumentale +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Mostra pagamenti futuri DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Questo conto bancario è già sincronizzato DocType: Homepage,Homepage Section,Sezione della homepage @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Fertilizzante apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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. -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,è richiesta almeno una modalità di pagamento per POS fattura. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Il numero di lotto non è richiesto per l'articolo in batch {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Elemento fattura transazione conto bancario @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Selezionare i Termini e Condizion apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Valore out DocType: Bank Statement Settings Item,Bank Statement Settings Item,Elemento Impostazioni conto bancario DocType: Woocommerce Settings,Woocommerce Settings,Impostazioni Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Nome transazione DocType: Production Plan,Sales Orders,Ordini di vendita apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,"Sono stati trovati più Programmi Fedeltà per il Cliente. Per favore, selezionane uno manualmente." DocType: Purchase Taxes and Charges,Valuation,Valorizzazione @@ -460,6 +468,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Mostra solo il cliente di questi gruppi di clienti DocType: Sales Invoice,Is Opening Entry,Sta aprendo Entry @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Menzione se conto credito non standard applicabile 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 DocType: Supplier Scorecard,Criteria Setup,Definizione dei criteri di valutazione -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Prima della conferma inserire per Magazzino +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 DocType: Codification Table,Medical Code,Codice medico apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Connetti Amazon con ERPNext @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Conti bancari aggiunti -DocType: Delivery Stop,Contact Name,Nome Contatto +DocType: Call Log,Contact Name,Nome Contatto DocType: Plaid Settings,Synchronize all accounts every hour,Sincronizza tutti gli account ogni ora DocType: Course Assessment Criteria,Course Assessment Criteria,Criteri di valutazione del corso DocType: Pricing Rule Detail,Rule Applied,Regola applicata @@ -529,7 +539,6 @@ 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. -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Numero sconosciuto DocType: Website Filter Field,Website Filter Field,Campo filtro sito Web apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Tipo di fornitura DocType: Material Request Item,Min Order Qty,Qtà Minima Ordine @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Importo principale totale DocType: Student Guardian,Relation,Relazione DocType: Quiz Result,Correct,Corretta DocType: Student Guardian,Mother,Madre -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Aggiungi prima le chiavi API plaid valide in site_config.json DocType: Restaurant Reservation,Reservation End Time,Termine di prenotazione DocType: Crop,Biennial,Biennale ,BOM Variance Report,Rapporto sulla varianza delle distinte base @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Il pagamento contro {0} {1} non può essere maggiore dell'importo dovuto {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Impostazioni POS offline DocType: Stock Entry Detail,Reference Purchase Receipt,Ricevuta di acquisto di riferimento DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-Reco-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variante di -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Completato Quantità non può essere maggiore di 'Quantità di Fabbricazione' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Completato Quantità non può essere maggiore di 'Quantità di Fabbricazione' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Periodo basato su DocType: Period Closing Voucher,Closing Account Head,Chiudere Conto Primario DocType: Employee,External Work History,Storia del lavoro esterno apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Circular Error Reference apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Student Report Card apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Dal codice pin +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Mostra addetto alle vendite DocType: Appointment Type,Is Inpatient,È ospedaliero apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nome Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,In Parole (Export) sarà visibile una volta che si salva il DDT. @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Nome dimensione apps/erpnext/erpnext/healthcare/setup.py,Resistant,Resistente apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Si prega di impostare la tariffa della camera dell'hotel su {} +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: Journal Entry,Multi Currency,Multi valuta DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipo Fattura apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Valido dalla data deve essere inferiore a valido fino alla data @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Ammesso DocType: Workstation,Rent Cost,Affitto Costo 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Prossimi eventi del calendario apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Attributi Variante @@ -745,7 +758,6 @@ DocType: Request for Quotation,Request for Quotation,Richiesta di offerta 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Mostra addetto alle vendite in stampa 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 @@ -753,7 +765,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Creare un nuovo cliente apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,In scadenza apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Se più regole dei prezzi continuano a prevalere, gli utenti sono invitati a impostare manualmente la priorità per risolvere il conflitto." -DocType: Purchase Invoice,Scan Barcode,Scansione Barcode apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Creare ordini d'acquisto ,Purchase Register,Registro Acquisti apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Paziente non trovato @@ -812,6 +823,7 @@ DocType: Lead,Channel Partner,Canale Partner DocType: Account,Old Parent,Vecchio genitore apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Campo obbligatorio - Anno Accademico apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} non è associato a {2} {3} +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} @@ -854,6 +866,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Componente Stipendio per il libro paga base scheda attività. DocType: Driver,Applicable for external driver,Applicabile per driver esterno DocType: Sales Order Item,Used for Production Plan,Usato per Piano di Produzione +DocType: BOM,Total Cost (Company Currency),Costo totale (valuta dell'azienda) DocType: Loan,Total Payment,Pagamento totale apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Impossibile annullare la transazione per l'ordine di lavoro completato. DocType: Manufacturing Settings,Time Between Operations (in mins),Tempo tra le operazioni (in minuti) @@ -875,6 +888,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Notifica Altro DocType: Vital Signs,Blood Pressure (systolic),Pressione sanguigna (sistolica) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} è {2} DocType: Item Price,Valid Upto,Valido Fino a +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 . @@ -892,6 +906,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Modifiche in {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Selezionare prego DocType: Employee Skill,Employee Skill,Abilità dei dipendenti apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,account differenza @@ -935,6 +950,7 @@ DocType: Patient,Risk Factors,Fattori di rischio DocType: Patient,Occupational Hazards and Environmental Factors,Pericoli professionali e fattori ambientali apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Registrazioni azionarie già create per ordine di lavoro apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Vedi gli ordini passati +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} conversazioni DocType: Vital Signs,Respiratory rate,Frequenza respiratoria apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Gestione conto lavoro / terzista DocType: Vital Signs,Body Temperature,Temperatura corporea @@ -976,6 +992,7 @@ DocType: Purchase Invoice,Registered Composition,Composizione registrata apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Ciao apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Sposta articolo DocType: Employee Incentive,Incentive Amount,Quantità incentivante +,Employee Leave Balance Summary,Riepilogo saldo congedo dipendente DocType: Serial No,Warranty Period (Days),Periodo di garanzia (Giorni) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,L'importo totale del credito / debito dovrebbe essere uguale a quello del giorno di registrazione collegato DocType: Installation Note Item,Installation Note Item,Installazione Nota articolo @@ -989,6 +1006,7 @@ DocType: Vital Signs,Bloated,gonfio DocType: Salary Slip,Salary Slip Timesheet,Stipendio slittamento Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Magazzino Fornitore obbligatorio per ricevuta d'acquisto del conto lavoro DocType: Item Price,Valid From,Valido dal +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Il tuo punteggio: DocType: Sales Invoice,Total Commission,Commissione Totale DocType: Tax Withholding Account,Tax Withholding Account,Conto ritenuta d'acconto DocType: Pricing Rule,Sales Partner,Partner vendite @@ -996,6 +1014,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Tutti i punteggi 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 +DocType: Item,Website Image,Immagine del sito Web apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Il magazzino di destinazione nella riga {0} deve essere uguale all'ordine di lavoro apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,La valorizzazione è obbligatoria se si tratta di una disponibilità iniziale di magazzino apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nessun record trovato nella tabella Fattura @@ -1030,8 +1049,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},C 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Completa la configurazione dell'API Plaid prima di sincronizzare il tuo account 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 DocType: Job Applicant,Resume Attachment,Riprendi Allegato @@ -1043,7 +1062,6 @@ DocType: Production Plan,Production Plan,Piano di produzione DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Strumento di Creazione di Fattura Tardiva DocType: Salary Component,Round to the Nearest Integer,Arrotonda al numero intero più vicino apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Ritorno di vendite -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota: Totale foglie assegnati {0} non deve essere inferiore a foglie già approvati {1} per il periodo DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Imposta Qtà in Transazioni basate su Nessun input seriale ,Total Stock Summary,Sommario totale delle azioni apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1071,6 +1089,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Mag apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Quota capitale DocType: Loan Application,Total Payable Interest,Totale interessi passivi apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Totale in sospeso: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Apri contatto DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Timesheet Fattura di Vendita 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} @@ -1080,6 +1099,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Serie di denominazione di 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 DocType: Restaurant Reservation,Restaurant Reservation,Prenotazione Ristorante +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,I tuoi articoli apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Scrivere proposta DocType: Payment Entry Deduction,Payment Entry Deduction,Deduzione di Pagamento DocType: Service Level Priority,Service Level Priority,Priorità del livello di servizio @@ -1088,6 +1108,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Numeri in serie Lotto apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Un'altra Sales Person {0} esiste con lo stesso ID Employee DocType: Employee Advance,Claimed Amount,Importo richiesto +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Scadenza allocazione 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 @@ -1156,7 +1177,6 @@ DocType: Student Batch Name,Batch Name,Nome Lotto DocType: Fee Validity,Max number of visit,Numero massimo di visite DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Conto profitti e perdite obbligatorio ,Hotel Room Occupancy,Camera d'albergo Occupazione -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Scheda attività creata: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Si prega di impostare di default Contanti o conto bancario in Modalità di pagamento {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Iscriversi DocType: GST Settings,GST Settings,Impostazioni GST @@ -1287,6 +1307,7 @@ DocType: Sales Invoice,Commission Rate (%),Tasso Commissione (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Seleziona Programma DocType: Project,Estimated Cost,Costo stimato DocType: Request for Quotation,Link to material requests,Collegamento alle richieste di materiale +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Pubblicare apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospaziale ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Entry Carta di Credito @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Attività correnti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} non è un articolo in scorta apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Per favore, condividi i tuoi commenti con la formazione cliccando su "Informazioni sulla formazione" e poi su "Nuovo"" +DocType: Call Log,Caller Information,Informazioni sul chiamante DocType: Mode of Payment Account,Default Account,Account Predefinito apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Seleziona prima il magazzino di conservazione dei campioni in Impostazioni stock apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Seleziona il tipo di Programma a più livelli per più di una regola di raccolta. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Richieste materiale generata automaticamente DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Ore lavorative al di sotto delle quali è segnata la mezza giornata. (Zero da disabilitare) DocType: Job Card,Total Completed Qty,Qtà totale completata +DocType: HR Settings,Auto Leave Encashment,Abbandono automatico apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,perso apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Non è possibile inserire il buono nella colonna 'Against Journal Entry' DocType: Employee Benefit Application Detail,Max Benefit Amount,Ammontare massimo del beneficio @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,abbonato DocType: Item Attribute Value,Item Attribute Value,Valore Attributo Articolo apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Cambio valuta deve essere applicabile per l'acquisto o per la vendita. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,È possibile annullare solo l'allocazione scaduta DocType: Item,Maximum sample quantity that can be retained,Quantità massima di campione che può essere conservata apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},La riga {0} # articolo {1} non può essere trasferita più di {2} contro l'ordine d'acquisto {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Campagne di vendita . +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Chiamante sconosciuto DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1419,6 +1444,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Orario orar apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Nome Doc DocType: Expense Claim Detail,Expense Claim Type,Tipo Rimborso Spese DocType: Shopping Cart Settings,Default settings for Shopping Cart,Impostazioni predefinite per Carrello +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Salva articolo apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Nuova spesa apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignora quantità ordinata esistente apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Aggiungi fasce orarie @@ -1431,6 +1457,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Rivedi l'invito inviato DocType: Shift Assignment,Shift Assignment,Shift Assignment DocType: Employee Transfer Property,Employee Transfer Property,Proprietà del trasferimento dei dipendenti +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Il campo Conto capitale / responsabilità non può essere vuoto apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Dal tempo dovrebbe essere inferiore al tempo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotecnologia apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1512,11 +1539,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Orario del corso DocType: GSTR 3B Report,GSTR 3B Report,Rapporto GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Quote Status DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Stato Completamento +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},L'importo totale dei pagamenti non può essere superiore a {} DocType: Daily Work Summary Group,Select Users,Seleziona utenti DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Articolo prezzi camere DocType: Loyalty Program Collection,Tier Name,Nome del livello @@ -1554,6 +1583,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Importo DocType: Lab Test Template,Result Format,Formato risultato DocType: Expense Claim,Expenses,Spese DocType: Service Level,Support Hours,Ore di supporto +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Bolle di consegna DocType: Item Variant Attribute,Item Variant Attribute,Prodotto Modello attributo ,Purchase Receipt Trends,Acquisto Tendenze Receipt DocType: Payroll Entry,Bimonthly,ogni due mesi @@ -1576,7 +1606,6 @@ DocType: Sales Team,Incentives,Incentivi DocType: SMS Log,Requested Numbers,Numeri richiesti DocType: Volunteer,Evening,Sera DocType: Quiz,Quiz Configuration,Configurazione del quiz -DocType: Customer,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 @@ -1623,7 +1652,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Maestro ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Impossibile trovare tempo di slot nei prossimi {0} giorni per l'operazione {1} DocType: Work Order,Plan material for sub-assemblies,Materiale Piano per sub-assemblaggi 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 @@ -1638,9 +1666,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,È necessario abilitare il riordino automatico nelle Impostazioni di magazzino per mantenere i livelli di riordino. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Annulla Visite Materiale {0} prima di annullare questa visita di manutenzione DocType: Pricing Rule,Rate or Discount,Tasso o Sconto +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Coordinate bancarie DocType: Vital Signs,One Sided,Unilaterale apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serial No {0} non appartiene alla voce {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Quantità richiesta +DocType: Purchase Order Item Supplied,Required Qty,Quantità richiesta DocType: Marketplace Settings,Custom Data,Dati personalizzati apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Magazzini con transazione esistenti non possono essere convertiti in contabilità. DocType: Service Day,Service Day,Giorno di servizio @@ -1668,7 +1697,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Valuta del saldo DocType: Lab Test,Sample ID,ID del campione apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Si prega di citare Arrotondamento account in azienda -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,importo nota di debito DocType: Purchase Receipt,Range,Intervallo DocType: Supplier,Default Payable Accounts,Contabilità Fornitori Predefinita apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Employee {0} non è attiva o non esiste @@ -1709,8 +1737,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Richiesta di Informazioni DocType: Course Activity,Activity Date,Data attività apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} di {} -,LeaderBoard,Classifica DocType: Sales Invoice Item,Rate With Margin (Company Currency),Rate With Margin (Company Currency) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,categorie apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sincronizzazione Fatture Off-line DocType: Payment Request,Paid,Pagato DocType: Service Level,Default Priority,Priorità predefinita @@ -1745,11 +1773,11 @@ DocType: Agriculture Task,Agriculture Task,Attività agricola apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Proventi indiretti DocType: Student Attendance Tool,Student Attendance Tool,Strumento Presenze Studente DocType: Restaurant Menu,Price List (Auto created),Listino prezzi (creato automaticamente) +DocType: Pick List Item,Picked Qty,Qtà raccolta DocType: Cheque Print Template,Date Settings,Impostazioni della data 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 -,Company Name,Nome Azienda 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. @@ -1768,7 +1796,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Tentativo più recente 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} -DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Società di valuta) 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à @@ -1835,6 +1862,7 @@ DocType: Travel Itinerary,Train,Treno ,Delayed Item Report,Rapporto articolo ritardato apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC ammissibile DocType: Healthcare Service Unit,Inpatient Occupancy,Occupazione ospedaliera +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Pubblica i tuoi primi articoli DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tempo dopo la fine del turno durante il quale viene considerato il check-out per la frequenza. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Si prega di specificare un {0} @@ -1950,6 +1978,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Tutte le Distinte apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Crea voce di diario interaziendale DocType: Company,Parent Company,Società madre apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Le camere dell'hotel di tipo {0} non sono disponibili in {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Confronta le distinte base per le modifiche alle materie prime e alle operazioni apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Documento {0} non chiarito correttamente DocType: Healthcare Practitioner,Default Currency,Valuta Predefinita apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Riconcilia questo account @@ -1984,6 +2013,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Dettagli Fattura DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pagamento Riconciliazione fattura DocType: Clinical Procedure,Procedure Template,Modello di procedura +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Pubblica articoli apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Contributo% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Come per le impostazioni di acquisto se l'ordine di acquisto richiede == 'YES', quindi per la creazione di fattura di acquisto, l'utente deve creare l'ordine di acquisto per l'elemento {0}" ,HSN-wise-summary of outward supplies,Riassunto saggio di HSN delle forniture in uscita @@ -1996,7 +2026,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Impostare 'Applicare lo Sconto Aggiuntivo su' DocType: Party Tax Withholding Config,Applicable Percent,Percentuale applicabile ,Ordered Items To Be Billed,Articoli ordinati da fatturare -DocType: Employee Checkin,Exit Grace Period Consequence,Uscita dal periodo di tolleranza Conseguenza apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Da Campo deve essere inferiore al campo DocType: Global Defaults,Global Defaults,Predefiniti Globali apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Progetto di collaborazione Invito @@ -2004,13 +2033,11 @@ DocType: Salary Slip,Deductions,Deduzioni DocType: Setup Progress Action,Action Name,Nome azione apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Inizio Anno apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Creare un prestito -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Data finale del periodo di fatturazione corrente Avviare DocType: Shift Type,Process Attendance After,Partecipazione al processo dopo ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Lascia senza stipendio DocType: Payment Request,Outward,esterno -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Errore Pianificazione Capacità apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Imposta statale / UT ,Trial Balance for Party,Bilancio di verifica per Partner ,Gross and Net Profit Report,Rapporto sugli utili lordi e netti @@ -2029,7 +2056,6 @@ DocType: Payroll Entry,Employee Details,Dettagli Dipendente 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} -DocType: Setup Progress Action,Domains,Domini 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} @@ -2072,7 +2098,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Riunione d 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.","Modalità di pagamento non è configurato. Si prega di verificare, se account è stato impostato sulla modalità di pagamento o su POS profilo." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Lo stesso articolo non può essere inserito più volte. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ulteriori conti possono essere fatti in Gruppi, ma le voci possono essere fatte contro i non-Gruppi" -DocType: Email Campaign,Lead,Lead +DocType: Call Log,Lead,Lead DocType: Email Digest,Payables,Debiti DocType: Amazon MWS Settings,MWS Auth Token,Token di autenticazione MWS DocType: Email Campaign,Email Campaign For ,Campagna e-mail per @@ -2084,6 +2110,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Articoli dell'Ordine di Acquisto da fatturare 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 DocType: Purchase Invoice Item,Net Rate,Tasso Netto apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Seleziona un cliente DocType: Leave Policy,Leave Allocations,Lascia allocazioni @@ -2097,6 +2124,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Chiudi Problema dopo giorni ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Devi essere un utente con i ruoli di System Manager e Item Manager per aggiungere utenti al Marketplace. +DocType: Attendance,Early Exit,Uscita anticipata DocType: Job Opening,Staffing Plan,Piano del personale apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON può essere generato solo da un documento inviato apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Imposta sui dipendenti e benefici @@ -2117,6 +2145,7 @@ DocType: Maintenance Team Member,Maintenance Role,Ruolo di manutenzione apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Fila Duplicate {0} con lo stesso {1} DocType: Marketplace Settings,Disable Marketplace,Disabilita Marketplace DocType: Quality Meeting,Minutes,Minuti +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,I tuoi articoli in vetrina ,Trial Balance,Bilancio di verifica apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Mostra completata apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Anno fiscale {0} non trovato @@ -2126,8 +2155,8 @@ 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 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- -DocType: Shift Type,Consequence,Conseguenza DocType: Subscription Settings,Subscription Settings,Impostazioni di abbonamento DocType: Purchase Invoice,Update Auto Repeat Reference,Aggiorna riferimento auto ripetuto apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Elenco festività facoltativo non impostato per periodo di ferie {0} @@ -2138,7 +2167,6 @@ DocType: Maintenance Visit Purpose,Work Done,Attività svolta apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Specifica almeno un attributo nella tabella Attributi DocType: Announcement,All Students,Tutti gli studenti apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Voce {0} deve essere un elemento non-azione -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Banca Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,vista Ledger DocType: Grading Scale,Intervals,intervalli DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transazioni riconciliate @@ -2174,6 +2202,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Opportunità articolo DocType: Quality Action,Quality Review,Revisione della qualità @@ -2200,7 +2229,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Ottieni fatture non saldate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Sales Order {0} non è valido +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Gli ordini di acquisto ti aiutano a pianificare e monitorare i tuoi acquisti apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Prescrizioni di laboratorio @@ -2225,6 +2254,7 @@ DocType: Employee Onboarding,Notify users by email,Notifica agli utenti via e-ma DocType: Travel Request,International,Internazionale DocType: Training Event,Training Event,Evento di formazione DocType: Item,Auto re-order,Auto riordino +DocType: Attendance,Late Entry,Ingresso ritardato apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Totale Raggiunto DocType: Employee,Place of Issue,Luogo di emissione DocType: Promotional Scheme,Promotional Scheme Price Discount,Sconto sul prezzo del regime promozionale @@ -2271,6 +2301,7 @@ DocType: Serial No,Serial No Details,Serial No Dettagli DocType: Purchase Invoice Item,Item Tax Rate,Articolo Tax Rate apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Dal nome del partito apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Importo salariale netto +DocType: Pick List,Delivery against Sales Order,Consegna contro ordine cliente DocType: Student Group Student,Group Roll Number,Numero di rotolo di gruppo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Per {0}, solo i conti di credito possono essere collegati contro un'altra voce di addebito" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Il Documento di Trasporto {0} non è confermato @@ -2342,7 +2373,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Questo valore viene utilizzato per il calcolo del tempo pro-rata apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,È necessario abilitare Carrello DocType: Payment Entry,Writeoff,Svalutazione DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2356,6 +2386,7 @@ DocType: Delivery Trip,Total Estimated Distance,Distanza totale stimata DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Contabilità clienti Conto non pagato DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Sfoglia BOM +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Non è consentito creare una dimensione contabile per {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Aggiorna il tuo stato per questo evento di addestramento DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Aggiungi o Sottrai @@ -2365,7 +2396,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Articoli di vendita inattivi DocType: Quality Review,Additional Information,Informazioni aggiuntive apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Totale valore di ordine -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Ripristino dell'accordo sul livello di servizio. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,cibo apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Gamma invecchiamento 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Chiusura dei dettagli del voucher @@ -2412,6 +2442,7 @@ 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 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' DocType: Healthcare Practitioner,Contacts and Address,Contatti e indirizzo DocType: Shift Type,Determine Check-in and Check-out,Determinare il check-in e il check-out @@ -2431,7 +2462,6 @@ DocType: Student Admission,Eligibility and Details,Eligibilità e dettagli apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Incluso nell'utile lordo apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Variazione netta delle immobilizzazioni apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Codice cliente apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Carica di tipo ' Actual ' in riga {0} non può essere incluso nella voce Tasso apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Da Datetime @@ -2500,6 +2530,7 @@ DocType: Journal Entry Account,Account Balance,Saldo a bilancio apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}:Per la Contabilità Clienti è necessario specificare un Cliente {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totale tasse e spese (Azienda valuta) DocType: Weather,Weather Parameter,Parametro meteorologico @@ -2562,6 +2593,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Soglia di orario di lavor apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Ci può essere un fattore di raccolta a più livelli basato sul totale speso. Ma il fattore di conversione per la redenzione sarà sempre lo stesso per tutto il livello. apps/erpnext/erpnext/config/help.py,Item Variants,Varianti Voce apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Servizi +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,DBA 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,E-mail busta paga per i dipendenti DocType: Cost Center,Parent Cost Center,Centro di costo padre @@ -2572,7 +2604,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","S DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importa le note di consegna da Shopify alla spedizione apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Mostra chiusi DocType: Issue Priority,Issue Priority,Priorità al problema -DocType: Leave Type,Is Leave Without Pay,È ferie senza stipendio +DocType: Leave Ledger Entry,Is Leave Without Pay,È ferie senza stipendio apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset categoria è obbligatoria per voce delle immobilizzazioni DocType: Fee Validity,Fee Validity,Validità della tariffa @@ -2621,6 +2653,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Disponibile Quantit apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Aggiornamento Formato di Stampa DocType: Bank Account,Is Company Account,È un account aziendale apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Lasciare il tipo {0} non è incassabile +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Il limite di credito è già definito per la società {0} DocType: Landed Cost Voucher,Landed Cost Help,Landed Cost Aiuto DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Selezionare l'indirizzo di spedizione @@ -2645,6 +2678,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,A doppio senso DocType: Item,Manufacturers,Produttori @@ -2681,7 +2715,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Prospetto di Riconciliazione Banca DocType: Patient Encounter,Medical Coding,Codifica medica DocType: Healthcare Settings,Reminder Message,Messaggio di promemoria -,Lead Name,Nome Lead +DocType: Call Log,Lead Name,Nome Lead ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,prospezione @@ -2713,12 +2747,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Magazzino Fornitore DocType: Opportunity,Contact Mobile No,Cellulare Contatto apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Seleziona Azienda ,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: 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- 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.,L'utente {0} non ha alcun profilo POS predefinito. Controlla predefinito alla riga {1} per questo utente. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Verbale della riunione di qualità +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornitore> Tipo di fornitore apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Referral dei dipendenti DocType: Student Group,Set 0 for no limit,Impostare 0 per nessun limite apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Le giornate per cui si stanno segnando le ferie sono già di vacanze. Non è necessario chiedere un permesso. @@ -2752,12 +2788,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Variazione netta delle disponibilità DocType: Assessment Plan,Grading Scale,Scala di classificazione apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unità di misura {0} è stata inserita più volte nella tabella di conversione -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Già completato apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock in mano apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Aggiungi i restanti benefici {0} all'applicazione come componente \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Si prega di impostare il codice fiscale per la pubblica amministrazione '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Richiesta di Pagamento già esistente {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Costo di elementi Emesso DocType: Healthcare Practitioner,Hospital,Ospedale apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Quantità non deve essere superiore a {0} @@ -2802,6 +2836,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Risorse Umane apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Reddito superiore DocType: Item Manufacturer,Item Manufacturer,Articolo Manufacturer +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Crea nuovo lead DocType: BOM Operation,Batch Size,Dimensione del lotto apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Rifiutare DocType: Journal Entry Account,Debit in Company Currency,Addebito nella valuta della società @@ -2822,9 +2857,11 @@ DocType: Bank Transaction,Reconciled,riconciliati DocType: Expense Claim,Total Amount Reimbursed,Dell'importo totale rimborsato apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Questo si basa su tronchi contro questo veicolo. Vedere cronologia sotto per i dettagli apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,La data del libro paga non può essere inferiore alla data di iscrizione del dipendente +DocType: Pick List,Item Locations,Posizioni degli articoli apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} creato apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Aperture di lavoro per la designazione {0} già aperte \ o assunzioni completate secondo il piano di personale {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Puoi pubblicare fino a 200 articoli. DocType: Vital Signs,Constipated,Stitico apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Al ricevimento della Fattura Fornitore {0} datata {1} DocType: Customer,Default Price List,Listino Prezzi Predefinito @@ -2916,6 +2953,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Sposta Avvio effettivo DocType: Tally Migration,Is Day Book Data Imported,Vengono importati i dati del Day Book apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Spese di Marketing +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} unità di {1} non sono disponibili. ,Item Shortage Report,Report Carenza Articolo 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 @@ -2938,6 +2976,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 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 DocType: Material Request,Transferred,trasferito DocType: Vehicle,Doors,Porte @@ -3017,7 +3056,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Codice elemento Cliente DocType: Stock Reconciliation,Stock Reconciliation,Riconciliazione Giacenza DocType: Territory,Territory Name,Territorio Nome DocType: Email Digest,Purchase Orders to Receive,Ordini d'acquisto da ricevere -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Specificare il magazzino Work- in- Progress prima della Conferma +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Specificare il magazzino Work- in- Progress prima della Conferma apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Puoi avere solo piani con lo stesso ciclo di fatturazione in un abbonamento DocType: Bank Statement Transaction Settings Item,Mapped Data,Dati mappati DocType: Purchase Order Item,Warehouse and Reference,Magazzino e Riferimenti @@ -3091,6 +3130,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Impostazioni di consegna apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Recupera dati apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Permesso massimo permesso nel tipo di permesso {0} è {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Pubblica 1 oggetto DocType: SMS Center,Create Receiver List,Crea Elenco Ricezione DocType: Student Applicant,LMS Only,Solo LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Data disponibile per l'uso dovrebbe essere successiva alla data di acquisto @@ -3124,6 +3164,7 @@ 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 DocType: Vital Signs,Furry,Peloso apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Si prega di impostare 'Conto / perdita di guadagno su Asset Disposal' in compagnia {0} +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} @@ -3135,6 +3176,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Visualizza tutti i problemi da {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tavolo riunioni di qualità +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/templates/pages/help.html,Visit the forums,Visita i forum DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Ha varianti @@ -3145,9 +3187,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Nome della distribuzione mensile DocType: Quality Procedure Process,Quality Procedure Process,Processo di procedura di qualità apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,L'ID batch è obbligatorio +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Seleziona prima il cliente DocType: Sales Person,Parent Sales Person,Agente di vendita padre apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Nessun articolo da ricevere è in ritardo apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Il venditore e l'acquirente non possono essere uguali +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Ancora nessuna vista DocType: Project,Collect Progress,Raccogli progressi DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Selezionare prima il programma @@ -3169,11 +3213,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Raggiunto DocType: Student Admission,Application Form Route,Modulo di domanda di percorso apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,La data di fine dell'accordo non può essere inferiore a oggi. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Invio per inviare DocType: Healthcare Settings,Patient Encounters in valid days,Incontri pazienti in giorni validi apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Lascia tipo {0} non può essere assegnato in quanto si lascia senza paga 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},Riga {0}: l'importo assegnato {1} deve essere inferiore o uguale alla fatturazione dell'importo dovuto {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In parole saranno visibili una volta che si salva la fattura di vendita. DocType: Lead,Follow Up,Seguito +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Centro di costo: {0} non esiste DocType: Item,Is Sales Item,È Voce vendite apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Struttura Gruppo Articoli apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,L'articolo {0} non ha Numeri di Serie. Verifica l'Articolo Principale @@ -3218,9 +3264,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Dotazione Qtà DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Voce di richiesta materiale -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Si prega di cancellare prima la ricevuta d'acquisto {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Albero di gruppi di articoli . DocType: Production Plan,Total Produced Qty,Quantità totale prodotta +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Ancora nessuna recensione apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Non può consultare numero di riga maggiore o uguale al numero di riga corrente per questo tipo di carica DocType: Asset,Sold,Venduto ,Item-wise Purchase History,Cronologia acquisti per articolo @@ -3239,7 +3285,7 @@ DocType: Designation,Required Skills,Competenze richieste DocType: Inpatient Record,O Positive,O positivo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investimenti DocType: Issue,Resolution Details,Dettagli risoluzione -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Tipo di transazione +DocType: Leave Ledger Entry,Transaction Type,Tipo di transazione DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criterio di accettazione apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Si prega di inserire richieste materiale nella tabella di cui sopra apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nessun rimborso disponibile per l'inserimento prima nota @@ -3280,6 +3326,7 @@ DocType: Bank Account,Bank Account No,Conto bancario N. DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Presentazione della prova di esenzione fiscale dei dipendenti DocType: Patient,Surgical History,Storia chirurgica DocType: Bank Statement Settings Item,Mapped Header,Intestazione mappata +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: 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à. 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} @@ -3347,7 +3394,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Aggiungi carta intestata DocType: Program Enrollment,Self-Driving Vehicle,Autovettura 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totale ferie assegnata {0} non possono essere inferiori a ferie già approvate {1} per il periodo DocType: Contract Fulfilment Checklist,Requirement,Requisiti DocType: Journal Entry,Accounts Receivable,Conti esigibili DocType: Quality Goal,Objectives,obiettivi @@ -3370,7 +3416,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Soglia singola transa DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Questo valore viene aggiornato nell'elenco dei prezzi di vendita predefinito. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Il tuo carrello è vuoto DocType: Email Digest,New Expenses,nuove spese -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Quantità PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Impossibile ottimizzare il percorso poiché manca l'indirizzo del driver. DocType: Shareholder,Shareholder,Azionista DocType: Purchase Invoice,Additional Discount Amount,Importo Sconto Aggiuntivo @@ -3407,6 +3452,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Compito di manutenzione apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Imposta il limite B2C nelle impostazioni GST. DocType: Marketplace Settings,Marketplace Settings,Impostazioni del Marketplace DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magazzino dove si conservano Giacenze di Articoli Rifiutati +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Pubblica {0} elementi 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,Impossibile trovare il tasso di cambio per {0} a {1} per la data chiave {2}. Si prega di creare un record Exchange Exchange manualmente DocType: POS Profile,Price List,Listino Prezzi 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 . @@ -3443,6 +3489,7 @@ DocType: Salary Component,Deduction,Deduzioni DocType: Item,Retain Sample,Conservare il campione apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Riga {0}: From Time To Time ed è obbligatoria. DocType: Stock Reconciliation Item,Amount Difference,Differenza importo +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Questa pagina tiene traccia degli articoli che desideri acquistare dai venditori. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Prezzo Articolo aggiunto per {0} in Listino Prezzi {1} DocType: Delivery Stop,Order Information,Informazioni sull'ordine apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Inserisci ID dipendente di questa persona di vendite @@ -3471,6 +3518,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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**. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nome del piano di valutazione apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Dettagli target apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Applicabile se la società è SpA, SApA o SRL" @@ -3523,7 +3571,6 @@ DocType: Company,Transactions Annual History,Transazioni Storia annuale 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Sopra 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 @@ -3575,6 +3622,7 @@ DocType: Grading Scale,Grading Scale Intervals,Intervalli di classificazione di 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,profitto dell'anno 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 @@ -3628,12 +3676,10 @@ DocType: Supplier Scorecard,Scoring Setup,Impostazione del punteggio apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elettronica 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Nessun numero GST trovato per l'azienda. 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 DocType: Question,Single Correct Answer,Risposta corretta singola -DocType: Employee,Contact Details,Dettagli Contatto DocType: C-Form,Received Date,Data Received 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 è stato creato un modello standard di imposte delle entrate e oneri modello, selezionare uno e fare clic sul pulsante qui sotto." DocType: BOM Scrap Item,Basic Amount (Company Currency),Importo di base (Società di valuta) @@ -3663,12 +3709,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Pagina web DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,Punteggio del fornitore apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Pianifica l'ammissione +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,L'importo della richiesta di pagamento totale non può essere superiore all'importo di {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Soglia cumulativa delle transazioni DocType: Promotional Scheme Price Discount,Discount Type,Tipo di sconto -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Importo Totale Fatturato DocType: Purchase Invoice Item,Is Free Item,È un articolo gratuito +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Percentuale che ti è consentito trasferire di più rispetto alla quantità ordinata. Ad esempio: se hai ordinato 100 unità. e la tua indennità è del 10%, ti è permesso trasferire 110 unità." DocType: Supplier,Warn RFQs,Avvisare in caso RFQ -apps/erpnext/erpnext/templates/pages/home.html,Explore,Esplora +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Esplora DocType: BOM,Conversion Rate,Tasso di conversione apps/erpnext/erpnext/www/all-products/index.html,Product Search,Ricerca prodotto ,Bank Remittance,Rimessa bancaria @@ -3680,6 +3727,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Importo totale pagato DocType: Asset,Insurance End Date,Data di fine dell'assicurazione apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Si prega di scegliere l'ammissione all'allievo che è obbligatoria per il candidato scolastico pagato +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Elenco dei budget DocType: Campaign,Campaign Schedules,Pianificazioni della campagna DocType: Job Card Time Log,Completed Qty,Q.tà Completata @@ -3702,6 +3750,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Nuovo ind DocType: Quality Inspection,Sample Size,Dimensione del campione apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Si prega di inserire prima il Documento di Ricevimento apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Tutti gli articoli sono già stati fatturati +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Foglie prese apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Si prega di specificare una valida 'Dalla sentenza n' 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,Ulteriori centri di costo possono essere fatte in Gruppi ma le voci possono essere fatte contro i non-Gruppi 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,Le ferie allocate totali sono più giorni dell'assegnazione massima del tipo di permesso {0} per il dipendente {1} nel periodo @@ -3801,6 +3850,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Includi tut 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 DocType: Leave Block List,Allow Users,Consenti Utenti 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: 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. @@ -3854,6 +3905,7 @@ DocType: Support Search Source,Result Title Field,Campo del titolo del risultato apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Riepilogo chiamate DocType: Sample Collection,Collected Time,Tempo raccolto DocType: Employee Skill Map,Employee Skills,Competenze dei dipendenti +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Spese di carburante DocType: Company,Sales Monthly History,Vendite storiche mensili apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Si prega di impostare almeno una riga nella tabella Imposte e spese DocType: Asset Maintenance Task,Next Due Date,Prossima data di scadenza @@ -3863,6 +3915,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Segni vit DocType: Payment Entry,Payment Deductions or Loss,"Trattenute, Deduzioni di pagamento o Perdite" DocType: Soil Analysis,Soil Analysis Criterias,Criteri di analisi del suolo apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Condizioni contrattuali standard per la vendita o di acquisto. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Righe rimosse in {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Inizia il check-in prima dell'orario di inizio turno (in minuti) DocType: BOM Item,Item operation,Operazione articolo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Raggruppa per Voucher @@ -3888,11 +3941,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Foglio paga del dipendente {0} già creato per questo periodo apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmaceutico apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,È possibile inviare solo escissione per un importo di incasso valido +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Articoli di apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Costo dei beni acquistati DocType: Employee Separation,Employee Separation Template,Modello di separazione dei dipendenti DocType: Selling Settings,Sales Order Required,Ordine di Vendita richiesto apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Diventa un venditore -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Il numero di occorrenze dopo il quale viene eseguita la conseguenza. ,Procurement Tracker,Tracker acquisti DocType: Purchase Invoice,Credit To,Credito a apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC invertito @@ -3905,6 +3958,7 @@ DocType: Quality Meeting,Agenda,ordine del giorno DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Dettaglio programma di manutenzione DocType: Supplier Scorecard,Warn for new Purchase Orders,Avvisa per i nuovi ordini di acquisto DocType: Quality Inspection Reading,Reading 9,Lettura 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Collega il tuo account Exotel a ERPNext e traccia i registri delle chiamate DocType: Supplier,Is Frozen,È Congelato DocType: Tally Migration,Processed Files,File elaborati apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,magazzino nodo di gruppo non è permesso di selezionare per le transazioni @@ -3914,6 +3968,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,N. BOM per quantit DocType: Upload Attendance,Attendance To Date,Data Fine Frequenza 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 @@ -3938,7 +3993,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Richiedente apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Riferimento non valido {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regole per l'applicazione di diversi schemi promozionali. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) non può essere superiore alla quantità pianificata ({2}) nell'ordine di produzione {3} DocType: Shipping Rule,Shipping Rule Label,Etichetta Tipo di Spedizione DocType: Journal Entry Account,Payroll Entry,Inserimento in libro paga apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Visualizza i record delle commissioni @@ -3950,6 +4004,7 @@ DocType: Contract,Fulfilment Status,Stato di adempimento DocType: Lab Test Sample,Lab Test Sample,Campione di prova da laboratorio DocType: Item Variant Settings,Allow Rename Attribute Value,Consenti Rinomina valore attributo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Breve diario +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Importo pagamento futuro apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Non è possibile cambiare tariffa se la Distinta Base è già assegnata a un articolo DocType: Restaurant,Invoice Series Prefix,Prefisso della serie di fatture DocType: Employee,Previous Work Experience,Precedente Esperienza Lavoro @@ -3979,6 +4034,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Stato del progetto DocType: UOM,Check this to disallow fractions. (for Nos),Seleziona per disabilitare frazioni. (per NOS) DocType: Student Admission Program,Naming Series (for Student Applicant),Denominazione Serie (per studenti candidati) +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/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 @@ -3994,6 +4050,7 @@ DocType: Fiscal Year,Year End Date,Data di fine anno DocType: Task Depends On,Task Depends On,L'attività dipende da apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Opportunità DocType: Options,Option,Opzione +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Non è possibile creare voci contabili nel periodo contabile chiuso {0} DocType: Operation,Default Workstation,Workstation predefinita DocType: Payment Entry,Deductions or Loss,"Trattenute, Deduzioni o Perdite" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} è stato chiuso @@ -4002,6 +4059,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Richiedi disponibilità DocType: Purchase Invoice,ineligible,ineleggibile apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Albero di Bill of Materials +DocType: BOM,Exploded Items,Articoli esplosi DocType: Student,Joining Date,Unire Data ,Employees working on a holiday,I dipendenti che lavorano in un giorno festivo ,TDS Computation Summary,Riepilogo dei calcoli TDS @@ -4034,6 +4092,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Valore base (come da U DocType: SMS Log,No of Requested SMS,Num. di SMS richiesto apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Lascia senza pagare non corrisponde con i record Leave Application approvati apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Prossimi passi +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Articoli salvati DocType: Travel Request,Domestic,Domestico apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Si prega di fornire gli elementi specificati ai migliori prezzi possibili apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Il trasferimento del dipendente non può essere inoltrato prima della data di trasferimento @@ -4106,7 +4165,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Asset Categoria account apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Il valore {0} è già assegnato a un elemento esistente {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Riga # {0} (Tabella pagamenti): l'importo deve essere positivo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Non può produrre più Voce {0} di Sales Order quantità {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Non può produrre più Voce {0} di Sales Order quantità {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Niente è incluso in lordo apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill esiste già per questo documento apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Seleziona i valori degli attributi @@ -4141,12 +4200,10 @@ 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à -DocType: Shift Type,Enable Different Consequence for Early Exit,Abilita conseguenze diverse per l'uscita anticipata ,Lab Test Report,Report dei test di laboratorio DocType: Employee Benefit Application,Employee Benefit Application,Applicazione per il beneficio dei dipendenti 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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Si prega di compilare prima il DDT DocType: Student Applicant,Application Date,Data di applicazione DocType: Salary Component,Amount based on formula,Importo basato sul formula DocType: Purchase Invoice,Currency and Price List,Listino Prezzi e Valuta @@ -4175,6 +4232,7 @@ DocType: Purchase Receipt,Time at which materials were received,Ora in cui sono DocType: Products Settings,Products per Page,Prodotti per pagina 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,L'importo assegnato non può essere negativo DocType: Sales Order,Billing Status,Stato Fatturazione apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Segnala un Problema @@ -4184,6 +4242,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-Sopra 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,Row # {0}: diario {1} non ha conto {2} o già confrontato con un altro buono DocType: Supplier Scorecard Criteria,Criteria Weight,Peso +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Account: {0} non è consentito in Voce pagamento DocType: Production Plan,Ignore Existing Projected Quantity,Ignora quantità prevista esistente apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Lascia la notifica di approvazione DocType: Buying Settings,Default Buying Price List,Prezzo di acquisto predefinito @@ -4192,6 +4251,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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" DocType: Payment Entry,Payment Type,Tipo di pagamento apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Seleziona un batch per l'articolo {0}. Impossibile trovare un unico batch che soddisfi questo requisito @@ -4220,6 +4280,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Carrello Impostazioni DocType: Journal Entry,Accounting Entries,Scritture contabili 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"." +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 DocType: Journal Entry,Paid Loan,Prestito a pagamento 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 @@ -4236,12 +4297,14 @@ DocType: Shopify Settings,Webhooks Details,Dettagli Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Non ci sono fogli di presenza DocType: GoCardless Mandate,GoCardless Customer,Cliente GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Lascia tipo {0} non può essere trasmessa carry- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Programma di manutenzione non generato per tutte le voci. Rieseguire 'Genera Programma' ,To Produce,per produrre DocType: Leave Encashment,Payroll,Libro paga 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","Per riga {0} a {1}. Per includere {2} a tasso Item, righe {3} deve essere inclusa anche" DocType: Healthcare Service Unit,Parent Service Unit,Unità di servizio padr DocType: Packing Slip,Identification of the package for the delivery (for print),Identificazione del pacchetto per la consegna (per la stampa) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,L'accordo sul livello di servizio è stato ripristinato. DocType: Bin,Reserved Quantity,Riservato Quantità apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Inserisci indirizzo email valido DocType: Volunteer Skill,Volunteer Skill,Abilità volontaria @@ -4262,7 +4325,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Prezzo o sconto sul prodotto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Per la riga {0}: inserisci qtà pianificata DocType: Account,Income Account,Conto Proventi -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Gruppo di clienti> Territorio DocType: Payment Request,Amount in customer's currency,Importo nella valuta del cliente apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Consegna apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Assegnazione strutture... @@ -4285,6 +4347,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Perderai i record delle fatture generate in precedenza. Sei sicuro di voler riavviare questo abbonamento? @@ -4340,11 +4403,10 @@ DocType: Additional Salary,HR User,HR utente DocType: Bank Guarantee,Reference Document Name,Nome del documento di riferimento DocType: Purchase Invoice,Taxes and Charges Deducted,Tasse e oneri dedotti DocType: Support Settings,Issues,Problemi -DocType: Shift Type,Early Exit Consequence after,Uscita anticipata Conseguenza dopo DocType: Loyalty Program,Loyalty Program Name,Nome del programma di fidelizzazione apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Stato deve essere uno dei {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Promemoria per aggiornare GSTIN inviato -DocType: Sales Invoice,Debit To,Addebito a +DocType: Discounted Invoice,Debit To,Addebito a DocType: Restaurant Menu Item,Restaurant Menu Item,Menu del menu del ristorante DocType: Delivery Note,Required only for sample item.,Richiesto solo per la voce di esempio. DocType: Stock Ledger Entry,Actual Qty After Transaction,Q.tà reale post-transazione @@ -4427,6 +4489,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Nome del parametro apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Solo le autorizzazioni con lo stato 'Approvato' o 'Rifiutato' possono essere confermate apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Creazione di quote ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Student Nome gruppo è obbligatoria in riga {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Bypass credit limit_check DocType: Homepage,Products to be shown on website homepage,Prodotti da mostrare sulla home page del sito DocType: HR Settings,Password Policy,Politica sulla password apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Si tratta di un gruppo di clienti root e non può essere modificato . @@ -4485,10 +4548,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Se p apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Impostare il cliente predefinito in Impostazioni ristorante ,Salary Register,stipendio Register DocType: Company,Default warehouse for Sales Return,Magazzino predefinito per il reso -DocType: Warehouse,Parent Warehouse,Magazzino padre +DocType: Pick List,Parent Warehouse,Magazzino padre DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definire i vari tipi di prestito DocType: Bin,FCFS Rate,FCFS Rate @@ -4525,6 +4588,7 @@ DocType: Travel Itinerary,Lodging Required,Alloggio richiesto DocType: Promotional Scheme,Price Discount Slabs,Lastre scontate di prezzo DocType: Stock Reconciliation Item,Current Serial No,Numero di serie attuale DocType: Employee,Attendance and Leave Details,Presenze e dettagli sui dettagli +,BOM Comparison Tool,Strumento di confronto della distinta base ,Requested,richiesto apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Nessun Commento DocType: Asset,In Maintenance,In manutenzione @@ -4547,6 +4611,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Accordo sul livello di servizio predefinito DocType: SG Creation Tool Course,Course Code,Codice del corso apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Non è consentita più di una selezione per {0} +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,La quantità di materie prime verrà decisa in base alla quantità dell'articolo finito DocType: Location,Parent Location,Posizione padre DocType: POS Settings,Use POS in Offline Mode,Utilizza POS in modalità Offline apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,La priorità è stata cambiata in {0}. @@ -4565,7 +4630,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Magazzino di conservazione de DocType: Company,Default Receivable Account,Account Crediti Predefinito apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Formula quantità proiettata DocType: Sales Invoice,Deemed Export,Deemed Export -DocType: Stock Entry,Material Transfer for Manufacture,Trasferimento materiali per Produzione +DocType: Pick List,Material Transfer for Manufacture,Trasferimento materiali per Produzione 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.,Percentuale di sconto può essere applicato sia contro un listino prezzi o per tutti Listino. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Voce contabilità per giacenza DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4608,7 +4673,6 @@ DocType: Training Event,Theory,Teoria apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Attenzione : Materiale Qty richiesto è inferiore minima quantità apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Il Conto {0} è congelato DocType: Quiz Question,Quiz Question,Quiz -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornitore> Tipo di fornitore 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" @@ -4639,6 +4703,7 @@ 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 DocType: Account,Expense Account,Conto uscite apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,software apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Colore @@ -4676,6 +4741,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Gestire punti vend 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 DocType: Fee Validity,Visited yet,Visitato ancora +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Puoi presentare fino a 8 elementi. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Magazzini con transazione esistenti non possono essere convertiti in gruppo. 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. @@ -4683,7 +4749,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Articoli_esplosi 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 @@ -4708,7 +4773,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Conversione UOM in DocType: Contract,Signee Details,Dettagli del firmatario apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} è attualmente in possesso di una valutazione (Scorecard) del fornitore pari a {1} e le RFQ a questo fornitore dovrebbero essere inviate con cautela. DocType: Certified Consultant,Non Profit Manager,Manager non profit -DocType: BOM,Total Cost(Company Currency),Costo totale (Società di valuta) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serial No {0} creato DocType: Homepage,Company Description for website homepage,Descrizione per la home page del sito DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Per la comodità dei clienti, questi codici possono essere utilizzati in formati di stampa, come fatture e Documenti di Trasporto" @@ -4736,7 +4800,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Ricevuta DocType: Amazon MWS Settings,Enable Scheduled Synch,Abilita sincronizzazione programmata apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Per Data Ora apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,I registri per il mantenimento dello stato di consegna sms -DocType: Shift Type,Early Exit Consequence,Conseguenza dell'uscita anticipata DocType: Accounts Settings,Make Payment via Journal Entry,Effettua il pagamento tramite Registrazione Contabile apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Non creare più di 500 elementi alla volta apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Stampato su @@ -4793,6 +4856,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,limite Crossed 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Data di fondazione apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,capitale a rischio apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Un termine accademico con questo 'Anno Accademico' {0} e 'Term Nome' {1} esiste già. Si prega di modificare queste voci e riprovare. @@ -4854,6 +4918,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,tipo di cliente DocType: Compensatory Leave Request,Leave Allocation,Alloca Permessi DocType: Payment Request,Recipient Message And Payment Details,Destinatario del Messaggio e Modalità di Pagamento +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Seleziona una bolla di consegna DocType: Support Search Source,Source DocType,Fonte DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Apri un nuovo ticket DocType: Training Event,Trainer Email,Trainer-mail @@ -4974,6 +5039,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',' Dalla Data' deve essere successivo a 'Alla Data' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Nessun piano di personale trovato per questa designazione apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Il lotto {0} dell'articolo {1} è disabilitato. @@ -4995,7 +5061,7 @@ DocType: Clinical Procedure,Patient,Paziente apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Bypassare il controllo del credito in ordine cliente DocType: Employee Onboarding Activity,Employee Onboarding Activity,Attività di assunzione dei dipendenti DocType: Location,Check if it is a hydroponic unit,Controlla se è un'unità idroponica -DocType: Stock Reconciliation Item,Serial No and Batch,N. di serie e batch +DocType: Pick List Item,Serial No and Batch,N. di serie e batch DocType: Warranty Claim,From Company,Da Azienda DocType: GSTR 3B Report,January,gennaio apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Somma dei punteggi di criteri di valutazione deve essere {0}. @@ -5019,7 +5085,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Sconto ( 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nessun {0} trovato per transazioni interaziendali. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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 @@ -5052,11 +5117,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centro di co 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Disponibile DocType: Appraisal,Appraisal,Valutazione DocType: Loan,Loan Account,Conto del prestito apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,I campi validi da e validi fino a sono obbligatori per l'accumulatore +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Per l'articolo {0} alla riga {1}, il conteggio dei numeri di serie non corrisponde alla quantità selezionata" DocType: Purchase Invoice,GST Details,Dettagli GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Questo si basa sulle transazioni contro questo operatore sanitario. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-mail inviata al fornitore {0} @@ -5120,6 +5187,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Il peso lordo del pacchetto. Di solito peso netto + peso materiale di imballaggio. (Per la stampa) DocType: Assessment Plan,Program,Programma DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Gli utenti con questo ruolo sono autorizzati a impostare conti congelati e creare / modificare le voci contabili nei confronti di conti congelati +DocType: Plaid Settings,Plaid Environment,Ambiente plaid ,Project Billing Summary,Riepilogo fatturazione progetto DocType: Vital Signs,Cuts,tagli DocType: Serial No,Is Cancelled,È Annullato @@ -5181,7 +5249,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota : Il sistema non controlla over - consegna e over -booking per la voce {0} come la quantità o la quantità è 0 DocType: Issue,Opening Date,Data di apertura apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Si prega di salvare prima il paziente -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Crea nuovo contatto apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,La partecipazione è stata segnata con successo. DocType: Program Enrollment,Public Transport,Trasporto pubblico DocType: Sales Invoice,GST Vehicle Type,Tipo di veicolo GST @@ -5207,6 +5274,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Fatture eme 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Aggiungi prima gli elementi nella tabella Posizioni degli articoli DocType: Pricing Rule,Discount Amount,Importo sconto DocType: Pricing Rule,Period Settings,Impostazioni del periodo DocType: Purchase Invoice,Return Against Purchase Invoice,Ritorno Contro Acquisto Fattura @@ -5239,7 +5307,6 @@ DocType: Assessment Plan,Assessment Plan,Piano di valutazione DocType: Travel Request,Fully Sponsored,Completamente sponsorizzato apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Entrata di giornale inversa apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Crea Job Card -DocType: Shift Type,Consequence after,Conseguenza dopo DocType: Quality Procedure Process,Process Description,Descrizione del processo apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Cliente {0} creato. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Articolo attualmente non presente in nessun magazzino @@ -5274,6 +5341,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Data Liquidazione DocType: Delivery Settings,Dispatch Notification Template,Modello di notifica spedizione apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Rapporto della valutazione apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Ottieni dipendenti +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 @@ -5367,7 +5435,6 @@ DocType: Stock Settings,Use Naming Series,Utilizzare le serie di denominazione apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Nessuna azione apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Spese tipo di valutazione non possono contrassegnata come Inclusive DocType: POS Profile,Update Stock,Aggiornare Giacenza -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Una diversa Unità di Misura degli articoli darà come risultato un Peso Netto (Totale) non corretto. Assicurarsi che il peso netto di ogni articolo sia nella stessa Unità di Misura." DocType: Certification Application,Payment Details,Dettagli del pagamento @@ -5403,7 +5470,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Si tratta di una persona di vendita di root e non può essere modificato . DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Se selezionato, il valore specificato o calcolato in questo componente non contribuirà agli utili o alle deduzioni. Tuttavia, il suo valore può essere riferito da altri componenti che possono essere aggiunti o detratti." -DocType: Asset Settings,Number of Days in Fiscal Year,Numero di giorni nell'anno fiscale ,Stock Ledger,Inventario DocType: Company,Exchange Gain / Loss Account,Guadagno Exchange / Conto Economico DocType: Amazon MWS Settings,MWS Credentials,Credenziali MWS @@ -5438,6 +5504,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Colonna nel file banca apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Lascia l'applicazione {0} già esistente contro lo studente {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,In coda per aggiornare il prezzo più recente in tutte le fatture dei materiali. Può richiedere alcuni minuti. +DocType: Pick List,Get Item Locations,Ottieni posizioni degli oggetti apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nome del nuovo conto. Nota: Si prega di non creare account per Clienti e Fornitori DocType: POS Profile,Display Items In Stock,Mostra articoli in magazzino apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Modelli Country saggio di default Indirizzo @@ -5461,6 +5528,7 @@ DocType: Crop,Materials Required,Materiali richiesti apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Nessun studenti hanno trovato DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Esenzione mensile dell'RA DocType: Clinical Procedure,Medical Department,Dipartimento medico +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Totale uscite anticipate DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Criteri di valutazione del punteggio fornitore apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Fattura Data Pubblicazione apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Vendere @@ -5472,11 +5540,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Elimina il dipendente {0} \ per annullare questo documento" DocType: Program Enrollment,School House,school House DocType: Serial No,Out of AMC,Fuori di AMC DocType: Opportunity,Opportunity Amount,Importo opportunità +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Il tuo profilo apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Numero degli ammortamenti prenotata non può essere maggiore di Numero totale degli ammortamenti DocType: Purchase Order,Order Confirmation Date,Data di conferma dell'ordine DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5570,7 +5637,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Ci sono incongruenze tra il tasso, no delle azioni e l'importo calcolato" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Non sei presente tutto il giorno / i tra giorni di ferie di congedi compensativi apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Si prega di digitare nuovamente il nome della società per confermare -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Totale Outstanding Amt DocType: Journal Entry,Printing Settings,Impostazioni di stampa DocType: Payment Order,Payment Order Type,Tipo di ordine di pagamento DocType: Employee Advance,Advance Account,Conto anticipi @@ -5659,7 +5725,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Nome Anno apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Ci sono più feste che giorni di lavoro questo mese. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Gli articoli seguenti {0} non sono contrassegnati come articolo {1}. Puoi abilitarli come {1} elemento dal suo master Item -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,Rif. PDC / LC DocType: Production Plan Item,Product Bundle Item,Prodotto Bundle Voce DocType: Sales Partner,Sales Partner Name,Nome partner vendite apps/erpnext/erpnext/hooks.py,Request for Quotations,Richieste di offerta @@ -5668,19 +5733,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Le foglie +DocType: Leave Ledger Entry,Leaves,Le foglie DocType: Student Language,Student Language,Student Lingua DocType: Cash Flow Mapping,Is Working Capital,È il capitale circolante apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Invia prova apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Ordine / Quota% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Registra i pazienti pazienti DocType: Fee Schedule,Institution,Istituzione -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: Asset,Partially Depreciated,parzialmente ammortizzato DocType: Issue,Opening Time,Tempo di apertura apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Data Inizio e Fine sono obbligatorie apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Securities & borse merci -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Riepilogo chiamate di {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Ricerca documenti apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unità di misura predefinita per la variante '{0}' deve essere lo stesso in Template '{1}' DocType: Shipping Rule,Calculate Based On,Calcola in base a @@ -5726,6 +5789,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Massimo valore consentito 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 DocType: Lab Test Template,Sensitivity,Sensibilità DocType: Plaid Settings,Plaid Settings,Impostazioni del plaid apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,La sincronizzazione è stata temporaneamente disabilitata perché sono stati superati i tentativi massimi @@ -5743,6 +5807,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Seleziona Data Pubblicazione primo apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Data di apertura dovrebbe essere prima Data di chiusura DocType: Travel Itinerary,Flight,Volo +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Tornare a casa DocType: Leave Control Panel,Carry Forward,Portare Avanti apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Centro di costo con le transazioni esistenti non può essere convertito in contabilità DocType: Budget,Applicable on booking actual expenses,Applicabile alla prenotazione delle spese effettive @@ -5798,6 +5863,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Crea Preventivo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Non sei autorizzato ad approvare ferie su Date Protette apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Richiesta per {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Tutti questi elementi sono stati già fatturati +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Non sono state trovate fatture in sospeso per {0} {1} che qualificano i filtri specificati. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Imposta nuova data di rilascio DocType: Company,Monthly Sales Target,Target di vendita mensile apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Non sono state trovate fatture in sospeso @@ -5844,6 +5910,7 @@ DocType: Water Analysis,Type of Sample,Tipo di campione DocType: Batch,Source Document Name,Nome del documento di origine DocType: Production Plan,Get Raw Materials For Production,Ottieni materie prime per la produzione DocType: Job Opening,Job Title,Titolo Posizione +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Rif. Pagamento futuro apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} indica che {1} non fornirà una quotazione, ma tutti gli elementi \ sono stati quotati. Aggiornamento dello stato delle quotazione." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Numero massimo di campioni: {0} sono già stati conservati per il batch {1} e l'articolo {2} nel batch {3}. @@ -5854,12 +5921,10 @@ 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: Company,Product Code,Codice prodotto DocType: Quality Review Table,Objective,Obbiettivo DocType: Supplier Scorecard,Per Month,Al mese DocType: Education Settings,Make Academic Term Mandatory,Rendi obbligatorio il termine accademico -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Quantità di Fabbricazione deve essere maggiore di 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Calcola il programma di ammortamento proporzionale in base all'anno fiscale +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Quantità di Fabbricazione deve essere maggiore di 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Visita rapporto per chiamata di manutenzione. DocType: Stock Entry,Update Rate and Availability,Frequenza di aggiornamento e disponibilità 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.,Percentuale si è permesso di ricevere o consegnare di più contro la quantità ordinata. Per esempio: Se avete ordinato 100 unità. e il vostro assegno è 10% poi si è permesso di ricevere 110 unità. @@ -5870,7 +5935,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,La data di uscita deve essere in futuro DocType: BOM,Website Description,Descrizione del sito apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Variazione netta Patrimonio -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Si prega di annullare Acquisto Fattura {0} prima apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Non consentito. Si prega di disabilitare il tipo di unità di servizio apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","l' indirizzo e-mail deve essere univoco, esiste già per {0}" DocType: Serial No,AMC Expiry Date,Data Scadenza AMC @@ -5914,6 +5978,7 @@ DocType: Pricing Rule,Price Discount Scheme,Schema di sconto sui prezzi apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Lo stato di manutenzione deve essere annullato o completato per inviare DocType: Amazon MWS Settings,US,NOI DocType: Holiday List,Add Weekly Holidays,Aggiungi festività settimanali +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Segnala articolo DocType: Staffing Plan Detail,Vacancies,Posti vacanti DocType: Hotel Room,Hotel Room,Camera d'albergo apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Il Conto {0} non appartiene alla società {1} @@ -5965,12 +6030,15 @@ DocType: Email Digest,Open Quotations,Citazioni aperte 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Elimina il dipendente {0} \ per annullare questo documento" 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 @@ -5984,6 +6052,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Vacante DocType: Patient,Alcohol Past Use,Utilizzo passato di alcool DocType: Fertilizer Content,Fertilizer Content,Contenuto di fertilizzanti +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Nessuna descrizione apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Stato di fatturazione DocType: Quality Goal,Monitoring Frequency,Frequenza di monitoraggio @@ -6001,6 +6070,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,La data di fine non può essere precedente alla data del contatto successivo. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Voci in lotti DocType: Journal Entry,Pay To / Recd From,Paga a / Ricevuto Da +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Articolo non pubblicato DocType: Naming Series,Setup Series,Imposta Serie DocType: Payment Reconciliation,To Invoice Date,Per Data fattura DocType: Bank Account,Contact HTML,Contatto HTML @@ -6022,6 +6092,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Vendita al dettaglio DocType: Student Attendance,Absent,Assente DocType: Staffing Plan,Staffing Plan Detail,Dettagli del piano di personale DocType: Employee Promotion,Promotion Date,Data di promozione +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,L'allocazione delle ferie% s è collegata con l'applicazione delle ferie% s 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} @@ -6056,9 +6127,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,La fattura {0} non esiste più DocType: Guardian Interest,Guardian Interest,Guardiano interesse DocType: Volunteer,Availability,Disponibilità +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Lasciare l'applicazione è collegata con allocazioni di ferie {0}. Non è possibile impostare l'applicazione di congedo come congedo gratuito apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Imposta i valori predefiniti per le fatture POS DocType: Employee Training,Training,Formazione DocType: Project,Time to send,Tempo di inviare +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Questa pagina tiene traccia dei tuoi articoli per i quali gli acquirenti hanno mostrato un certo interesse. DocType: Timesheet,Employee Detail,Dettaglio dei dipendenti 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 @@ -6154,12 +6227,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valore di apertura DocType: Salary Component,Formula,Formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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 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/setup/doctype/company/company.py,Sales Account,Conto vendita DocType: Purchase Invoice Item,Total Weight,Peso totale +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}" @@ -6183,6 +6256,7 @@ DocType: Company,Default Employee Advance Account,Conto predefinito anticipo dip apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Cerca elemento (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Account con transazione registrate non può essere cancellato +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Perché pensi che questo oggetto debba essere rimosso? DocType: Vehicle,Last Carbon Check,Ultima verifica carbon apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Spese legali apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Seleziona la quantità in fila @@ -6202,6 +6276,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Esaurimento DocType: Travel Itinerary,Vegetarian,Vegetariano DocType: Patient Encounter,Encounter Date,Data dell'incontro +DocType: Work Order,Update Consumed Material Cost In Project,Aggiorna il costo del materiale consumato nel progetto apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Account: {0} con valuta: {1} non può essere selezionato DocType: Bank Statement Transaction Settings Item,Bank Data,Dati bancari DocType: Purchase Receipt Item,Sample Quantity,Quantità del campione @@ -6256,7 +6331,7 @@ DocType: GSTR 3B Report,April,aprile 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Nota : Articolo {0} inserito più volte +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Nota : Articolo {0} inserito più volte apps/erpnext/erpnext/config/buying.py,All Contacts.,Tutti i contatti. DocType: Accounting Period,Closed Documents,Documenti chiusi 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 @@ -6338,9 +6413,7 @@ DocType: Member,Membership Type,Tipo di abbonamento ,Reqd By Date,Data di Consegna apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Creditori DocType: Assessment Plan,Assessment Name,Nome valutazione -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Mostra PDC in stampa apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Fila # {0}: N. di serie è obbligatoria -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Non sono state trovate fatture in sospeso per lo {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Voce Wise fiscale Dettaglio DocType: Employee Onboarding,Job Offer,Offerta di lavoro apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abbreviazione Institute @@ -6398,6 +6471,7 @@ DocType: Serial No,Out of Warranty,Fuori Garanzia DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Tipo di dati mappati DocType: BOM Update Tool,Replace,Sostituire apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Nessun prodotto trovato. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Pubblica più articoli apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Il presente Accordo sul livello di servizio è specifico per il Cliente {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} per fattura di vendita {1} DocType: Antibiotic,Laboratory User,Utente del laboratorio @@ -6420,7 +6494,6 @@ DocType: Payment Order Reference,Bank Account Details,Dettagli del conto bancari DocType: Purchase Order Item,Blanket Order,Ordine generale 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},L'ordine di produzione è stato {0} DocType: BOM Item,BOM No,BOM 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,La Scrittura Contabile {0} non ha conto {1} o già confrontato con un altro buono DocType: Item,Moving Average,Media Mobile @@ -6493,6 +6566,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Rifornimenti imponibili esteriori (zero valutato) DocType: BOM,Materials Required (Exploded),Materiali necessari (dettagli) 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/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 @@ -6550,7 +6624,6 @@ DocType: Pricing Rule,Same Item,Stesso articolo DocType: Stock Ledger Entry,Stock Ledger Entry,Voce Inventario DocType: Quality Action Resolution,Quality Action Resolution,Risoluzione dell'azione di qualità apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} in mezza giornata {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Lo stesso articolo è stato inserito più volte DocType: Department,Leave Block List,Lascia il blocco lista DocType: Purchase Invoice,Tax ID,P. IVA / Cod. Fis. apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,L'articolo {0} non ha Numeri di Serie. La colonna deve essere vuota @@ -6588,7 +6661,7 @@ DocType: Cheque Print Template,Distance from top edge,Distanza dal bordo superio 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 DocType: Purchase Invoice,Return,Ritorno -DocType: Accounting Dimension,Disable,Disattiva +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 DocType: Task,Pending Review,In attesa di validazione apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Modifica in pagina intera per ulteriori opzioni come risorse, numero di serie, lotti ecc." @@ -6701,7 +6774,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,La parte della fattura combinata deve essere uguale al 100% DocType: Item Default,Default Expense Account,Conto spese predefinito DocType: GST Account,CGST Account,Conto CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student Email ID DocType: Employee,Notice (days),Avviso ( giorni ) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Fatture di chiusura del voucher POS @@ -6712,6 +6784,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Selezionare gli elementi per salvare la fattura DocType: Employee,Encashment Date,Data Incasso DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Informazioni del venditore DocType: Special Test Template,Special Test Template,Modello di prova speciale DocType: Account,Stock Adjustment,Regolazione della apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Esiste di default Attività Costo per il tipo di attività - {0} @@ -6723,7 +6796,6 @@ 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 -DocType: Company,Bank Remittance Settings,Impostazioni rimesse bancarie apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tasso medio 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 @@ -6751,6 +6823,7 @@ DocType: Grading Scale Interval,Threshold,Soglia apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtra dipendenti per (facoltativo) DocType: BOM Update Tool,Current BOM,Distinta Base attuale apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Saldo (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Qtà di articoli finiti apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Aggiungi Numero di Serie DocType: Work Order Item,Available Qty at Source Warehouse,Qtà disponibile presso Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Garanzia @@ -6829,7 +6902,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Qui è possibile mantenere l'altezza, il peso, le allergie, le preoccupazioni mediche ecc" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Creazione di account ... DocType: Leave Block List,Applies to Company,Applica ad Azienda -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Impossibile annullare perché esiste un movimento di magazzino {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Impossibile annullare perché esiste un movimento di magazzino {0} DocType: Loan,Disbursement Date,L'erogazione Data DocType: Service Level Agreement,Agreement Details,Dettagli dell'accordo apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,La data di inizio dell'accordo non può essere maggiore o uguale alla data di fine. @@ -6838,6 +6911,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Cartella medica DocType: Vehicle,Vehicle,Veicolo DocType: Purchase Invoice,In Words,In Parole +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Ad oggi deve essere precedente alla data apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Immettere il nome della banca o dell'istituto di credito prima di inviarlo. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} deve essere inviato DocType: POS Profile,Item Groups,Gruppi Articoli @@ -6909,7 +6983,6 @@ DocType: Customer,Sales Team Details,Vendite team Dettagli apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Eliminare in modo permanente? DocType: Expense Claim,Total Claimed Amount,Totale importo richiesto apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potenziali opportunità di vendita. -DocType: Plaid Settings,Link a new bank account,Collega un nuovo conto bancario apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} è uno stato di partecipazione non valido. DocType: Shareholder,Folio no.,Folio n. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Non valido {0} @@ -6925,7 +6998,6 @@ DocType: Production Plan,Material Requested,Materiale richiesto DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Qtà riservata per il subappalto DocType: Patient Service Unit,Patinet Service Unit,Patinet Service Unit -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Genera file di testo DocType: Sales Invoice,Base Change Amount (Company Currency),Base quantità di modifica (Società di valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Nessuna scritture contabili per le seguenti magazzini apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Solo {0} in stock per l'articolo {1} @@ -6939,6 +7011,7 @@ DocType: Item,No of Months,No di mesi DocType: Item,Max Discount (%),Sconto Max (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,I giorni di credito non possono essere un numero negativo apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Carica una dichiarazione +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Segnala questo elemento DocType: Purchase Invoice Item,Service Stop Date,Data di fine del servizio apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Ultimo ammontare ordine DocType: Cash Flow Mapper,e.g Adjustments for:,Ad es. regolazioni per: @@ -7032,16 +7105,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Categoria di esenzione fiscale dei dipendenti apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,L'importo non deve essere inferiore a zero. DocType: Sales Invoice,C-Form Applicable,C-Form Applicable -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Tempo di funzionamento deve essere maggiore di 0 per Operation {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Tempo di funzionamento deve essere maggiore di 0 per Operation {0} DocType: Support Search Source,Post Route String,Post Route String apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Magazzino è obbligatorio apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Impossibile creare il sito Web DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Dettaglio di conversione Unità di Misura apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Ammissione e iscrizione -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Memorizzazione stock già creata o Quantità campione non fornita +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Memorizzazione stock già creata o Quantità campione non fornita DocType: Program,Program Abbreviation,Abbreviazione programma -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Ordine di produzione non può essere sollevata nei confronti di un modello di elemento apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Raggruppa per buono (consolidato) DocType: HR Settings,Encrypt Salary Slips in Emails,Cripta la busta paga nelle e-mail DocType: Question,Multiple Correct Answer,Risposta corretta multipla @@ -7088,7 +7160,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,È valutato zero o esent DocType: Employee,Educational Qualification,Titolo di Studio DocType: Workstation,Operating Costs,Costi operativi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Valuta per {0} deve essere {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Conseguenza del periodo di ammissione DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Contrassegnare le presenze in base a "Registrazione dei dipendenti" per i dipendenti assegnati a questo turno. DocType: Asset,Disposal Date,Smaltimento Data DocType: Service Level,Response and Resoution Time,Tempo di risposta e di risposta @@ -7136,6 +7207,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Data Completamento DocType: Purchase Invoice Item,Amount (Company Currency),Importo (Valuta Azienda) DocType: Program,Is Featured,È in primo piano +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Recupero ... DocType: Agriculture Analysis Criteria,Agriculture User,Utente Agricoltura apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Valida fino alla data non può essere prima della data della transazione apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unità di {1} necessarie in {2} su {3} {4} di {5} per completare la transazione. @@ -7168,7 +7240,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Totale versato Amt 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 @@ -7192,6 +7263,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonimo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Ricevuto da DocType: Lead,Converted,Convertito DocType: Item,Has Serial No,Ha numero di serie +DocType: Stock Entry Detail,PO Supplied Item,Articolo fornito PO 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} @@ -7306,7 +7378,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Sincronizza tasse e addebit 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Distinta Base predefinita per {0} non trovato +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Tocca gli elementi da aggiungere qui @@ -7340,7 +7412,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Data di manutenzione DocType: Purchase Invoice Item,Rejected Serial No,Rifiutato Serial No apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,La data di inizio o di fine Anno si sovrappone con {0}. Per risolvere questo problema impostare l'Azienda -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Si prega di citare il Lead Name in Lead {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Data di inizio dovrebbe essere inferiore a quella di fine per la voce {0} DocType: Shift Type,Auto Attendance Settings,Impostazioni di presenza automatica @@ -7350,9 +7421,11 @@ DocType: Upload Attendance,Upload Attendance,Carica presenze apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Distinta Base e Quantità Produzione richieste apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Gamma invecchiamento 2 DocType: SG Creation Tool Course,Max Strength,Forza Max +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","L'account {0} esiste già nell'azienda figlio {1}. I seguenti campi hanno valori diversi, dovrebbero essere uguali:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Installare i preset DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Nessuna nota di consegna selezionata per il cliente {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Righe aggiunte in {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Il dipendente {0} non ha l'importo massimo del beneficio apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Selezionare gli elementi in base alla Data di Consegna DocType: Grant Application,Has any past Grant Record,Ha un record di sovvenzione passato @@ -7396,6 +7469,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Dettagli dello studente DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Questo è l'UOM predefinito utilizzato per gli articoli e gli ordini cliente. L'UOM di fallback è "Nos". DocType: Purchase Invoice Item,Stock Qty,Quantità di magazzino +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 DocType: Loan,Repayment Period in Months,Il rimborso Periodo in mese @@ -7424,6 +7498,7 @@ DocType: Authorization Rule,Customerwise Discount,Sconto Cliente saggio apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Scheda attività DocType: Purchase Invoice,Against Expense Account,Per Spesa Conto apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Nota Installazione {0} già inserita +DocType: BOM,Raw Material Cost (Company Currency),Costo delle materie prime (valuta dell'azienda) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Giorni di affitto della casa pagati sovrapposti con {0} DocType: GSTR 3B Report,October,ottobre DocType: Bank Reconciliation,Get Payment Entries,Ottenere i Pagamenti @@ -7470,15 +7545,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Disponibile per la data di utilizzo è richiesto DocType: Request for Quotation,Supplier Detail,Dettaglio del Fornitore apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Errore nella formula o una condizione: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Importo Fatturato +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Importo Fatturato apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,I pesi dei criteri devono aggiungere fino al 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Presenze apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Articoli di magazzino DocType: Sales Invoice,Update Billed Amount in Sales Order,Aggiorna importo fatturato in ordine cliente +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Contatta il venditore 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,In parole saranno visibili una volta che si salva di Acquisto. @@ -7492,6 +7569,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Maestro listino prezzi. DocType: Task,Review Date,Data di revisione DocType: BOM,Allow Alternative Item,Consenti articolo alternativo +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,La ricevuta di acquisto non ha articoli per i quali è abilitato Conserva campione. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Totale totale fattura DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serie per l'ammortamento dell'attivo (registrazione giornaliera) DocType: Membership,Member Since,Membro da @@ -7501,6 +7579,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Sul Totale Netto 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},Valore per l'attributo {0} deve essere all'interno della gamma di {1} a {2} nei incrementi di {3} per la voce {4} DocType: Pricing Rule,Product Discount Scheme,Schema di sconto del prodotto +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Nessun problema è stato sollevato dal chiamante. DocType: Restaurant Reservation,Waitlisted,lista d'attesa DocType: Employee Tax Exemption Declaration Category,Exemption Category,Categoria di esenzione apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valuta non può essere modificata dopo aver fatto le voci utilizzando qualche altra valuta @@ -7514,7 +7593,6 @@ DocType: Customer Group,Parent Customer Group,Gruppo clienti padre apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON può essere generato solo dalla Fattura di vendita apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Raggiunti i massimi tentativi per questo quiz! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Sottoscrizione -DocType: Purchase Invoice,Contact Email,Email Contatto apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Fee Creation In attesa DocType: Project Template Task,Duration (Days),Durata (giorni) DocType: Appraisal Goal,Score Earned,Punteggio Guadagnato @@ -7539,7 +7617,6 @@ DocType: Landed Cost Item,Landed Cost Item,Landed Cost articolo 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","L'importo per una singola transazione supera l'importo massimo consentito, creare un ordine di pagamento separato suddividendo le transazioni" 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 @@ -7707,6 +7784,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Dispo DocType: Quality Inspection Reading,Reading 3,Lettura 3 DocType: Stock Entry,Source Warehouse Address,Indirizzo del magazzino di origine DocType: GL Entry,Voucher Type,Voucher Tipo +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Pagamenti futuri 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à @@ -7733,6 +7811,7 @@ DocType: Travel Request,Identification Document Number,numero del documento iden 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." DocType: Sales Invoice,Customer GSTIN,Cliente GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Elenco delle malattie rilevate sul campo. Quando selezionato, aggiungerà automaticamente un elenco di compiti per affrontare la malattia" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,DBA 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Questa è un'unità di assistenza sanitaria di root e non può essere modificata. DocType: Asset Repair,Repair Status,Stato di riparazione 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." @@ -7747,6 +7826,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Conto per quantità di modifica DocType: QuickBooks Migrator,Connecting to QuickBooks,Connessione a QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Guadagno / perdita totale +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Crea elenco di prelievo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Riga {0}: Partner / Account non corrisponde con {1} / {2} {3} {4} DocType: Employee Promotion,Employee Promotion,Promozione dei dipendenti DocType: Maintenance Team Member,Maintenance Team Member,Membro del team di manutenzione @@ -7829,6 +7909,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Retribuzione netta non può essere negativa @@ -7860,7 +7941,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Obiettivo di qualità DocType: BOM,Item to be manufactured or repacked,Voce da fabbricati o nuovamente imballati apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Errore di sintassi nella condizione: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Nessun problema sollevato dal cliente. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Principali / Opzionale Soggetti apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Si prega di impostare il gruppo di fornitori in Impostazioni acquisto. @@ -7953,8 +8033,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Giorni Credito apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Selezionare Patient per ottenere i test di laboratorio DocType: Exotel Settings,Exotel Settings,Impostazioni Exotel -DocType: Leave Type,Is Carry Forward,È Portare Avanti +DocType: Leave Ledger Entry,Is Carry Forward,È Portare Avanti DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Ore lavorative al di sotto delle quali Assente è contrassegnato. (Zero da disabilitare) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Mandare un messaggio apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Recupera elementi da Distinta Base 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 diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv index 0125b13a65..65086efea9 100644 --- a/erpnext/translations/ja.csv +++ b/erpnext/translations/ja.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,サプライヤーに通知する apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,先に当事者タイプを選択してください DocType: Item,Customer Items,顧客アイテム +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,負債 DocType: Project,Costing and Billing,原価計算と請求 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},事前勘定通貨は、会社通貨{0}と同じである必要があります。 DocType: QuickBooks Migrator,Token Endpoint,トークンエンドポイント @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,デフォルト数量単位 DocType: SMS Center,All Sales Partner Contact,全ての販売パートナー連絡先 DocType: Department,Leave Approvers,休暇承認者 DocType: Employee,Bio / Cover Letter,バイオ/カバーレター +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,アイテムの検索... DocType: Patient Encounter,Investigations,調査 DocType: Restaurant Order Entry,Click Enter To Add,入力をクリックして追加 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL",パスワード、APIキー、またはShopify URLの値がありません DocType: Employee,Rented,賃貸 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,すべてのアカウント apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,ステータスが「左」の従業員は譲渡できません -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止中の製造指示をキャンセルすることはできません。キャンセルする前に停止解除してください DocType: Vehicle Service,Mileage,マイレージ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,本当にこの資産を廃棄しますか? DocType: Drug Prescription,Update Schedule,スケジュールの更新 @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,顧客 DocType: Purchase Receipt Item,Required By,要求元 DocType: Delivery Note,Return Against Delivery Note,納品書に対する返品 DocType: Asset Category,Finance Book Detail,ファイナンス・ブックの詳細 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,すべての減価償却が予約されました DocType: Purchase Order,% Billed,%支払 apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,給与計算番号 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),為替レートは {0} と同じでなければなりません {1}({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,バッチアイテム有効期限ステータス apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,銀行為替手形 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,遅延エントリの合計 DocType: Mode of Payment Account,Mode of Payment Account,支払口座のモード apps/erpnext/erpnext/config/healthcare.py,Consultation,相談 DocType: Accounts Settings,Show Payment Schedule in Print,印刷時に支払スケジュールを表示 @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,優先連絡先の詳細 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,課題を開く DocType: Production Plan Item,Production Plan Item,生産計画アイテム +DocType: Leave Ledger Entry,Leave Ledger Entry,元帳のエントリを残す apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},ユーザー{0}はすでに従業員{1}に割り当てられています -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0}フィールドはサイズ{1}に制限されています DocType: Lab Test Groups,Add new line,新しい行を追加 apps/erpnext/erpnext/utilities/activation.py,Create Lead,リードを作成 DocType: Production Plan,Projected Qty Formula,予測数量計算式 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,最 DocType: Purchase Invoice Item,Item Weight Details,アイテムの重量の詳細 DocType: Asset Maintenance Log,Periodicity,周期性 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,会計年度{0}が必要です +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,純利益/損失 DocType: Employee Group Table,ERPNext User ID,ERPNextユーザーID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,最適な成長のための植物の列間の最小距離 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,処方された処置を受けるために患者を選択してください @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,販売価格リスト DocType: Patient,Tobacco Current Use,たばこの現在の使用 apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,販売価格 -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,新しいアカウントを追加する前に文書を保存してください 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 ...,何でも検索... DocType: Company,Phone No,電話番号 DocType: Delivery Trip,Initial Email Notification Sent,送信された最初の電子メール通知 DocType: Bank Statement Settings,Statement Header Mapping,ステートメントヘッダーマッピング @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,年 DocType: Exchange Rate Revaluation Account,Gain/Loss,損益 DocType: Crop,Perennial,多年生 DocType: Program,Is Published,公開されています +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,納品書を表示 apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",超過請求を許可するには、[アカウント設定]または[アイテム]の[超過料金]を更新します。 DocType: Patient Appointment,Procedure,手順 DocType: Accounts Settings,Use Custom Cash Flow Format,カスタムキャッシュフローフォーマットの使用 @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,ポリシーの詳細を残す DocType: BOM,Item Image (if not slideshow),アイテム画像(スライドショーされていない場合) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,行#{0}:作業オーダー{3}の{2}個の完成品に対して、操作{1}が完了していません。ジョブカード{4}を介して操作状況を更新してください。 -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again",{0}は送金の支払いを生成するために必須であり、フィールドを設定してやり直してください DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(時間単価 ÷ 60)× 実際の作業時間 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,行番号{0}:参照伝票タイプは経費請求または仕訳入力のいずれかでなければなりません apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM選択 @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,期間数を超える返済 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,生産する数量はゼロより小さくすることはできません DocType: Stock Entry,Additional Costs,追加費用 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,既存の取引を持つアカウントをグループに変換することはできません。 DocType: Lead,Product Enquiry,製品のお問い合わせ DocType: Education Settings,Validate Batch for Students in Student Group,生徒グループ内の生徒のバッチを検証する @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,在学生 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,HR設定でステータス通知を残すためのデフォルトテンプレートを設定してください。 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,目標 DocType: BOM,Total Cost,費用合計 +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,割り当てが期限切れです! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,最大繰越葉数 DocType: Salary Slip,Employee Loan,従業員のローン DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-。MM.- DocType: Fee Schedule,Send Payment Request Email,支払依頼メールを送信 @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,不動 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,決算報告 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,医薬品 DocType: Purchase Invoice Item,Is Fixed Asset,固定資産であります +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,将来の支払いを表示 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,この銀行口座は既に同期されています DocType: Homepage,Homepage Section,ホームページ課 @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,肥料 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",\ Item {0}が\ Serial番号で配送保証ありとなしで追加されるため、Serial Noによる配送を保証できません -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,教育>教育の設定でインストラクターの命名システムを設定してください apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,支払いの少なくとも1モードはPOS請求書に必要とされます。 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},バッチアイテム{0}にはバッチ番号は必要ありません DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,銀行報告書トランザクション請求書明細 @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,規約を選択 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,タイムアウト値 DocType: Bank Statement Settings Item,Bank Statement Settings Item,銀行明細書設定項目 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerceの設定 +DocType: Leave Ledger Entry,Transaction Name,トランザクション名 DocType: Production Plan,Sales Orders,受注 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,お客様に複数のロイヤリティプログラムが見つかりました。手動で選択してください。 DocType: Purchase Taxes and Charges,Valuation,評価 @@ -460,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: 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,メールグループ更新 DocType: POS Profile,Only show Customer of these Customer Groups,これらの顧客グループの顧客のみを表示 DocType: Sales Invoice,Is Opening Entry,オープンエントリー @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,非標準的な売掛金が適応可能な場合に記載 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,この選択リストに対して在庫エントリが既に作成されています DocType: Supplier Scorecard,Criteria Setup,条件設定 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,提出前に必要とされる倉庫用 +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,受領日 DocType: Codification Table,Medical Code,医療コード apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,AmazonとERPNextを接続する @@ -485,7 +495,7 @@ DocType: Restaurant Order Entry,Add Item,アイテム追加 DocType: Party Tax Withholding Config,Party Tax Withholding Config,当事者税の源泉徴収の設定 DocType: Lab Test,Custom Result,カスタム結果 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,銀行口座が追加されました -DocType: Delivery Stop,Contact Name,担当者名 +DocType: Call Log,Contact Name,担当者名 DocType: Plaid Settings,Synchronize all accounts every hour,1時間ごとにすべてのアカウントを同期する DocType: Course Assessment Criteria,Course Assessment Criteria,コースの評価基準 DocType: Pricing Rule Detail,Rule Applied,適用されたルール @@ -529,7 +539,6 @@ 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,請求番号 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,未知数 DocType: Website Filter Field,Website Filter Field,ウェブサイトフィルタフィールド apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,電源タイプ DocType: Material Request Item,Min Order Qty,最小注文数量 @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,総プリンシパル金額 DocType: Student Guardian,Relation,関連 DocType: Quiz Result,Correct,正しい DocType: Student Guardian,Mother,母 -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,最初にsite_config.jsonに有効なPlaid APIキーを追加してください DocType: Restaurant Reservation,Reservation End Time,予約終了時刻 DocType: Crop,Biennial,二年生植物 ,BOM Variance Report,BOM差異レポート @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,格子縞の公開鍵 DocType: Payment Term,Payment Term Name,支払期間名 DocType: Healthcare Settings,Create documents for sample collection,サンプル収集のためのドキュメントの作成 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},{0} {1} に対する支払は残高 {2} より大きくすることができません @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,オフラインPOS設定 DocType: Stock Entry Detail,Reference Purchase Receipt,参照購入領収書 DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,バリエーション元 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',完成した数量は「製造数量」より大きくすることはできません +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',完成した数量は「製造数量」より大きくすることはできません +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,に基づく期間 DocType: Period Closing Voucher,Closing Account Head,決算科目 DocType: Employee,External Work History,職歴(他社) apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,循環参照エラー apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,学生レポートカード apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,ピンコードから +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,営業担当者を表示 DocType: Appointment Type,Is Inpatient,入院中 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,保護者1 名前 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,納品書を保存すると「表記(エクスポート)」が表示されます。 @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,ディメンション名 apps/erpnext/erpnext/healthcare/setup.py,Resistant,耐性 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{}にホテルの客室料金を設定してください +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,[設定]> [ナンバリングシリーズ]から出席のナンバリングシリーズを設定してください DocType: Journal Entry,Multi Currency,複数通貨 DocType: Bank Statement Transaction Invoice Item,Invoice Type,請求書タイプ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,有効開始日は有効更新日よりも短くなければなりません @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,認められました DocType: Workstation,Rent Cost,地代・賃料 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,減価償却後の金額 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,今後のカレンダーイベント apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,バリエーション属性 @@ -746,7 +759,6 @@ DocType: Request for Quotation,Request for Quotation,見積依頼 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,営業担当者を印刷する 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,力 @@ -754,7 +766,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,新しい顧客を作成します。 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,有効期限切れ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",複数の価格設定ルールが優先しあった場合、ユーザーは、競合を解決するために、手動で優先度を設定するように求められます。 -DocType: Purchase Invoice,Scan Barcode,バーコードをスキャン apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,発注書を作成します ,Purchase Register,仕入帳 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,患者が見つかりません @@ -813,6 +824,7 @@ DocType: Lead,Channel Partner,チャネルパートナー DocType: Account,Old Parent,古い親 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,必須項目 - 学年 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1}は{2} {3}に関連付けられていません +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} @@ -855,6 +867,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,給与計算に基づくタイムシートの給与コンポーネント。 DocType: Driver,Applicable for external driver,外部ドライバに適用 DocType: Sales Order Item,Used for Production Plan,生産計画に使用 +DocType: BOM,Total Cost (Company Currency),総費用(会社通貨) DocType: Loan,Total Payment,お支払い総額 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,完了した作業オーダーのトランザクションを取り消すことはできません。 DocType: Manufacturing Settings,Time Between Operations (in mins),操作の間の時間(分単位) @@ -876,6 +889,7 @@ DocType: Supplier Scorecard Standing,Notify Other,他に通知する DocType: Vital Signs,Blood Pressure (systolic),血圧(上) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1}は{2}です DocType: Item Price,Valid Upto,有効(〜まで) +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.,あなたの顧客の一部を一覧表示します。彼らは、組織や個人である可能性があります。 @@ -893,6 +907,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0}の変更 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,会社を選択してください DocType: Employee Skill,Employee Skill,従業員のスキル apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,差損益 @@ -936,6 +951,7 @@ DocType: Patient,Risk Factors,危険因子 DocType: Patient,Occupational Hazards and Environmental Factors,職業上の危険と環境要因 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,作業オーダー用にすでに登録されている在庫エントリ apps/erpnext/erpnext/templates/pages/cart.html,See past orders,過去の注文を見る +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0}の会話 DocType: Vital Signs,Respiratory rate,呼吸数 apps/erpnext/erpnext/config/help.py,Managing Subcontracting,業務委託管理 DocType: Vital Signs,Body Temperature,体温 @@ -977,6 +993,7 @@ DocType: Purchase Invoice,Registered Composition,登録コンポジション apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,こんにちは apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,アイテムを移動 DocType: Employee Incentive,Incentive Amount,インセンティブ金額 +,Employee Leave Balance Summary,従業員の休暇バランス概要 DocType: Serial No,Warranty Period (Days),保証期間(日数) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,合計クレジット/デビット金額はリンクされたジャーナルエントリと同じである必要があります DocType: Installation Note Item,Installation Note Item,設置票アイテム @@ -990,6 +1007,7 @@ DocType: Vital Signs,Bloated,肥満 DocType: Salary Slip,Salary Slip Timesheet,給与明細タイムシート apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,下請け領収書のために必須のサプライヤーの倉庫 DocType: Item Price,Valid From,有効(〜から) +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,あなたの評価: DocType: Sales Invoice,Total Commission,手数料合計 DocType: Tax Withholding Account,Tax Withholding Account,源泉徴収勘定 DocType: Pricing Rule,Sales Partner,販売パートナー @@ -997,6 +1015,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,すべてのサ DocType: Buying Settings,Purchase Receipt Required,領収書が必要です DocType: Sales Invoice,Rail,レール apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,実費 +DocType: Item,Website Image,ウェブサイトの画像 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,行{0}のターゲットウェアハウスは作業オーダーと同じでなければなりません apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,期首在庫が入力された場合は評価レートは必須です apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,請求書テーブルにレコードが見つかりません @@ -1031,8 +1050,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,アカウントを同期する前に、Plaid APIの設定を完了してください apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,半日の日付は必須です DocType: Sales Order,Billing and Delivery Status,請求と配達の状況 DocType: Job Applicant,Resume Attachment,再開アタッチメント @@ -1044,7 +1063,6 @@ DocType: Production Plan,Production Plan,生産計画 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,インボイス作成ツールを開く DocType: Salary Component,Round to the Nearest Integer,最も近い整数に丸める apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,販売返品 -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,注:総割り当てられた葉を{0}の期間のためにすでに承認された葉{1}を下回ってはいけません DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,シリアルナンバーに基づいて取引で数量を設定する ,Total Stock Summary,総株式サマリー apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1072,6 +1090,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,在 apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,元本金額 DocType: Loan Application,Total Payable Interest,総支払利息 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},総残高:{0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,連絡先を開く 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}には参照番号・参照日が必要です apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},シリアル番号付きアイテム{0}にはシリアル番号が必要です @@ -1081,6 +1100,7 @@ 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,更新処理中にエラーが発生しました DocType: Restaurant Reservation,Restaurant Reservation,レストラン予約 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,あなたのアイテム apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,提案の作成 DocType: Payment Entry Deduction,Payment Entry Deduction,支払エントリ控除 DocType: Service Level Priority,Service Level Priority,サービスレベル優先度 @@ -1089,6 +1109,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,バッチ番号シリーズ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,他の営業担当者 {0} が同じ従業員IDとして存在します DocType: Employee Advance,Claimed Amount,請求額 +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,割り当ての期限切れ DocType: QuickBooks Migrator,Authorization Settings,承認設定 DocType: Travel Itinerary,Departure Datetime,出発日時 apps/erpnext/erpnext/hub_node/api.py,No items to publish,公開するアイテムがありません @@ -1157,7 +1178,6 @@ DocType: Student Batch Name,Batch Name,バッチ名 DocType: Fee Validity,Max number of visit,訪問の最大数 DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,損益計算書には必須 ,Hotel Room Occupancy,ホテルルーム占有率 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,タイムシートを作成しました: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},支払方法{0}にデフォルトの現金や銀行口座を設定してください apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,登録します DocType: GST Settings,GST Settings,GSTの設定 @@ -1288,6 +1308,7 @@ DocType: Sales Invoice,Commission Rate (%),手数料率(%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,プログラムを選択してください DocType: Project,Estimated Cost,推定費用 DocType: Request for Quotation,Link to material requests,資材要求へのリンク +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,公開 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,航空宇宙 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,クレジットカードエントリ @@ -1314,6 +1335,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,流動資産 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0}は在庫アイテムではありません apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',トレーニングのフィードバックをクリックしてから、あなたのフィードバックをトレーニングにフィードバックしてから、「新規」をクリックしてください。 +DocType: Call Log,Caller Information,発信者情報 DocType: Mode of Payment Account,Default Account,デフォルトアカウント apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,最初にサンプル保管倉庫在庫設定を選択してください apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,複数のコレクションルールに複数のティアプログラムタイプを選択してください。 @@ -1338,6 +1360,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,自動資材要求生成済 DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),半日がマークされる労働時間。 (無効にするにはゼロ) DocType: Job Card,Total Completed Qty,完了した合計数量 +DocType: HR Settings,Auto Leave Encashment,自動脱退 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,失われた apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,「対仕訳入力」列に対してこの伝票を入力することはできません DocType: Employee Benefit Application Detail,Max Benefit Amount,最大支出額 @@ -1367,9 +1390,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,加入者 DocType: Item Attribute Value,Item Attribute Value,アイテムの属性値 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,通貨交換は、購入または販売に適用する必要があります。 +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,期限切れの割り当てのみをキャンセルできます DocType: Item,Maximum sample quantity that can be retained,最大保管可能サンプル数 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},行{0}#品目{1}を購買発注{3}に対して{2}以上転嫁することはできません apps/erpnext/erpnext/config/crm.py,Sales campaigns.,販売キャンペーン。 +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,不明な発信者 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1427,6 +1452,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ヘルス apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,文書名 DocType: Expense Claim Detail,Expense Claim Type,経費請求タイプ DocType: Shopping Cart Settings,Default settings for Shopping Cart,ショッピングカートのデフォルト設定 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,アイテムを保存 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,新しい費用 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,既存の注文数量を無視する apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,タイムスロットを追加する @@ -1439,6 +1465,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,送信した招待状のレビュー DocType: Shift Assignment,Shift Assignment,シフトアサインメント DocType: Employee Transfer Property,Employee Transfer Property,従業員移転のプロパティ +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,株式/負債勘定科目は空白にできません apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,時間は時間よりも短くする必要があります apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,バイオテクノロジー apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1520,11 +1547,13 @@ 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,新しい連絡先を作成 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,コーススケジュール DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3Bレポート DocType: Request for Quotation Supplier,Quote Status,見積もりステータス DocType: GoCardless Settings,Webhooks Secret,Webhooksの秘密 DocType: Maintenance Visit,Completion Status,完了状況 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},合計支払い額は{}を超えることはできません DocType: Daily Work Summary Group,Select Users,ユーザーの選択 DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ホテルルーム価格設定項目 DocType: Loyalty Program Collection,Tier Name,階層名 @@ -1562,6 +1591,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST金 DocType: Lab Test Template,Result Format,結果フォーマット DocType: Expense Claim,Expenses,経費 DocType: Service Level,Support Hours,サポート時間 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,納品書 DocType: Item Variant Attribute,Item Variant Attribute,アイテムバリエーション属性 ,Purchase Receipt Trends,領収書傾向 DocType: Payroll Entry,Bimonthly,隔月 @@ -1584,7 +1614,6 @@ DocType: Sales Team,Incentives,インセンティブ DocType: SMS Log,Requested Numbers,要求された番号 DocType: Volunteer,Evening,イブニング DocType: Quiz,Quiz Configuration,クイズの設定 -DocType: Customer,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,在庫詳細 @@ -1631,7 +1660,6 @@ apps/erpnext/erpnext/config/accounting.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,合計ゼロ数をフィルタリングする -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},操作{1}のための時間スロットは次の{0}日間に存在しません DocType: Work Order,Plan material for sub-assemblies,部分組立品資材計画 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,転送可能なアイテムがありません @@ -1646,9 +1674,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,再注文レベルを維持するには、在庫設定で自動再注文を有効にする必要があります。 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,この保守訪問をキャンセルする前に資材訪問{0}をキャンセルしなくてはなりません DocType: Pricing Rule,Rate or Discount,レートまたは割引 +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,銀行の詳細 DocType: Vital Signs,One Sided,片面 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},アイテム {1} に関連付けが無いシリアル番号 {0} -DocType: Purchase Receipt Item Supplied,Required Qty,必要な数量 +DocType: Purchase Order Item Supplied,Required Qty,必要な数量 DocType: Marketplace Settings,Custom Data,カスタムデータ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,既存の取引のある倉庫を元帳に変換することはできません。 DocType: Service Day,Service Day,サービスデー @@ -1676,7 +1705,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,アカウント通貨 DocType: Lab Test,Sample ID,サンプルID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,会社の丸め誤差アカウントを指定してください -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,デビットノート金額 DocType: Purchase Receipt,Range,幅 DocType: Supplier,Default Payable Accounts,デフォルト買掛金勘定 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,従業員{0}はアクティブでないか、存在しません @@ -1717,8 +1745,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,情報要求 DocType: Course Activity,Activity Date,活動日 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} / {} -,LeaderBoard,リーダーボード DocType: Sales Invoice Item,Rate With Margin (Company Currency),利益率(会社通貨) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,カテゴリー apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,オフライン請求書同期 DocType: Payment Request,Paid,支払済 DocType: Service Level,Default Priority,デフォルトの優先順位 @@ -1753,11 +1781,11 @@ 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,間接収入 DocType: Student Attendance Tool,Student Attendance Tool,生徒出席ツール DocType: Restaurant Menu,Price List (Auto created),価格表(自動作成) +DocType: Pick List Item,Picked Qty,選んだ数量 DocType: Cheque Print Template,Date Settings,日付設定 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,従業員推進の詳細 -,Company Name,(会社名) DocType: SMS Center,Total Message(s),全メッセージ DocType: Share Balance,Purchased,購入した DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,アイテム属性の属性値の名前を変更します。 @@ -1776,7 +1804,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,最新の試み 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} -DocType: BOM,Raw Material Cost(Company Currency),原料コスト(会社通貨) 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,電気代 @@ -1843,6 +1870,7 @@ DocType: Travel Itinerary,Train,列車 ,Delayed Item Report,遅延商品レポート apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,対象となるITC DocType: Healthcare Service Unit,Inpatient Occupancy,入院患者 +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,最初のアイテムを公開する DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,シフトアウトが終了してからチェックアウトが行われるまでの時間。 apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},{0}を指定してください @@ -1958,6 +1986,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,すべてのBOM apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,会社間仕訳伝票の登録 DocType: Company,Parent Company,親会社 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},{0}タイプのホテルルームは{1}で利用できません +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,原材料と作業の変更についてBOMを比較する apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,文書{0}は正常に未確認です DocType: Healthcare Practitioner,Default Currency,デフォルトの通貨 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,このアカウントを調整する @@ -1992,6 +2021,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-フォーム請求書の詳細 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,支払照合 請求 DocType: Clinical Procedure,Procedure Template,プロシージャテンプレート +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,アイテムを公開する apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,貢献% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",各購買設定で「発注が必要」が有効の場合、請求書を作成するには、先にアイテム {0} の発注を作成する必要があります ,HSN-wise-summary of outward supplies,HSNによる外部供給の要約 @@ -2004,7 +2034,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',設定」で追加の割引を適用」してください DocType: Party Tax Withholding Config,Applicable Percent,適用パーセント ,Ordered Items To Be Billed,支払予定注文済アイテム -DocType: Employee Checkin,Exit Grace Period Consequence,猶予期間終了の結果 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,範囲開始は範囲終了よりも小さくなければなりません DocType: Global Defaults,Global Defaults,共通デフォルト設定 apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,プロジェクトコラボレーション招待 @@ -2012,13 +2041,11 @@ DocType: Salary Slip,Deductions,控除 DocType: Setup Progress Action,Action Name,アクション名 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,開始年 apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ローンを作成 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,請求期限の開始日 DocType: Shift Type,Process Attendance After,後のプロセス参加 ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,無給休暇 DocType: Payment Request,Outward,外向き -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,キャパシティプランニングのエラー apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,州/ユタ州税 ,Trial Balance for Party,当事者用の試算表 ,Gross and Net Profit Report,総利益および純利益レポート @@ -2037,7 +2064,6 @@ DocType: Payroll Entry,Employee Details,従業員詳細 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}には資産が必要です -DocType: Setup Progress Action,Domains,ドメイン 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}を表示 @@ -2080,7 +2106,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,トータ 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.",支払モードが設定されていません。アカウントが支払モードやPOSプロファイルに設定されているかどうか、確認してください。 apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,同じアイテムを複数回入力することはできません。 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",アカウントはさらにグループの下に作成できますが、エントリは非グループに対して作成できます -DocType: Email Campaign,Lead,リード +DocType: Call Log,Lead,リード DocType: Email Digest,Payables,買掛金 DocType: Amazon MWS Settings,MWS Auth Token,MWS認証トークン DocType: Email Campaign,Email Campaign For ,のメールキャンペーン @@ -2092,6 +2118,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,支払予定発注アイテム 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,与信限度 DocType: Purchase Invoice Item,Net Rate,正味単価 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,顧客を選択してください DocType: Leave Policy,Leave Allocations,割り当てを残す @@ -2105,6 +2132,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,日後に閉じる問題 ,Eway Bill,エウェルビル apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,ユーザーをMarketplaceに追加するには、System ManagerおよびItem Managerの役割を持つユーザーである必要があります。 +DocType: Attendance,Early Exit,早期終了 DocType: Job Opening,Staffing Plan,人員配置計画 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSONは送信されたドキュメントからのみ生成できます apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,従業員の税金と福利厚生 @@ -2125,6 +2153,7 @@ DocType: Maintenance Team Member,Maintenance Role,保守役割 apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},行{0}は{1}と重複しています DocType: Marketplace Settings,Disable Marketplace,マーケットプレースを無効にする DocType: Quality Meeting,Minutes,議事録 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,あなたのおすすめアイテム ,Trial Balance,試算表 apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,完了を表示 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,年度は、{0}が見つかりません @@ -2134,8 +2163,8 @@ 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,接頭辞を選択してください DocType: Contract,Fulfilment Deadline,フルフィルメントの締め切り +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,あなたの近く DocType: Student,O-,O- -DocType: Shift Type,Consequence,結果 DocType: Subscription Settings,Subscription Settings,サブスクリプション設定 DocType: Purchase Invoice,Update Auto Repeat Reference,自動リピート参照を更新する apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},休暇期間{0}にオプションの休日リストが設定されていません @@ -2146,7 +2175,6 @@ DocType: Maintenance Visit Purpose,Work Done,作業完了 apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,属性テーブル内から少なくとも1つの属性を指定してください DocType: Announcement,All Students,全生徒 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,アイテム{0}は非在庫アイテムでなければなりません -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,元帳の表示 DocType: Grading Scale,Intervals,インターバル DocType: Bank Statement Transaction Entry,Reconciled Transactions,調停された取引 @@ -2182,6 +2210,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",この倉庫は販売注文を作成するために使用されます。代替倉庫は「店舗」です。 DocType: Work Order,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,仕入サイクル全体で同じレートを維持 DocType: Opportunity Item,Opportunity Item,機会アイテム DocType: Quality Action,Quality Review,品質レビュー @@ -2208,7 +2237,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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}を編集する権限がありません DocType: Journal Entry,Get Outstanding Invoices,未払いの請求を取得 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,受注{0}は有効ではありません +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,新しい見積依頼を警告する apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,購買発注は、あなたの購入を計画し、フォローアップに役立ちます apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,ラボテストの処方箋 @@ -2233,6 +2262,7 @@ DocType: Employee Onboarding,Notify users by email,メールでユーザーに DocType: Travel Request,International,国際 DocType: Training Event,Training Event,研修イベント DocType: Item,Auto re-order,自動再注文 +DocType: Attendance,Late Entry,遅刻 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,達成計 DocType: Employee,Place of Issue,発生場所 DocType: Promotional Scheme,Promotional Scheme Price Discount,プロモーションスキームの値引き @@ -2279,6 +2309,7 @@ DocType: Serial No,Serial No Details,シリアル番号詳細 DocType: Purchase Invoice Item,Item Tax Rate,アイテムごとの税率 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,パーティー名から apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,正味給与額 +DocType: Pick List,Delivery against Sales Order,受注に対する出荷 DocType: Student Group Student,Group Roll Number,グループ役割番号 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",{0}には、別の借方エントリに対する貸方勘定のみリンクすることができます apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,納品書{0}は提出されていません @@ -2350,7 +2381,6 @@ DocType: Contract,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,サプライヤー請求日 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,この値は比例時間計算に使用されます apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,「ショッピングカート」を有効にしてください DocType: Payment Entry,Writeoff,償却 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2364,6 +2394,7 @@ DocType: Delivery Trip,Total Estimated Distance,合計推定距離 DocType: Invoice Discounting,Accounts Receivable Unpaid Account,売掛金未払いアカウント DocType: Tally Migration,Tally Company,タリーカンパニー apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,部品表(BOM)ブラウザ +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},{0}の会計ディメンションを作成できません apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,このトレーニングイベントのステータスを更新してください DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,増減 @@ -2373,7 +2404,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,無効な販売明細 DocType: Quality Review,Additional Information,追加情報 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,注文価値合計 -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,サービスレベル契約のリセット apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,食べ物 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,エイジングレンジ3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POSクローズバウチャーの詳細 @@ -2420,6 +2450,7 @@ 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,キャンペーン 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',承認ステータスは「承認」または「拒否」でなければなりません DocType: Healthcare Practitioner,Contacts and Address,連絡先と住所 DocType: Shift Type,Determine Check-in and Check-out,チェックインとチェックアウトの決定 @@ -2439,7 +2470,6 @@ DocType: Student Admission,Eligibility and Details,資格と詳細 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,売上総利益に含まれる apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,固定資産の純変動 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,必要な数量 -DocType: Company,Client Code,クライアントコード apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}の料金タイプ「実費」はアイテムの料金に含めることはできません apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},最大:{0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,開始日時 @@ -2508,6 +2538,7 @@ DocType: Journal Entry Account,Account Balance,口座残高 apps/erpnext/erpnext/config/accounting.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 (%),超過手当(%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}:顧客は債権勘定に対して必要とされている{2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),租税公課合計(報告通貨) DocType: Weather,Weather Parameter,天候パラメータ @@ -2570,6 +2601,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,欠勤のしきい値 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,消費総額に基づいて複数の段階的な収集要因が存在する可能性があります。しかし、償還の換算係数は、すべての階層で常に同じになります。 apps/erpnext/erpnext/config/help.py,Item Variants,アイテムバリエーション apps/erpnext/erpnext/public/js/setup_wizard.js,Services,サービス +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,従業員への給与明細メールを送信する DocType: Cost Center,Parent Cost Center,親コストセンター @@ -2580,7 +2612,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields", DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,出荷時にShopifyから配送通知をインポートする apps/erpnext/erpnext/templates/pages/projects.html,Show closed,クローズ済を表示 DocType: Issue Priority,Issue Priority,問題の優先順位 -DocType: Leave Type,Is Leave Without Pay,無給休暇 +DocType: Leave Ledger Entry,Is Leave Without Pay,無給休暇 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,資産カテゴリーは、固定資産の項目は必須です DocType: Fee Validity,Fee Validity,手数料の妥当性 @@ -2629,6 +2661,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,倉庫での利用 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,更新印刷フォーマット DocType: Bank Account,Is Company Account,企業アカウント apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,タイプ{0}を残すことはできません +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},会社{0}の与信限度はすでに定義されています DocType: Landed Cost Voucher,Landed Cost Help,陸揚費用ヘルプ DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG- .YYYY.- DocType: Purchase Invoice,Select Shipping Address,配送先住所を選択 @@ -2654,6 +2687,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} が複数存在しています DocType: Item Alternative,Two-way,双方向 DocType: Item,Manufacturers,メーカー @@ -2690,7 +2724,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,銀行勘定調整表 DocType: Patient Encounter,Medical Coding,医療用コード DocType: Healthcare Settings,Reminder Message,リマインダーメッセージ -,Lead Name,リード名 +DocType: Call Log,Lead Name,リード名 ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,プロスペクト @@ -2722,12 +2756,14 @@ DocType: Purchase Invoice,Supplier Warehouse,サプライヤー倉庫 DocType: Opportunity,Contact Mobile No,連絡先携帯番号 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,会社を選択 ,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: Student Report Generation Tool,Print Section,印刷セクション DocType: Staffing Plan Detail,Estimated Cost Per Position,見積り1人当たりコスト DocType: Employee,HR-EMP-,HR-EMP- 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,質の高い会議議事録 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,サプライヤ>サプライヤタイプ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,従業員の紹介 DocType: Student Group,Set 0 for no limit,制限なしの場合は0を設定します apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,あなたは休暇を申請された日(複数可)は祝日です。あなたは休暇を申請する必要はありません。 @@ -2761,12 +2797,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,現金の純変更 DocType: Assessment Plan,Grading Scale,評価尺度 apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,数量{0}が変換係数表に複数回記入されました。 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,完了済 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,手持ちの在庫 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",残りのメリット{0}を\ pro-rataコンポーネントとしてアプリケーションに追加してください apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',行政 '%s'の会計コードを設定してください -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},支払依頼がすでに存在しています {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,課題アイテムの費用 DocType: Healthcare Practitioner,Hospital,病院 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},数量は{0}以下でなければなりません @@ -2811,6 +2845,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,人事 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,高収益 DocType: Item Manufacturer,Item Manufacturer,アイテムのメーカー +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,新しいリードを作成 DocType: BOM Operation,Batch Size,バッチサイズ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,拒否 DocType: Journal Entry Account,Debit in Company Currency,会社通貨での借方 @@ -2831,9 +2866,11 @@ DocType: Bank Transaction,Reconciled,調整済み DocType: Expense Claim,Total Amount Reimbursed,総払戻額 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,これは、この車両に対するログに基づいています。詳細については、以下のタイムラインを参照してください。 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,給与計算日は従業員の加入日よりも短くすることはできません +DocType: Pick List,Item Locations,アイテムの場所 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} 作成済 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",指定{0}の求人オープンはすでに開かれているか、またはスタッフプラン{1}に従って雇用が完了しました +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,最大200個のアイテムを公開できます。 DocType: Vital Signs,Constipated,便秘 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},対サプライヤー請求書{0} 日付{1} DocType: Customer,Default Price List,デフォルト価格表 @@ -2925,6 +2962,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,実績開始シフト DocType: Tally Migration,Is Day Book Data Imported,Day Bookのデータがインポートされたか apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,マーケティング費用 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0}ユニットの{1}は使用できません。 ,Item Shortage Report,アイテム不足レポート 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,標準条件を作成できません。条件の名前を変更してください @@ -2947,6 +2985,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,退職日 DocType: Upload Attendance,Get Template,テンプレートを取得 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ピックリスト ,Sales Person Commission Summary,営業担当者の要約 DocType: Material Request,Transferred,転送された DocType: Vehicle,Doors,ドア @@ -3027,7 +3066,7 @@ DocType: Sales Invoice Item,Customer's Item Code,顧客のアイテムコード DocType: Stock Reconciliation,Stock Reconciliation,在庫棚卸 DocType: Territory,Territory Name,地域名 DocType: Email Digest,Purchase Orders to Receive,受け取る注文を購入する -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,提出する前に作業中の倉庫が必要です +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,提出する前に作業中の倉庫が必要です apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,サブスクリプションには同じ請求期間を持つプランしか含めることができません DocType: Bank Statement Transaction Settings Item,Mapped Data,マップされたデータ DocType: Purchase Order Item,Warehouse and Reference,倉庫と問い合わせ先 @@ -3101,6 +3140,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,配信設定 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,データを取得する apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},休暇タイプ{0}に許可される最大休暇は{1}です。 +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1アイテムを公開 DocType: SMS Center,Create Receiver List,受領者リストを作成 DocType: Student Applicant,LMS Only,LMSのみ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,使用可能日は購入日の後でなければなりません @@ -3134,6 +3174,7 @@ DocType: Serial No,Delivery Document No,納品文書番号 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,生成されたシリアル番号に基づいた配信の保証 DocType: Vital Signs,Furry,毛むくじゃら apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},当社では「資産売却益/損失勘定 'を設定してください{0} +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}のターゲット場所が必要です @@ -3145,6 +3186,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},{0}からのすべての問題を見る DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,品質会議テーブル +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/templates/pages/help.html,Visit the forums,フォーラムにアクセス DocType: Student,Student Mobile Number,生徒携帯電話番号 DocType: Item,Has Variants,バリエーションあり @@ -3155,9 +3197,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,月次配分の名前 DocType: Quality Procedure Process,Quality Procedure Process,品質管理プロセス apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,バッチIDは必須です +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,最初に顧客を選択してください DocType: Sales Person,Parent Sales Person,親販売担当者 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,受け取るべき項目が期限切れになっていない apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,売り手と買い手は同じではありません +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,まだ表示がありません DocType: Project,Collect Progress,進行状況を収集する DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN- .YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,最初にプログラムを選択する @@ -3179,11 +3223,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,達成 DocType: Student Admission,Application Form Route,申込書ルート apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,契約の終了日を今日より短くすることはできません。 +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,送信するにはCtrl + Enter DocType: Healthcare Settings,Patient Encounters in valid days,有効な日の患者の出会い apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,それは無給のままにされているので、タイプは{0}を割り当てることができないままに 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}以下である必要があります。 DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,請求書を保存すると表示される表記内。 DocType: Lead,Follow Up,ファローアップ +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,コストセンター:{0}は存在しません DocType: Item,Is Sales Item,販売アイテム apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,アイテムグループツリー apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,アイテム{0}にはシリアル番号が設定されていません。アイテムマスタを確認してください。 @@ -3227,9 +3273,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,サプライ数量 DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,資材要求アイテム -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,最初に購買領収書{0}をキャンセルしてください apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,アイテムグループのツリー DocType: Production Plan,Total Produced Qty,総生産数量 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,レビューはまだありません apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,この請求タイプの行数以上の行番号を参照することはできません DocType: Asset,Sold,販売: ,Item-wise Purchase History,アイテムごとの仕入履歴 @@ -3248,7 +3294,7 @@ DocType: Designation,Required Skills,必要なスキル DocType: Inpatient Record,O Positive,Oポジティブ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,投資 DocType: Issue,Resolution Details,課題解決詳細 -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,取引タイプ +DocType: Leave Ledger Entry,Transaction Type,取引タイプ DocType: Item Quality Inspection Parameter,Acceptance Criteria,合否基準 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,上記の表に資材要求を入力してください apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,仕訳入力に返金はありません @@ -3289,6 +3335,7 @@ DocType: Bank Account,Bank Account No,銀行口座番号 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,従業員税免除証明書の提出 DocType: Patient,Surgical History,外科の歴史 DocType: Bank Statement Settings Item,Mapped Header,マップされたヘッダー +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,人事管理> HR設定で従業員命名システムを設定してください DocType: Employee,Resignation Letter Date,辞表提出日 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,価格設定ルールは量に基づいてさらにフィルタリングされます apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},従業員{0}の参加日を設定してください @@ -3356,7 +3403,6 @@ DocType: Student Report Generation Tool,Add Letterhead,レターヘッド追加 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,総割り当てられた葉{0}の期間のために既に承認された葉{1}より小さくすることはできません DocType: Contract Fulfilment Checklist,Requirement,要件 DocType: Journal Entry,Accounts Receivable,売掛金 DocType: Quality Goal,Objectives,目的 @@ -3379,7 +3425,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,単一トランザク DocType: Lab Test Template,This value is updated in the Default Sales Price List.,この値は、デフォルトの販売価格一覧で更新されます。 apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,あなたのカートは空です DocType: Email Digest,New Expenses,新しい経費 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC額 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,ドライバーの住所が見つからないため、ルートを最適化できません。 DocType: Shareholder,Shareholder,株主 DocType: Purchase Invoice,Additional Discount Amount,追加割引額 @@ -3416,6 +3461,7 @@ DocType: Asset Maintenance Task,Maintenance Task,保守タスク apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,GST設定でB2C制限を設定してください。 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,キー日付{2}の{0}から{1}への為替レートを見つけることができません。通貨レコードを手動で作成してください 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}はデフォルト会計年度です。変更を反映するためにブラウザを更新してください @@ -3452,6 +3498,7 @@ DocType: Salary Component,Deduction,控除 DocType: Item,Retain Sample,保管サンプル apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,行{0}:時間との時間からは必須です。 DocType: Stock Reconciliation Item,Amount Difference,量差 +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,このページでは、販売者から購入したいアイテムを追跡します。 apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},価格表{1}の{0}にアイテム価格を追加しました DocType: Delivery Stop,Order Information,注文情報 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,営業担当者の従業員IDを入力してください @@ -3480,6 +3527,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,「会計年度」は、会計年度を表します。すべての会計記帳および他の主要な取引は、「会計年度」に対して記録されます。 DocType: Opportunity,Customer / Lead Address,顧客/リード住所 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,サプライヤスコアカードの設定 +DocType: Customer Credit Limit,Customer Credit Limit,顧客の信用限度 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,評価計画名 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ターゲット詳細 apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",会社がSpA、SApAまたはSRLの場合に適用可能 @@ -3532,7 +3580,6 @@ DocType: Company,Transactions Annual History,トランザクション 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,銀行名 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,以上 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,6 +3631,7 @@ 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,注目アイテムに追加 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,今年の利益 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,処理中 @@ -3637,12 +3685,10 @@ 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,同じ項目を複数回許可する -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,会社のGST番号が見つかりません。 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,従業員 DocType: Question,Single Correct Answer,単一の正解 -DocType: Employee,Contact Details,連絡先の詳細 DocType: C-Form,Received Date,受信日 DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",販売租税公課テンプレート内の標準テンプレートを作成した場合、いずれかを選択して、下のボタンをクリックしてください DocType: BOM Scrap Item,Basic Amount (Company Currency),基本額(会社通貨) @@ -3672,12 +3718,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOMウェブサイト運用 DocType: Bank Statement Transaction Payment Item,outstanding_amount,普通でない量 DocType: Supplier Scorecard,Supplier Score,サプライヤの得点 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,入場スケジュール +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,支払い要求の合計額は{0}を超えることはできません DocType: Tax Withholding Rate,Cumulative Transaction Threshold,累積トランザクションのしきい値 DocType: Promotional Scheme Price Discount,Discount Type,割引タイプ -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,請求額合計 DocType: Purchase Invoice Item,Is Free Item,無料商品です +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,注文した数量に対してさらに送金できる割合。例:100ユニットを注文した場合。あなたの手当が10%の場合、110単位を転送できます。 DocType: Supplier,Warn RFQs,見積依頼を警告する -apps/erpnext/erpnext/templates/pages/home.html,Explore,探検 +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,探検 DocType: BOM,Conversion Rate,変換速度 apps/erpnext/erpnext/www/all-products/index.html,Product Search,商品検索 ,Bank Remittance,銀行送金 @@ -3689,6 +3736,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,合計金額 DocType: Asset,Insurance End Date,保険終了日 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,有料の生徒出願に必須となる生徒の入学を選択してください +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,予算リスト DocType: Campaign,Campaign Schedules,キャンペーンスケジュール DocType: Job Card Time Log,Completed Qty,完成した数量 @@ -3711,6 +3759,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,新しい DocType: Quality Inspection,Sample Size,サンプルサイズ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,領収書の文書を入力してください。 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,全てのアイテムはすでに請求済みです +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,取られた葉 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',有効な「参照元ケース番号」を指定してください 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,コストセンターはさらにグループの下に作成できますが、エントリは非グループに対して対して作成できます 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,割り当てられた葉の合計は、期間中の従業員{1}の{0}離脱タイプの最大割り当てよりも日数が多くなります @@ -3810,6 +3859,8 @@ 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: Call Log,Received By,が受信した 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.,製品の業種や部門ごとに個別の収益と費用を追跡します @@ -3864,6 +3915,7 @@ DocType: Support Search Source,Result Title Field,結果タイトルフィール apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,通話サマリー DocType: Sample Collection,Collected Time,収集時間 DocType: Employee Skill Map,Employee Skills,従業員のスキル +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,燃料費 DocType: Company,Sales Monthly History,販売月間の履歴 apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,税金テーブルに少なくとも1行を設定してください DocType: Asset Maintenance Task,Next Due Date,次の締切日 @@ -3873,6 +3925,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,生命反 DocType: Payment Entry,Payment Deductions or Loss,支払控除や損失 DocType: Soil Analysis,Soil Analysis Criterias,土壌分析基準 apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,販売・仕入用の標準的な契約条件 +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},{0}で削除された行 DocType: Shift Type,Begin check-in before shift start time (in minutes),シフト開始時刻の前にチェックインを開始する(分単位) DocType: BOM Item,Item operation,アイテム操作 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,伝票によるグループ @@ -3898,11 +3951,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,従業員の給与スリップ{0}はすでにこの期間のために作成します apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,医薬品 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,有効な払込金額に限り、払い戻しを提出することができます +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,アイテム apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,仕入アイテムの費用 DocType: Employee Separation,Employee Separation Template,従業員分離テンプレート DocType: Selling Settings,Sales Order Required,受注必須 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,売り手になる -DocType: Shift Type,The number of occurrence after which the consequence is executed.,結果が実行された後の発生回数。 ,Procurement Tracker,調達トラッカー DocType: Purchase Invoice,Credit To,貸方へ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,反転したITC @@ -3915,6 +3968,7 @@ DocType: Quality Meeting,Agenda,議題 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,保守スケジュール詳細 DocType: Supplier Scorecard,Warn for new Purchase Orders,新しい発注を警告する DocType: Quality Inspection Reading,Reading 9,報告要素9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,ExotelアカウントをERPNextに接続し、通話ログを追跡する DocType: Supplier,Is Frozen,凍結 DocType: Tally Migration,Processed Files,処理済みファイル apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,グループノード倉庫が取引のために選択することが許可されていません @@ -3924,6 +3978,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,完成品アイテ DocType: Upload Attendance,Attendance To Date,出勤日 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,処方箋 @@ -3948,7 +4003,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,依頼者 apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},無効な参照 {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,さまざまなプロモーションスキームを適用するための規則。 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0}({1})は製造指示{3}において計画数量({2})より大きくすることはできません DocType: Shipping Rule,Shipping Rule Label,出荷ルールラベル DocType: Journal Entry Account,Payroll Entry,給与計算エントリ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,料金の記録を見る @@ -3960,6 +4014,7 @@ DocType: Contract,Fulfilment Status,フルフィルメントステータス DocType: Lab Test Sample,Lab Test Sample,ラボテストサンプル DocType: Item Variant Settings,Allow Rename Attribute Value,属性値の名前変更を許可する apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,クイック仕訳エントリー +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,将来の支払い額 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,アイテムに対して部品表が記載されている場合は、レートを変更することができません DocType: Restaurant,Invoice Series Prefix,請求書シリーズ接頭辞 DocType: Employee,Previous Work Experience,前職歴 @@ -3989,6 +4044,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,プロジェクトステータス DocType: UOM,Check this to disallow fractions. (for Nos),数に小数を許可しない場合チェック DocType: Student Admission Program,Naming Series (for Student Applicant),シリーズ命名(生徒出願用) +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/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,プラクティショナーサービスユニットスケジュール @@ -4004,6 +4060,7 @@ DocType: Fiscal Year,Year End Date,年終日 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} は終了しています @@ -4012,6 +4069,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,在庫状況を取得 DocType: Purchase Invoice,ineligible,不適格 apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,部品表ツリー +DocType: BOM,Exploded Items,爆発物 DocType: Student,Joining Date,参加日 ,Employees working on a holiday,休日出勤者 ,TDS Computation Summary,TDS計算サマリー @@ -4044,6 +4102,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),基本単価(在庫 DocType: SMS Log,No of Requested SMS,リクエストされたSMSの数 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,承認された休暇申請の記録と一致しない無給休暇 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,次のステップ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,保存したアイテム DocType: Travel Request,Domestic,国内の apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,可能な限り最高のレートで指定した項目を入力してください apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,従業員譲渡は譲渡日前に提出することはできません。 @@ -4123,7 +4182,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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}にすでに割り当てられています。 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,行番号{0}(支払いテーブル):金額は正の値でなければなりません -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},受注数{1}より多くのアイテム{0}を製造することはできません +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},受注数{1}より多くのアイテム{0}を製造することはできません apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,総額には何も含まれていません apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,この文書に対するe-Way Billはすでに存在します apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,属性値選択 @@ -4158,12 +4217,10 @@ 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,セットアップ会社 -DocType: Shift Type,Enable Different Consequence for Early Exit,早期終了に対して異なる結果を有効にする ,Lab Test Report,ラボテストレポート DocType: Employee Benefit Application,Employee Benefit Application,従業員給付申請書 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,追加の給与コンポーネントが存在します。 DocType: Purchase Invoice,Unregistered,未登録 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,まず納品書が先です DocType: Student Applicant,Application Date,出願日 DocType: Salary Component,Amount based on formula,式に基づく量 DocType: Purchase Invoice,Currency and Price List,通貨と価格表 @@ -4192,6 +4249,7 @@ DocType: Purchase Receipt,Time at which materials were received,資材受領時 DocType: Products Settings,Products per Page,ページあたりの製品 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,支払い日 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,配賦金額はマイナスにすることはできません DocType: Sales Order,Billing Status,課金状況 apps/erpnext/erpnext/public/js/conf.js,Report an Issue,課題をレポート @@ -4199,6 +4257,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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}を持っているか、すでに別のバウチャーに対して一致しません DocType: Supplier Scorecard Criteria,Criteria Weight,基準重量 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,アカウント:{0}は支払いエントリでは許可されていません DocType: Production Plan,Ignore Existing Projected Quantity,既存の予測数量を無視 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,承認通知を残す DocType: Buying Settings,Default Buying Price List,デフォルト購入価格表 @@ -4207,6 +4266,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},行{0}:資産アイテム{1}の場所を入力してください DocType: Employee Checkin,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.",会社、通貨、会計年度などのデフォルト値を設定 DocType: Payment Entry,Payment Type,支払タイプ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,アイテム{0}のバッチを選択してください。この要件を満たす単一のバッチを見つけることができません @@ -4235,6 +4295,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,ショッピングカー DocType: Journal Entry,Accounting Entries,会計エントリー 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.",選択された価格設定ルールが 'レート'に対して行われた場合、価格リストが上書きされます。価格設定ルールレートは最終レートなので、これ以上の割引は適用されません。したがって、受注、購買発注などの取引では、[価格リスト]フィールドではなく[レート]フィールドで取得されます。 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,[教育]> [教育設定]でインストラクターの命名システムを設定してください DocType: Journal Entry,Paid Loan,有料ローン 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,参照期限 @@ -4251,12 +4312,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooksの詳細 apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,勤務表がありません DocType: GoCardless Mandate,GoCardless Customer,GoCardlessカスタマー apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0}キャリー転送できないタイプを残します +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',保守スケジュールが全てのアイテムに生成されていません。「スケジュールを生成」をクリックしてください ,To Produce,製造 DocType: Leave Encashment,Payroll,給与 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",{1}の行{0}では、アイテム単価に{2}を含める場合、行{3}も含まれている必要があります DocType: Healthcare Service Unit,Parent Service Unit,親サービスユニット DocType: Packing Slip,Identification of the package for the delivery (for print),納品パッケージの識別票(印刷用) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,サービスレベル契約がリセットされました。 DocType: Bin,Reserved Quantity,予約数量 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,有効なメールアドレスを入力してください DocType: Volunteer Skill,Volunteer Skill,ボランティアスキル @@ -4277,7 +4340,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,価格または製品割引 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,行{0}の場合:計画数量を入力してください DocType: Account,Income Account,収益勘定 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー DocType: Payment Request,Amount in customer's currency,顧客通貨での金額 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,配送 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,構造を割り当てています... @@ -4300,6 +4362,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,参照 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?,以前に生成された請求書のレコードは失われます。この定期購入を再開してもよろしいですか? @@ -4355,11 +4418,10 @@ DocType: Additional Salary,HR User,人事ユーザー DocType: Bank Guarantee,Reference Document Name,参照文書名 DocType: Purchase Invoice,Taxes and Charges Deducted,租税公課控除 DocType: Support Settings,Issues,課題 -DocType: Shift Type,Early Exit Consequence after,早期終了後の結果 DocType: Loyalty Program,Loyalty Program Name,ロイヤリティプログラム名 apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},ステータスは{0}のどれかでなければなりません apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,お知らせGSTIN送信済み -DocType: Sales Invoice,Debit To,借方計上 +DocType: Discounted Invoice,Debit To,借方計上 DocType: Restaurant Menu Item,Restaurant Menu Item,レストランメニューアイテム DocType: Delivery Note,Required only for sample item.,サンプルアイテムにのみ必要です DocType: Stock Ledger Entry,Actual Qty After Transaction,トランザクションの後、実際の数量 @@ -4442,6 +4504,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,パラメータ名 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,「承認済み」と「拒否」に提出することができる状態でアプリケーションをのみを残します apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,ディメンションを作成しています... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},行 {0} には生徒グループ名が必須です +DocType: Customer Credit Limit,Bypass credit limit_check,クレジットlimit_checkをバイパス DocType: Homepage,Products to be shown on website homepage,ウェブサイトのホームページに表示される製品 DocType: HR Settings,Password Policy,パスワードポリシー apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,ルート(大元の)顧客グループなので編集できません @@ -4499,10 +4562,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),同 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,レストランの設定でデフォルトの顧客を設定してください ,Salary Register,給与登録 DocType: Company,Default warehouse for Sales Return,返品のデフォルト倉庫 -DocType: Warehouse,Parent Warehouse,親倉庫 +DocType: Pick List,Parent Warehouse,親倉庫 DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},アイテム{0}およびプロジェクト{1}にデフォルトBOMが見つかりません +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}:支払いスケジュールに支払い方法を設定してください apps/erpnext/erpnext/config/non_profit.py,Define various loan types,様々なローンのタイプを定義します DocType: Bin,FCFS Rate,FCFSレート @@ -4539,6 +4602,7 @@ DocType: Travel Itinerary,Lodging Required,宿泊が必要 DocType: Promotional Scheme,Price Discount Slabs,価格割引スラブ DocType: Stock Reconciliation Item,Current Serial No,現在のシリアル番号 DocType: Employee,Attendance and Leave Details,出席と休暇の詳細 +,BOM Comparison Tool,BOM比較ツール ,Requested,要求済 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,備考がありません DocType: Asset,In Maintenance,保守中 @@ -4561,6 +4625,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,デフォルトのサービスレベル契約 DocType: SG Creation Tool Course,Course Code,コースコード apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,{0}に対する複数の選択は許可されていません +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,原材料の数量は、完成品の数量に基づいて決定されます DocType: Location,Parent Location,親の場所 DocType: POS Settings,Use POS in Offline Mode,オフラインモードでPOSを使用 apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,優先順位が{0}に変更されました。 @@ -4579,7 +4644,7 @@ DocType: Stock Settings,Sample Retention Warehouse,サンプル保持倉庫 DocType: Company,Default Receivable Account,デフォルト売掛金勘定 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,予測数量計算式 DocType: Sales Invoice,Deemed Export,みなし輸出 -DocType: Stock Entry,Material Transfer for Manufacture,製造用資材移送 +DocType: Pick List,Material Transfer for Manufacture,製造用資材移送 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.,割引率は、価格表に対して、またはすべての価格リストのいずれかを適用することができます。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,在庫の会計エントリー DocType: Lab Test,LabTest Approver,LabTest承認者 @@ -4622,7 +4687,6 @@ DocType: Training Event,Theory,学理 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,警告:資材要求数が最小注文数を下回っています。 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,アカウント{0}は凍結されています DocType: Quiz Question,Quiz Question,クイズの質問 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,サプライヤ>サプライヤタイプ 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",食品、飲料&タバコ @@ -4653,6 +4717,7 @@ 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,公開されたアイテム DocType: Account,Expense Account,経費科目 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,ソフトウェア apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,カラー @@ -4690,6 +4755,7 @@ 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,すべての銀行取引が登録されました DocType: Fee Validity,Visited yet,未訪問 +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,最大8つのアイテムをフィーチャーできます。 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.,販売取引に基づいてプロジェクトや会社を更新する頻度。 @@ -4697,7 +4763,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,保管温度 @@ -4722,7 +4787,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,時間単位のUOM DocType: Contract,Signee Details,署名者の詳細 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0}には現在、サプライヤースコアカード {1} が指定されており、このサプライヤーへの見積依頼は慎重に行なう必要があります。 DocType: Certified Consultant,Non Profit Manager,非営利のマネージャー -DocType: BOM,Total Cost(Company Currency),総コスト(会社通貨) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,シリアル番号 {0}を作成しました DocType: Homepage,Company Description for website homepage,ウェブサイトのホームページのための会社説明 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",これらのコードは、顧客の便宜のために、請求書および納品書等の印刷形式で使用することができます @@ -4750,7 +4814,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,領収書 DocType: Amazon MWS Settings,Enable Scheduled Synch,スケジュールされた同期を有効にする apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,終了日時 apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,SMSの配信状態を維持管理するためのログ -DocType: Shift Type,Early Exit Consequence,早期終了の影響 DocType: Accounts Settings,Make Payment via Journal Entry,仕訳を経由して支払いを行います apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,一度に500個を超えるアイテムを作成しないでください apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,上に印刷 @@ -4807,6 +4870,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,リミットク 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,秘密 +DocType: Plaid Settings,Plaid Secret,格子縞の秘密 DocType: Company,Date of Establishment,設立日 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,ベンチャーキャピタル apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,この「アカデミックイヤー '{0}と{1}はすでに存在している「中期名」との学術用語。これらのエントリを変更して、もう一度お試しください。 @@ -4868,6 +4932,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,顧客タイプ DocType: Compensatory Leave Request,Leave Allocation,休暇割当 DocType: Payment Request,Recipient Message And Payment Details,受信者のメッセージと支払いの詳細 +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,納品書を選択してください DocType: Support Search Source,Source DocType,ソースDocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,新しいチケットを開く DocType: Training Event,Trainer Email,研修講師メール @@ -4988,6 +5053,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,繰り越し休暇 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',「終了日」は「開始日」の後にしてください。 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,この指定のための職員配置計画は見つかりません apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,アイテム{1}のバッチ{0}は無効です。 @@ -5009,7 +5075,7 @@ DocType: Clinical Procedure,Patient,患者 apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,受注での与信確認のバイパス DocType: Employee Onboarding Activity,Employee Onboarding Activity,従業員のオンボーディング活動 DocType: Location,Check if it is a hydroponic unit,水耕栽培ユニットであるかどうかを確認する -DocType: Stock Reconciliation Item,Serial No and Batch,シリアル番号とバッチ +DocType: Pick List Item,Serial No and Batch,シリアル番号とバッチ DocType: Warranty Claim,From Company,会社から DocType: GSTR 3B Report,January,1月 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,評価基準のスコアの合計は{0}にする必要があります。 @@ -5033,7 +5099,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,会社間取引で{0}は見つかりませんでした。 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,レンタカー apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,あなたの会社について apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,貸方アカウントは貸借対照表アカウントである必要があります @@ -5066,11 +5131,13 @@ apps/erpnext/erpnext/config/accounting.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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,残り DocType: Appraisal,Appraisal,査定 DocType: Loan,Loan Account,ローン口座 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,有効期間および有効期間は累計に必須です。 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",行{1}のアイテム{0}の場合、シリアル番号のカウントはピッキングされた数量と一致しません DocType: Purchase Invoice,GST Details,GSTの詳細 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,これは、このヘルスケアプラクティショナーとの取引に基づいています。 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},サプライヤに送信されたメール{0} @@ -5134,6 +5201,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),梱包の総重量は通常、正味重量+梱包材重量です (印刷用) DocType: Assessment Plan,Program,教育課程 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,この役割を持つユーザーは、口座の凍結と、凍結口座に対しての会計エントリーの作成/修正が許可されています +DocType: Plaid Settings,Plaid Environment,格子縞の環境 ,Project Billing Summary,プロジェクト請求の概要 DocType: Vital Signs,Cuts,カット DocType: Serial No,Is Cancelled,キャンセル済 @@ -5195,7 +5263,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,注:アイテム{0}の数量が0であるため、システムは超過納品や超過注文をチェックしません。 DocType: Issue,Opening Date,日付を開く apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,最初に患者を救ってください -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,新しい連絡先を作る apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,出席が正常にマークされています。 DocType: Program Enrollment,Public Transport,公共交通機関 DocType: Sales Invoice,GST Vehicle Type,GST車両タイプ @@ -5221,6 +5288,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,サプラ DocType: POS Profile,Write Off Account,償却勘定 DocType: Patient Appointment,Get prescribed procedures,所定の手続きを取る DocType: Sales Invoice,Redemption Account,償還口座 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,最初にアイテムの場所テーブルにアイテムを追加します DocType: Pricing Rule,Discount Amount,割引額 DocType: Pricing Rule,Period Settings,期間設定 DocType: Purchase Invoice,Return Against Purchase Invoice,仕入請求書に対する返品 @@ -5253,7 +5321,6 @@ DocType: Assessment Plan,Assessment Plan,評価計画 DocType: Travel Request,Fully Sponsored,完全にスポンサーされた apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,逆仕訳入力 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,求人カードを作成する -DocType: Shift Type,Consequence after,後の結果 DocType: Quality Procedure Process,Process Description,過程説明 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,顧客 {0} が作成されました。 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,現在どの倉庫にも在庫がありません @@ -5288,6 +5355,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,決済日 DocType: Delivery Settings,Dispatch Notification Template,ディスパッチ通知テンプレート apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,評価レポート apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,従業員を得る +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,住所種別 @@ -5381,7 +5449,6 @@ DocType: Stock Settings,Use Naming Series,命名シリーズを使用する apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,何もしない apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,評価タイプの請求は「包括的」にマークすることはえきません DocType: POS Profile,Update Stock,在庫更新 -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,アイテムごとに数量単位が異なると、(合計)正味重量値が正しくなりません。各アイテムの正味重量が同じ単位になっていることを確認してください。 DocType: Certification Application,Payment Details,支払詳細 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,部品表通貨レート @@ -5416,7 +5483,6 @@ 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}にバッチ番号が必須です apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,ルート(大元の)営業担当者なので編集できません DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",選択した場合、このコンポーネントで指定または計算された値は、収益または控除に影響しません。ただし、他のコンポーネントの増減によって値が参照される可能性があります。 -DocType: Asset Settings,Number of Days in Fiscal Year,会計年度の日数 ,Stock Ledger,在庫元帳 DocType: Company,Exchange Gain / Loss Account,取引利益/損失のアカウント DocType: Amazon MWS Settings,MWS Credentials,MWS資格 @@ -5451,6 +5517,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,銀行ファイルの列 apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},学生{1}に対して既にアプリケーション{0}を残しておきます apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,すべての部品表で最新の価格を更新するために待機します。数分かかることがあります。 +DocType: Pick List,Get Item Locations,アイテムの場所を取得する apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,新しいアカウント名。注:顧客やサプライヤーのためにアカウントを作成しないでください DocType: POS Profile,Display Items In Stock,在庫アイテムの表示 apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,国ごとのデフォルトのアドレステンプレート @@ -5474,6 +5541,7 @@ DocType: Crop,Materials Required,必要な材料 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,生徒が存在しません DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,毎月のHRA免除 DocType: Clinical Procedure,Medical Department,医療部 +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,早期終了の合計 DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,サプライヤスコアカードスコアリング基準 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,請求書の転記日付 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,売る @@ -5485,11 +5553,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","このドキュメントをキャンセルするには、従業員{0} \を削除してください" DocType: Program Enrollment,School House,スクールハウス DocType: Serial No,Out of AMC,年間保守契約外 DocType: Opportunity,Opportunity Amount,機会費用 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,あなたのプロフィール apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,予約された減価償却の数は、減価償却費の合計数を超えることはできません DocType: Purchase Order,Order Confirmation Date,注文確認日 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5583,7 +5650,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",レート、株式数、計算された金額には矛盾があります apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,あなたは、代休休暇の要求日の間に一日中は存在しません apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,確認のため会社名を再入力してください -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,残高合計 DocType: Journal Entry,Printing Settings,印刷設定 DocType: Payment Order,Payment Order Type,支払指図タイプ DocType: Employee Advance,Advance Account,アドバンスアカウント @@ -5672,7 +5738,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,年の名前 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,休日数が月営業日数を上回っています apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,次のアイテム{0}は{1}アイテムとしてマークされていません。アイテムマスターから{1}アイテムとして有効にすることができます -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LCリファレンス DocType: Production Plan Item,Product Bundle Item,製品付属品アイテム DocType: Sales Partner,Sales Partner Name,販売パートナー名 apps/erpnext/erpnext/hooks.py,Request for Quotations,見積依頼 @@ -5681,19 +5746,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,通常のテスト項目 DocType: QuickBooks Migrator,Company Settings,会社の設定 DocType: Additional Salary,Overwrite Salary Structure Amount,上書き給与構造金額 -apps/erpnext/erpnext/config/hr.py,Leaves,葉 +DocType: Leave Ledger Entry,Leaves,葉 DocType: Student Language,Student Language,生徒言語 DocType: Cash Flow Mapping,Is Working Capital,働く資本 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,証明を送信 apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,注文/クォート% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,患者のバイタルを記録する DocType: Fee Schedule,Institution,機関 -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: Asset,Partially Depreciated,部分的に減価償却 DocType: Issue,Opening Time,「時間」を開く apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,期間日付が必要です apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,証券・商品取引所 -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},{0}による通話の概要:{1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,ドキュメント検索 apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',バリエーションのデフォルト単位 '{0}' はテンプレート '{1}' と同じである必要があります DocType: Shipping Rule,Calculate Based On,計算基準 @@ -5739,6 +5802,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,最大許容値 DocType: Journal Entry Account,Employee Advance,従業員前払金 DocType: Payroll Entry,Payroll Frequency,給与頻度 +DocType: Plaid Settings,Plaid Client ID,格子縞のクライアントID DocType: Lab Test Template,Sensitivity,感度 DocType: Plaid Settings,Plaid Settings,格子縞の設定 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,最大再試行回数を超えたため、同期が一時的に無効になっています @@ -5756,6 +5820,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,最初の転記日付を選択してください apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,開始日は終了日より前でなければなりません DocType: Travel Itinerary,Flight,フライト +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,家に帰る DocType: Leave Control Panel,Carry Forward,繰り越す apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,既存の取引があるコストセンターは、元帳に変換することはできません DocType: Budget,Applicable on booking actual expenses,実費を予約する場合に適用 @@ -5811,6 +5876,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,見積を登録 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,休暇申請を承認する権限がありません apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} {1}へのリクエスト apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,これら全アイテムはすでに請求済みです +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,指定したフィルターに該当する{0} {1}の未払いの請求書は見つかりませんでした。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,新しいリリース日を設定する DocType: Company,Monthly Sales Target,月次販売目標 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,未払いの請求書が見つかりません @@ -5857,6 +5923,7 @@ DocType: Water Analysis,Type of Sample,サンプルの種類 DocType: Batch,Source Document Name,ソースドキュメント名 DocType: Production Plan,Get Raw Materials For Production,生産のための原材料を入手する DocType: Job Opening,Job Title,職業名 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,将来の支払い参照 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.",{0}は{1}が見積提出されないことを示していますが、全てのアイテムは見積もられています。 見積依頼の状況を更新しています。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,最大サンプル - {0} はバッチ {1} およびバッチ {3} 内のアイテム {2} として既に保管されています。 @@ -5867,12 +5934,10 @@ 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: Company,Product Code,製品コード DocType: Quality Review Table,Objective,目的 DocType: Supplier Scorecard,Per Month,月毎 DocType: Education Settings,Make Academic Term Mandatory,アカデミック・タームを必須にする -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,製造数量は0より大きくなければなりません -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,会計年度に基づく償却償却スケジュールの計算 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,製造数量は0より大きくなければなりません apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,保守要請の訪問報告 DocType: Stock Entry,Update Rate and Availability,単価と残量をアップデート 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単位の受領を許可されます。 @@ -5883,7 +5948,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,発売日は未来でなければなりません DocType: BOM,Website Description,ウェブサイトの説明 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,資本の純変動 -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,最初の購入請求書{0}をキャンセルしてください apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,許可されていません。サービスユニットタイプを無効にしてください apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}",メールアドレスは一意である必要があり、すでに {0} が存在します DocType: Serial No,AMC Expiry Date,年間保守契約の有効期限日 @@ -5927,6 +5991,7 @@ DocType: Pricing Rule,Price Discount Scheme,価格割引スキーム apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,保守ステータスをキャンセルするか、送信完了する必要があります DocType: Amazon MWS Settings,US,米国 DocType: Holiday List,Add Weekly Holidays,ウィークリーホリデーを追加 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,レポートアイテム DocType: Staffing Plan Detail,Vacancies,欠員 DocType: Hotel Room,Hotel Room,ホテルの部屋 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},アカウント{0} は会社 {1} に所属していません @@ -5978,12 +6043,15 @@ DocType: Email Digest,Open Quotations,見積りを開く 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","このドキュメントをキャンセルするには、従業員{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,基本額 @@ -5997,6 +6065,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,空き DocType: Patient,Alcohol Past Use,アルコール摂取歴 DocType: Fertilizer Content,Fertilizer Content,肥料の内容 +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,説明なし apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,貸方 DocType: Tax Rule,Billing State,請求状況 DocType: Quality Goal,Monitoring Frequency,モニタリング頻度 @@ -6014,6 +6083,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,終了日は、次の連絡日の前にすることはできません。 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,バッチエントリ DocType: Journal Entry,Pay To / Recd From,支払先/受領元 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,アイテムの非公開 DocType: Naming Series,Setup Series,シリーズ設定 DocType: Payment Reconciliation,To Invoice Date,請求書の日付へ DocType: Bank Account,Contact HTML,連絡先HTML @@ -6035,6 +6105,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,小売 DocType: Student Attendance,Absent,欠勤 DocType: Staffing Plan,Staffing Plan Detail,人員配置計画の詳細 DocType: Employee Promotion,Promotion Date,プロモーション日 +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,休暇割当%sは休暇申請%sとリンクされています 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} @@ -6069,9 +6140,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,請求書{0}は存在しません DocType: Guardian Interest,Guardian Interest,保護者の関心 DocType: Volunteer,Availability,可用性 +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,休暇申請は休暇割当{0}にリンクされています。休暇申請を有給休暇として設定することはできません apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS請求書の初期値の設定 DocType: Employee Training,Training,研修 DocType: Project,Time to send,送信時間 +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,このページでは、購入者が関心を示した商品アイテムを追跡します。 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,保護者1 メールID @@ -6167,12 +6240,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,始値 DocType: Salary Component,Formula,式 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,シリアル番号 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,人事管理> HR設定で従業員命名システムを設定してください 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/setup/doctype/company/company.py,Sales Account,セールスアカウント DocType: Purchase Invoice Item,Total Weight,総重量 +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}であるため提出することができません @@ -6196,6 +6269,7 @@ DocType: Company,Default Employee Advance Account,デフォルトの従業員ア apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),アイテムの検索(Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,既存の取引を持つアカウントを削除することはできません +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,なぜこのアイテムは削除すべきだと思いますか? DocType: Vehicle,Last Carbon Check,最後のカーボンチェック apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,訴訟費用 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,行数量を選択してください @@ -6215,6 +6289,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,故障 DocType: Travel Itinerary,Vegetarian,ベジタリアン DocType: Patient Encounter,Encounter Date,出会いの日 +DocType: Work Order,Update Consumed Material Cost In Project,プロジェクトの消費材料費を更新 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,アカウント:{0} で通貨:{1}を選択することはできません DocType: Bank Statement Transaction Settings Item,Bank Data,銀行データ DocType: Purchase Receipt Item,Sample Quantity,サンプル数量 @@ -6269,7 +6344,7 @@ DocType: GSTR 3B Report,April,4月 DocType: Plant Analysis,Collection Datetime,コレクション日時 DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,営業費合計 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,注:アイテム{0}が複数回入力されています +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,注:アイテム{0}が複数回入力されています apps/erpnext/erpnext/config/buying.py,All Contacts.,全ての連絡先。 DocType: Accounting Period,Closed Documents,クローズド・ドキュメント DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,患者の出会いのために予定の請求書を送信し、自動的にキャンセルする @@ -6351,9 +6426,7 @@ DocType: Member,Membership Type,会員タイプ ,Reqd By Date,要求済日付 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,債権者 DocType: Assessment Plan,Assessment Name,評価名 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,印刷でPDCを表示する apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,行#{0}:シリアル番号は必須です -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,{0} {1}の未処理の請求書が見つかりませんでした。 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,アイテムごとの税の詳細 DocType: Employee Onboarding,Job Offer,求人 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,研究所の略 @@ -6411,6 +6484,7 @@ DocType: Serial No,Out of Warranty,保証外 DocType: Bank Statement Transaction Settings Item,Mapped Data Type,マップされたデータ型 DocType: BOM Update Tool,Replace,置き換え apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,製品が見つかりませんでした。 +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,他のアイテムを公開する apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},このサービスレベル契約は、お客様{0}に固有のものです。 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},納品書{1}に対する{0} DocType: Antibiotic,Laboratory User,実験室ユーザー @@ -6433,7 +6507,6 @@ DocType: Payment Order Reference,Bank Account Details,銀行口座の詳細 DocType: Purchase Order Item,Blanket Order,ブランケットオーダー 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,税金資産 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},製造指図は{0}でした DocType: BOM Item,BOM No,部品表番号 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,移動平均 @@ -6507,6 +6580,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),外部課税対象物(ゼロレーティング) DocType: BOM,Materials Required (Exploded),資材が必要です(展開) 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/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,転記日付は将来の日付にすることはできません @@ -6564,7 +6638,6 @@ DocType: Pricing Rule,Same Item,同じアイテム DocType: Stock Ledger Entry,Stock Ledger Entry,在庫元帳エントリー DocType: Quality Action Resolution,Quality Action Resolution,品質アクション決議 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},半日で{0}を残してください{1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,同じ項目が複数回入力されています DocType: Department,Leave Block List,休暇リスト DocType: Purchase Invoice,Tax ID,納税者番号 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,アイテム{0}にはシリアル番号が設定されていません。列は空白でなければなりません。 @@ -6602,7 +6675,7 @@ 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}が無効になっているか、存在しません。 DocType: Purchase Invoice,Return,返品 -DocType: Accounting Dimension,Disable,無効にする +DocType: Account,Disable,無効にする apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,支払方法には支払を作成する必要があります DocType: Task,Pending Review,レビュー待ち apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.",資産・シリアル番号・バッチなどのオプションを全画面で編集 @@ -6713,7 +6786,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,結合された請求書部分は100% DocType: Item Default,Default Expense Account,デフォルト経費 DocType: GST Account,CGST Account,CGSTアカウント -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,生徒メールID DocType: Employee,Notice (days),お知らせ(日) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POSクローズバウチャー請求書 @@ -6724,6 +6796,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,請求書を保存する項目を選択します DocType: Employee,Encashment Date,現金化日 DocType: Training Event,Internet,インターネット +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,販売者情報 DocType: Special Test Template,Special Test Template,特殊テストテンプレート DocType: Account,Stock Adjustment,在庫調整 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},デフォルトの活動コストが活動タイプ - {0} に存在します @@ -6735,7 +6808,6 @@ 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,試用期間開始日と試用期間終了日の両方を設定する必要があります -DocType: Company,Bank Remittance Settings,銀行送金設定 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,平均レート 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",顧客提供のアイテムに評価率を設定することはできません。 @@ -6763,6 +6835,7 @@ DocType: Grading Scale Interval,Threshold,しきい値 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),従業員をフィルタする(オプション) DocType: BOM Update Tool,Current BOM,現在の部品表 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),残高(Dr-Cr) +DocType: Pick List,Qty of Finished Goods Item,完成品の数量 apps/erpnext/erpnext/public/js/utils.js,Add Serial No,シリアル番号を追加 DocType: Work Order Item,Available Qty at Source Warehouse,ソースウェアハウスで利用可能な数量 apps/erpnext/erpnext/config/support.py,Warranty,保証 @@ -6841,7 +6914,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",ここでは、身長、体重、アレルギー、医療問題などを保持することができます apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,アカウントを作成しています... DocType: Leave Block List,Applies to Company,会社に適用 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,登録済みの在庫エントリ{0}が存在するため、キャンセルすることができません +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,登録済みの在庫エントリ{0}が存在するため、キャンセルすることができません DocType: Loan,Disbursement Date,支払い日 DocType: Service Level Agreement,Agreement Details,契約の詳細 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,契約の開始日を終了日以上にすることはできません。 @@ -6850,6 +6923,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,医療記録 DocType: Vehicle,Vehicle,車両 DocType: Purchase Invoice,In Words,文字表記 +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,日付は日付より前である必要があります apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,提出する前に銀行または貸出機関の名前を入力してください。 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0}を提出する必要があります DocType: POS Profile,Item Groups,アイテムグループ @@ -6921,7 +6995,6 @@ DocType: Customer,Sales Team Details,営業チームの詳細 apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,完全に削除しますか? DocType: Expense Claim,Total Claimed Amount,請求額合計 apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,潜在的販売機会 -DocType: Plaid Settings,Link a new bank account,新しい銀行口座をリンクする apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{}は無効な出席ステータスです。 DocType: Shareholder,Folio no.,フォリオノー。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},無効な {0} @@ -6937,7 +7010,6 @@ DocType: Production Plan,Material Requested,要求された品目 DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,下請予約数量 DocType: Patient Service Unit,Patinet Service Unit,パティネットサービスユニット -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,テキストファイルを生成 DocType: Sales Invoice,Base Change Amount (Company Currency),基本変化量(会社通貨) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,次の倉庫には会計エントリーがありません apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},アイテム{1}の{0}在庫のみ @@ -6951,6 +7023,7 @@ DocType: Item,No of Months,今月のいいえ DocType: Item,Max Discount (%),最大割引(%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,クレジットデイズには負の数値を使用できません apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,明細書をアップロードする +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,このアイテムを報告する DocType: Purchase Invoice Item,Service Stop Date,サービス停止日 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,最新の注文額 DocType: Cash Flow Mapper,e.g Adjustments for:,例: @@ -7044,16 +7117,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,従業員税免除カテゴリ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,金額はゼロより小さくてはいけません。 DocType: Sales Invoice,C-Form Applicable,C-フォーム適用 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},作業 {0} の作業時間は0以上でなければなりません +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},作業 {0} の作業時間は0以上でなければなりません DocType: Support Search Source,Post Route String,投稿ルート文字列 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,倉庫が必須です apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,ウェブサイトの作成に失敗しました DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,単位変換の詳細 apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,入学と登録 -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,すでに登録されている在庫在庫またはサンプル数量が提供されていない +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,すでに登録されている在庫在庫またはサンプル数量が提供されていない DocType: Program,Program Abbreviation,教育課程略称 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,製造指示はアイテムテンプレートに対して出すことができません apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),バウチャー別グループ(連結) DocType: HR Settings,Encrypt Salary Slips in Emails,電子メールの給与明細を暗号化する DocType: Question,Multiple Correct Answer,多重正解 @@ -7100,7 +7172,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,無評価または免除 DocType: Employee,Educational Qualification,学歴 DocType: Workstation,Operating Costs,営業費用 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},{0} {1}でなければならないための通貨 -DocType: Employee Checkin,Entry Grace Period Consequence,エントリー猶予期間の結果 DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,このシフトに割り当てられた従業員の「従業員チェックイン」に基づいて出席をマークします。 DocType: Asset,Disposal Date,処分日 DocType: Service Level,Response and Resoution Time,応答時間と休憩時間 @@ -7148,6 +7219,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,完了日 DocType: Purchase Invoice Item,Amount (Company Currency),額(会社通貨) DocType: Program,Is Featured,おすすめです +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,取得しています... DocType: Agriculture Analysis Criteria,Agriculture User,農業ユーザー apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,有効期限は取引日の前にすることはできません 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}このトランザクションを完了するための単位。 @@ -7180,7 +7252,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,支出額合計 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商品販売登録 @@ -7204,6 +7275,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,匿名 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,受領元 DocType: Lead,Converted,変換済 DocType: Item,Has Serial No,シリアル番号あり +DocType: Stock Entry Detail,PO Supplied Item,発注品 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} にサプライヤーを設定してください @@ -7318,7 +7390,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,税金と手数料の相殺 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,{0} のデフォルトのBOMがありません +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}:再注文数量を設定してください apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,ここに追加する項目をタップします @@ -7352,7 +7424,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,保守日 DocType: Purchase Invoice Item,Rejected Serial No,拒否されたシリアル番号 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,年の開始日や終了日が{0}と重なっています。回避のため会社を設定してください -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,[設定]> [番号シリーズ]を使用して、出席の番号シリーズを設定してください apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},リード名{0}に記載してください apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},アイテム{0}の開始日は終了日より前でなければなりません DocType: Shift Type,Auto Attendance Settings,自動出席設定 @@ -7364,9 +7435,11 @@ DocType: Upload Attendance,Upload Attendance,出勤アップロード apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,部品表と生産数量が必要です apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,エイジングレンジ2 DocType: SG Creation Tool Course,Max Strength,最大強度 +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
",アカウント{0}は既に子会社{1}に存在します。次のフィールドには異なる値があり、同じである必要があります。
  • {2}
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,プリセットのインストール DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},顧客{}の配達メモが選択されていません +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},{0}に追加された行 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,従業員{0}には最大給付額はありません apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,納期に基づいて商品を選択 DocType: Grant Application,Has any past Grant Record,助成金レコードあり @@ -7410,6 +7483,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,生徒詳細 DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",これは、品目および販売注文に使用されるデフォルトのUOMです。代替UOMは "Nos"です。 DocType: Purchase Invoice Item,Stock Qty,在庫数 +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,デフォルトの配送口座 DocType: Loan,Repayment Period in Months,ヶ月間における償還期間 @@ -7438,6 +7512,7 @@ DocType: Authorization Rule,Customerwise Discount,顧客ごと割引 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,タスクのためのタイムシート。 DocType: Purchase Invoice,Against Expense Account,対経費 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,設置票{0}はすでに提出されています +DocType: BOM,Raw Material Cost (Company Currency),原材料費(会社通貨) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},家賃の支払日数が{0}と重複しています DocType: GSTR 3B Report,October,10月 DocType: Bank Reconciliation,Get Payment Entries,支払エントリを取得 @@ -7484,15 +7559,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,使用可能な日付が必要です DocType: Request for Quotation,Supplier Detail,サプライヤー詳細 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},式または条件でエラーが発生しました:{0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,請求された額 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,請求された額 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,基準の重みは100%まで加算する必要があります apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,出勤 apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,在庫アイテム DocType: Sales Invoice,Update Billed Amount in Sales Order,受注の請求額の更新 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,売り手に連絡する 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,このアイテムを報告するには、Marketplaceユーザーとしてログインしてください。 ,Sales Partner Commission Summary,セールスパートナーコミッションの概要 ,Item Prices,アイテム価格 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,発注を保存すると表示される表記内。 @@ -7506,6 +7583,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,価格表マスター DocType: Task,Review Date,レビュー日 DocType: BOM,Allow Alternative Item,代替品を許可する +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,領収書には、サンプルの保持が有効になっているアイテムがありません。 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,請求書の合計 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),資産減価償却記入欄シリーズ(仕訳入力) DocType: Membership,Member Since,メンバー @@ -7515,6 +7593,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,差引計 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}アイテム{4} {1} {3}の単位で、{2}の範囲内でなければなりません属性の値 DocType: Pricing Rule,Product Discount Scheme,製品割引スキーム +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,呼び出し元から問題は発生していません。 DocType: Restaurant Reservation,Waitlisted,キャンセル待ち DocType: Employee Tax Exemption Declaration Category,Exemption Category,免除カテゴリー apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,他の通貨を使用してエントリーを作成した後には通貨を変更することができません @@ -7528,7 +7607,6 @@ DocType: Customer Group,Parent Customer Group,親顧客グループ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSONはSales Invoiceからのみ生成できます apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,このクイズの最大試行回数に達しました! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,購読 -DocType: Purchase Invoice,Contact Email,連絡先 メール apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,手数料の作成を保留中 DocType: Project Template Task,Duration (Days),期間(日数) DocType: Appraisal Goal,Score Earned,スコア獲得 @@ -7553,7 +7631,6 @@ DocType: Landed Cost Item,Landed Cost Item,輸入費用項目 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions",単一取引の金額が最大許容金額を超えている場合は、取引を分割して別の支払指図を登録します。 DocType: Service Level Agreement,Entity,エンティティ DocType: Payment Reconciliation,Receivable / Payable Account,売掛金/買掛金 DocType: Delivery Note Item,Against Sales Order Item,対受注アイテム @@ -7721,6 +7798,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,利 DocType: Quality Inspection Reading,Reading 3,報告要素3 DocType: Stock Entry,Source Warehouse Address,ソースウェアハウスの住所 DocType: GL Entry,Voucher Type,伝票タイプ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,今後の支払い 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 ,最後の活動 @@ -7747,6 +7825,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,フィールドで検出された病気のリスト。選択すると、病気に対処するためのタスクのリストが自動的に追加されます +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,これは根本的な医療サービス単位であり、編集することはできません。 DocType: Asset Repair,Repair Status,修理状況 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",要求数量:仕入のために数量が要求されましたが、注文されていません。 @@ -7761,6 +7840,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,変化量のためのアカウント DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooksに接続する DocType: Exchange Rate Revaluation,Total Gain/Loss,総損益 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,選択リストを作成 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},行{0}:当事者/アカウントが {3} {4} の {1} / {2}と一致しません DocType: Employee Promotion,Employee Promotion,従業員の昇進 DocType: Maintenance Team Member,Maintenance Team Member,保守チームメンバー @@ -7843,6 +7923,7 @@ 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,資産カテゴリー apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,給与をマイナスにすることはできません @@ -7874,7 +7955,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,品質目標 DocType: BOM,Item to be manufactured or repacked,製造または再梱包するアイテム apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},条件文の構文エラー:{0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,お客様からの指摘はありません。 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,大手/オプション科目 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,購入設定でサプライヤグループを設定してください。 @@ -7967,8 +8047,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,信用日数 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,ラボテストを受けるには患者を選択してください DocType: Exotel Settings,Exotel Settings,エキゾテルの設定 -DocType: Leave Type,Is Carry Forward,繰越済 +DocType: Leave Ledger Entry,Is Carry Forward,繰越済 DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),それ以下の不在がマークされている労働時間。 (無効にするにはゼロ) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,メッセージを送ります apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,部品表からアイテムを取得 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,法人所得税は費用ですか? diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv index 28101fd1fb..af4c1b3047 100644 --- a/erpnext/translations/km.csv +++ b/erpnext/translations/km.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,ជូនដំណឹងដល់អ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,សូមជ្រើសប្រភេទបក្សទីមួយ DocType: Item,Customer Items,ធាតុអតិថិជន +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,បំណុល។ DocType: Project,Costing and Billing,និងវិក័យប័ត្រមានតម្លៃ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},រូបិយប័ណ្ណគណនីមុនគួរតែដូចគ្នានឹងរូបិយប័ណ្ណរបស់ក្រុមហ៊ុន {0} DocType: QuickBooks Migrator,Token Endpoint,ចំនុច Token @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,អង្គភាពលំនាំដើ DocType: SMS Center,All Sales Partner Contact,ទាំងអស់ដៃគូទំនាក់ទំនងលក់ DocType: Department,Leave Approvers,ទុកឱ្យការអនុម័ត DocType: Employee,Bio / Cover Letter,ជីវប្រវត្ដិ / លិខិតគម្រប +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,ស្វែងរកធាតុ ... DocType: Patient Encounter,Investigations,ការស៊ើបអង្កេត DocType: Restaurant Order Entry,Click Enter To Add,ចុចបញ្ចូលដើម្បីបន្ថែម apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL",បាត់តម្លៃសម្រាប់ពាក្យសម្ងាត់លេខកូដ API ឬលក់ URL DocType: Employee,Rented,ជួល apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,គណនីទាំងអស់ apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,មិនអាចផ្ទេរបុគ្គលិកជាមួយនឹងស្ថានភាពឆ្វេង -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",បញ្ឈប់ការបញ្ជាទិញផលិតផលដែលមិនអាចត្រូវបានលុបចោលឮវាជាលើកដំបូងដើម្បីបោះបង់ DocType: Vehicle Service,Mileage,mileage apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,តើអ្នកពិតជាចង់លុបចោលទ្រព្យសម្បត្តិនេះ? DocType: Drug Prescription,Update Schedule,ធ្វើបច្ចុប្បន្នភាពកាលវិភាគ @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,អតិថិជន DocType: Purchase Receipt Item,Required By,ដែលបានទាមទារដោយ DocType: Delivery Note,Return Against Delivery Note,ការវិលត្រឡប់ពីការប្រឆាំងនឹងការផ្តល់ចំណាំ DocType: Asset Category,Finance Book Detail,ពត៌មានសៀវភៅហិរញ្ញវត្ថុ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,រាល់ការរំលោះត្រូវបានកក់។ DocType: Purchase Order,% Billed,% បានគិតលុយហើយ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,លេខប្រាក់ឈ្នួល។ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),អត្រាប្តូរប្រាក់ត្រូវតែមានដូចគ្នា {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,ធាតុបាច់ស្ថានភាពផុតកំណត់ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,សេចក្តីព្រាងធនាគារ DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV -YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,ការចូលយឺត ៗ សរុប។ DocType: Mode of Payment Account,Mode of Payment Account,របៀបនៃការទូទាត់គណនី apps/erpnext/erpnext/config/healthcare.py,Consultation,ការពិគ្រោះយោបល់ DocType: Accounts Settings,Show Payment Schedule in Print,បង្ហាញតារាងទូទាត់ប្រាក់នៅក្នុងការបោះពុម្ព @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,ព័ត៌មានលម្អិតទំនាក់ទំនងចម្បង apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,ការបើកចំហរបញ្ហា DocType: Production Plan Item,Production Plan Item,ផលិតកម្មធាតុផែនការ +DocType: Leave Ledger Entry,Leave Ledger Entry,ចាកចេញពីធាតុលីតហ្គឺ។ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},{0} អ្នកប្រើត្រូវបានកំណត់រួចទៅបុគ្គលិក {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {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 ។ @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,ច DocType: Purchase Invoice Item,Item Weight Details,ព័ត៌មានលម្អិតទម្ងន់ DocType: Asset Maintenance Log,Periodicity,រយៈពេល apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,ឆ្នាំសារពើពន្ធ {0} ត្រូវបានទាមទារ +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,ចំណេញ / ខាតសុទ្ធ។ DocType: Employee Group Table,ERPNext User ID,លេខសម្គាល់អ្នកប្រើ ERP បន្ទាប់។ DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ចម្ងាយអប្បបរមារវាងជួរដេកនៃរុក្ខជាតិសម្រាប់ការលូតលាស់ល្អបំផុត apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,សូមជ្រើសរើសអ្នកជម្ងឺដើម្បីទទួលបាននីតិវិធីតាមវេជ្ជបញ្ជា។ @@ -168,10 +172,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,លក់បញ្ជីតំលៃ DocType: Patient,Tobacco Current Use,ការប្រើប្រាស់ថ្នាំជក់បច្ចុប្បន្ន apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,អត្រាលក់ -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,សូមរក្សាទុកឯកសាររបស់អ្នកមុនពេលបន្ថែមគណនីថ្មី។ 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 ...,ស្វែងរកអ្វីទាំងអស់ ... DocType: Company,Phone No,គ្មានទូរស័ព្ទ DocType: Delivery Trip,Initial Email Notification Sent,ការជូនដំណឹងអ៊ីម៉ែលដំបូងបានផ្ញើ DocType: Bank Statement Settings,Statement Header Mapping,ការបរិយាយចំណងជើងបឋមកថា @@ -234,6 +238,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,ម DocType: Exchange Rate Revaluation Account,Gain/Loss,ទទួលបាន / ចាញ់ DocType: Crop,Perennial,មានអាយុច្រើនឆ្នាំ DocType: Program,Is Published,ត្រូវបានបោះពុម្ពផ្សាយ។ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,បង្ហាញកំណត់ត្រាចែកចាយ apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",ដើម្បីអនុញ្ញាតិអោយមានវិក័យប័ត្រលើសកំណត់ធ្វើបច្ចុប្បន្នភាព“ ប្រាក់វិក្កយបត្រលើស” នៅក្នុងការកំណត់គណនីរឺរបស់របរ។ DocType: Patient Appointment,Procedure,នីតិវិធី DocType: Accounts Settings,Use Custom Cash Flow Format,ប្រើទំរង់លំហូរសាច់ប្រាក់ផ្ទាល់ខ្លួន @@ -263,7 +268,6 @@ 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} DocType: Leave Policy,Leave Policy Details,ចាកចេញពីព័ត៌មានលម្អិតអំពីគោលនយោបាយ DocType: BOM,Item Image (if not slideshow),រូបភាពធាតុ (ប្រសិនបើមិនមានការបញ្ចាំងស្លាយ) -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again",{0} គឺចាំបាច់សម្រាប់បង្កើតការទូទាត់ផ្ទេរប្រាក់កំណត់កន្លែងហើយព្យាយាមម្តងទៀត។ DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(ហួរអត្រា / 60) * ជាក់ស្តែងប្រតិបត្តិការម៉ោង apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,ជួរដេក # {0}: ឯកសារយោងត្រូវតែជាផ្នែកមួយនៃពាក្យបណ្តឹងទាមទារឬធាតុចូល apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,ជ្រើស Bom @@ -283,6 +287,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,សងចំនួនជាងនៃរយៈពេល apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,បរិមាណនៃការផលិតមិនអាចតិចជាងសូន្យទេ។ DocType: Stock Entry,Additional Costs,ការចំណាយបន្ថែមទៀត +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ទឹកដី។ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានបម្លែងទៅជាក្រុម។ DocType: Lead,Product Enquiry,ផលិតផលសំណួរ DocType: Education Settings,Validate Batch for Students in Student Group,ធ្វើឱ្យមានសុពលភាពបាច់សម្រាប់សិស្សនិស្សិតនៅក្នុងពូល @@ -294,7 +299,9 @@ DocType: Employee Education,Under Graduate,នៅក្រោមបញ្ចប apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,សូមកំណត់ពុម្ពលំនាំដើមសម្រាប់ចាកចេញពីការជូនដំណឹងស្ថានភាពនៅក្នុងការកំណត់ធនធានមនុស្ស។ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,គោលដៅនៅលើ DocType: BOM,Total Cost,ការចំណាយសរុប +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,ការបែងចែកផុតកំណត់! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,ស្លឹកបញ្ជូនបន្តអតិបរមា។ DocType: Salary Slip,Employee Loan,ឥណទានបុគ្គលិក DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS -YY .- ។ MM.- DocType: Fee Schedule,Send Payment Request Email,ផ្ញើសំណើការទូទាត់តាមអ៊ីម៉ែល @@ -304,6 +311,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,អច apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,សេចក្តីថ្លែងការណ៍របស់គណនី apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ឱសថ DocType: Purchase Invoice Item,Is Fixed Asset,ជាទ្រព្យថេរ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,បង្ហាញការទូទាត់នាពេលអនាគត។ DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT -YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,គណនីធនាគារនេះត្រូវបានធ្វើសមកាលកម្មរួចហើយ។ DocType: Homepage,Homepage Section,ផ្នែកគេហទំព័រ។ @@ -349,7 +357,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,ជី apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",មិនអាចធានាថាការដឹកជញ្ជូនតាមលេខស៊េរីជាធាតុ \ {0} ត្រូវបានបន្ថែមនិងគ្មានការធានាការដឹកជញ្ជូនដោយ \ លេខស៊េរី។ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,សូមតំឡើងប្រព័ន្ធដាក់ឈ្មោះគ្រូនៅក្នុងការអប់រំ> ការកំណត់ការអប់រំ។ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,របៀបយ៉ាងហោចណាស់មួយនៃការទូទាត់ត្រូវបានទាមទារសម្រាប់វិក័យប័ត្រម៉ាស៊ីនឆូតកាត។ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},បាច់មិនត្រូវបានទាមទារសម្រាប់វត្ថុដែលត្រូវបានគេបោះបង់ចោល {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,របាយការណ៍គណនីធនាគារ @@ -424,6 +431,7 @@ DocType: Job Offer,Select Terms and Conditions,ជ្រើសលក្ខខណ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,តម្លៃចេញ DocType: Bank Statement Settings Item,Bank Statement Settings Item,ធាតុកំណត់របាយការណ៍ធនាគារ DocType: Woocommerce Settings,Woocommerce Settings,ការកំណត់ Woocommerce +DocType: Leave Ledger Entry,Transaction Name,ឈ្មោះប្រតិបត្តិការ។ DocType: Production Plan,Sales Orders,ការបញ្ជាទិញការលក់ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,កម្មវិធីភាពស្មោះត្រង់ជាច្រើនបានរកឃើញសំរាប់អតិថិជន។ សូមជ្រើសរើសដោយដៃ។ DocType: Purchase Taxes and Charges,Valuation,ការវាយតម្លៃ @@ -458,6 +466,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: 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,ធ្វើឱ្យទាន់សម័យគ្រុបអ៊ីម៉ែល DocType: POS Profile,Only show Customer of these Customer Groups,បង្ហាញតែអតិថិជននៃក្រុមអតិថិជនទាំងនេះ។ DocType: Sales Invoice,Is Opening Entry,ត្រូវការបើកចូល @@ -466,8 +475,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,និយាយបានបើគណនីដែលមិនមែនជាស្តង់ដាទទួលអនុវត្តបាន 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,ធាតុស្តុកត្រូវបានបង្កើតរួចហើយប្រឆាំងនឹងបញ្ជីជ្រើសរើសនេះ។ DocType: Supplier Scorecard,Criteria Setup,ការកំណត់លក្ខណៈវិនិច្ឆ័យ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,សម្រាប់ឃ្លាំងត្រូវទាមទារមុនពេលដាក់ស្នើ +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,ទទួលបាននៅលើ DocType: Codification Table,Medical Code,លេខកូដពេទ្យ apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ភ្ជាប់ក្រុមហ៊ុន Amazon ជាមួយ ERPNext @@ -483,7 +493,7 @@ DocType: Restaurant Order Entry,Add Item,បញ្ចូលមុខទំនិ DocType: Party Tax Withholding Config,Party Tax Withholding Config,ការកំណត់ពន្ធទុកជាមុនរបស់គណបក្ស DocType: Lab Test,Custom Result,លទ្ធផលផ្ទាល់ខ្លួន apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,បានបន្ថែមគណនីធនាគារ។ -DocType: Delivery Stop,Contact Name,ឈ្មោះទំនាក់ទំនង +DocType: Call Log,Contact Name,ឈ្មោះទំនាក់ទំនង DocType: Plaid Settings,Synchronize all accounts every hour,ធ្វើសមកាលកម្មគណនីទាំងអស់រៀងរាល់ម៉ោង។ DocType: Course Assessment Criteria,Course Assessment Criteria,លក្ខណៈវិនិច្ឆ័យការវាយតំលៃការពិតណាស់ DocType: Pricing Rule Detail,Rule Applied,បានអនុវត្តវិធាន។ @@ -527,7 +537,6 @@ 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,ការលក់វិក័យប័ត្រគ្មាន -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,លេខមិនស្គាល់។ DocType: Website Filter Field,Website Filter Field,គេហទំព័រតម្រងគេហទំព័រ។ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,ប្រភេទផ្គត់ផ្គង់ DocType: Material Request Item,Min Order Qty,លោក Min លំដាប់ Qty @@ -555,7 +564,6 @@ DocType: Salary Slip,Total Principal Amount,ចំនួននាយកសាល DocType: Student Guardian,Relation,ការទំនាក់ទំនង DocType: Quiz Result,Correct,ត្រឹមត្រូវ។ DocType: Student Guardian,Mother,ម្តាយ -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,សូមបន្ថែមកូនសោ Plaid api ដែលមានសុពលភាពនៅក្នុង site_config.json ជាមុនសិន។ DocType: Restaurant Reservation,Reservation End Time,ពេលវេលាបញ្ចប់ការកក់ DocType: Crop,Biennial,ពីរឆ្នាំ ,BOM Variance Report,របាយការណ៏ខុសគ្នារបស់ច្បាប់ @@ -571,6 +579,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,Plaid Public Key ។ DocType: Payment Term,Payment Term Name,ឈ្មោះរយៈពេលបង់ប្រាក់ DocType: Healthcare Settings,Create documents for sample collection,បង្កើតឯកសារសម្រាប់ការប្រមូលគំរូ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},ការទូទាត់ប្រឆាំងនឹង {0} {1} មិនអាចត្រូវបានធំជាងឆ្នើមចំនួន {2} @@ -618,12 +627,14 @@ DocType: POS Profile,Offline POS Settings,ការកំណត់ម៉ាស DocType: Stock Entry Detail,Reference Purchase Receipt,វិក័យប័ត្រទិញយោង។ DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO -YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,វ៉ារ្យ៉ង់របស់ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Qty បានបញ្ចប់មិនអាចជាធំជាង Qty ដើម្បីផលិត " +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Qty បានបញ្ចប់មិនអាចជាធំជាង Qty ដើម្បីផលិត " +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,រយៈពេលផ្អែកលើ។ DocType: Period Closing Voucher,Closing Account Head,បិទនាយកគណនី DocType: Employee,External Work History,ការងារខាងក្រៅប្រវត្តិ apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,កំហុសក្នុងការយោងសារាចរ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,កាតរបាយការណ៍សិស្ស apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,ពីកូដ PIN +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,បង្ហាញអ្នកលក់។ DocType: Appointment Type,Is Inpatient,តើអ្នកជំងឺចិត្តអត់ធ្មត់ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,ឈ្មោះ Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,នៅក្នុងពាក្យ (នាំចេញ) នឹងមើលឃើញនៅពេលដែលអ្នករក្សាទុកចំណាំដឹកជញ្ជូនផងដែរ។ @@ -637,6 +648,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,ឈ្មោះវិមាត្រ។ apps/erpnext/erpnext/healthcare/setup.py,Resistant,មានភាពធន់ទ្រាំ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},សូមកំណត់តម្លៃបន្ទប់សណ្ឋាគារលើ {} +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈតំឡើង> លេខរៀង។ DocType: Journal Entry,Multi Currency,រូបិយប័ណ្ណពហុ DocType: Bank Statement Transaction Invoice Item,Invoice Type,ប្រភេទវិក័យប័ត្រ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,មានសុពលភាពចាប់ពីកាលបរិច្ឆេទត្រូវតែតិចជាងកាលបរិច្ឆេទដែលមានសុពលភាព។ @@ -656,6 +668,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,បានទទួលស្គាល់ថា DocType: Workstation,Rent Cost,ការចំណាយជួល 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,ចំនួនទឹកប្រាក់បន្ទាប់ពីការរំលស់ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,ព្រឹត្តិការណ៍ដែលនឹងមកដល់ apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,លក្ខណៈវ៉ារ្យ៉ង់ @@ -742,7 +755,6 @@ DocType: Request for Quotation,Request for Quotation,សំណើរសម្រ 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,បង្ហាញអ្នកលក់នៅក្នុងការបោះពុម្ព។ 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.,ភាគរយដែលអ្នកត្រូវបានអនុញ្ញាតឱ្យចេញវិក្កយបត្រច្រើនជាងចំនួនដែលបានបញ្ជា។ ឧទាហរណ៍ៈប្រសិនបើតម្លៃបញ្ជាទិញគឺ ១០០ ដុល្លារសម្រាប់ទំនិញមួយហើយការអត់អោនត្រូវបានកំណត់ ១០ ភាគរយនោះអ្នកត្រូវបានអនុញ្ញាតឱ្យចេញវិក្កយបត្រក្នុងតម្លៃ ១១០ ដុល្លារ។ DocType: Dosage Strength,Strength,កម្លាំង @@ -750,7 +762,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,បង្កើតអតិថិជនថ្មី apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,ផុតកំណត់នៅថ្ងៃទី apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","បើសិនជាវិធានការបន្តតម្លៃជាច្រើនដែលមានជ័យជំនះ, អ្នកប្រើត្រូវបានសួរដើម្បីកំណត់អាទិភាពដោយដៃដើម្បីដោះស្រាយជម្លោះ។" -DocType: Purchase Invoice,Scan Barcode,ស្កេនបាកូដ។ apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,បង្កើតបញ្ជាទិញ ,Purchase Register,ទិញចុះឈ្មោះ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,រកមិនឃើញអ្នកជម្ងឺ @@ -809,6 +820,7 @@ DocType: Lead,Channel Partner,ឆានែលដៃគូ DocType: Account,Old Parent,ឪពុកម្តាយចាស់ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,វាលដែលចាំបាច់ - ឆ្នាំសិក្សា apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} មិនត្រូវបានភ្ជាប់ជាមួយនឹង {2} {3} +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} @@ -850,6 +862,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,សមាសភាគបញ្ជីបើកប្រាក់ខែដែលមានមូលដ្ឋានលើប្រាក់បៀវត្សសម្រាប់ timesheet ។ DocType: Driver,Applicable for external driver,អាចអនុវត្តសម្រាប់កម្មវិធីបញ្ជាខាងក្រៅ DocType: Sales Order Item,Used for Production Plan,ត្រូវបានប្រើសម្រាប់ផែនការផលិតកម្ម +DocType: BOM,Total Cost (Company Currency),ថ្លៃដើមសរុប (រូបិយប័ណ្ណក្រុមហ៊ុន) DocType: Loan,Total Payment,ការទូទាត់សរុប apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,មិនអាចលុបចោលកិច្ចសម្រួលការសម្រាប់ការងារដែលបានបញ្ចប់។ DocType: Manufacturing Settings,Time Between Operations (in mins),ពេលវេលារវាងការប្រតិបត្តិការ (នៅក្នុងនាទី) @@ -870,6 +883,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_pro DocType: Supplier Scorecard Standing,Notify Other,ជូនដំណឹងផ្សេងទៀត DocType: Vital Signs,Blood Pressure (systolic),សម្ពាធឈាម (ស៊ីស្តូលិក) DocType: Item Price,Valid Upto,រីករាយជាមួយនឹងមានសុពលភាព +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.,រាយមួយចំនួននៃអតិថិជនរបស់អ្នក។ ពួកគេអាចត្រូវបានអង្គការឬបុគ្គល។ @@ -930,6 +944,7 @@ DocType: Patient,Risk Factors,កត្តាហានិភ័យ DocType: Patient,Occupational Hazards and Environmental Factors,គ្រោះថ្នាក់ការងារនិងកត្តាបរិស្ថាន apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ធាតុភាគហ៊ុនដែលបានបង្កើតរួចហើយសម្រាប់លំដាប់ការងារ apps/erpnext/erpnext/templates/pages/cart.html,See past orders,មើលការបញ្ជាទិញពីមុន។ +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} ការសន្ទនា។ DocType: Vital Signs,Respiratory rate,អត្រាផ្លូវដង្ហើម apps/erpnext/erpnext/config/help.py,Managing Subcontracting,ការគ្រប់គ្រងអ្នកម៉ៅការបន្ត DocType: Vital Signs,Body Temperature,សីតុណ្ហភាពរាងកាយ @@ -971,6 +986,7 @@ DocType: Purchase Invoice,Registered Composition,សមាសភាពដែល apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,ជំរាបសួរ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,ផ្លាស់ទីមុខទំនិញ DocType: Employee Incentive,Incentive Amount,ប្រាក់លើកទឹកចិត្ត +,Employee Leave Balance Summary,របាយការណ៍សង្ខេបអំពីការឈប់សម្រាករបស់និយោជិក។ DocType: Serial No,Warranty Period (Days),រយៈពេលធានា (ថ្ងៃ) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,បរិមាណឥណទាន / ឥណពន្ធសរុបគួរតែដូចគ្នានឹងធាតុទិនានុប្បវត្តិដែលបានភ្ជាប់ DocType: Installation Note Item,Installation Note Item,ធាតុចំណាំការដំឡើង @@ -984,6 +1000,7 @@ DocType: Vital Signs,Bloated,ហើម DocType: Salary Slip,Salary Slip Timesheet,Timesheet ប្រាក់បៀវត្សរ៍ប័ណ្ណ apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ឃ្លាំងក្រុមហ៊ុនផ្គត់ផ្គង់ចាំបាច់សម្រាប់ការទទួលទិញកិច្ចសន្យា DocType: Item Price,Valid From,មានសុពលភាពពី +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,ការវាយតម្លៃរបស់អ្នក: DocType: Sales Invoice,Total Commission,គណៈកម្មាការសរុប DocType: Tax Withholding Account,Tax Withholding Account,គណនីបង់ពន្ធ DocType: Pricing Rule,Sales Partner,ដៃគូការលក់ @@ -991,6 +1008,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,កាតពិ DocType: Buying Settings,Purchase Receipt Required,បង្កាន់ដៃត្រូវការទិញ DocType: Sales Invoice,Rail,រថភ្លើង apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ការចំណាយជាក់ស្តែង។ +DocType: Item,Website Image,រូបភាពគេហទំព័រ។ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,ឃ្លាំងគោលដៅនៅក្នុងជួរដេក {0} ត្រូវតែដូចគ្នានឹងស្នាដៃការងារ apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,អត្រាការវាយតម្លៃជាការចាំបាច់ប្រសិនបើមានការបើកផ្សារហ៊ុនដែលបានបញ្ចូល apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,បានរកឃើញនៅក្នុងតារាងវិក័យប័ត្រកំណត់ត្រាគ្មាន @@ -1024,8 +1042,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,សូមបំពេញការកំណត់រចនាសម្ព័ន្ធ Plaid API របស់អ្នកមុនពេលធ្វើសមកាលកម្មគណនីរបស់អ្នក។ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,កាលបរិច្ឆេទពាក់កណ្តាលថ្ងៃគឺចាំបាច់ DocType: Sales Order,Billing and Delivery Status,វិក័យប័ត្រនិងការដឹកជញ្ជូនស្ថានភាព DocType: Job Applicant,Resume Attachment,ឯកសារភ្ជាប់ប្រវត្តិរូប @@ -1037,7 +1055,6 @@ DocType: Production Plan,Production Plan,ផែនការផលិតកម្ DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,បើកឧបករណ៍បង្កើតវិក្កយបត្រ DocType: Salary Component,Round to the Nearest Integer,បង្គត់ទៅចំនួនគត់ជិតបំផុត។ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,ត្រឡប់មកវិញការលក់ -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ចំណាំ: ស្លឹកដែលបានបម្រុងទុកសរុប {0} មិនគួរត្រូវបានតិចជាងស្លឹកត្រូវបានអនុម័តរួចទៅហើយ {1} សម្រាប់រយៈពេលនេះ DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,កំណត់ Qty នៅក្នុងប្រតិបត្តិការដែលមានមូលដ្ឋានលើលេខស៊េរី ,Total Stock Summary,សង្ខេបហ៊ុនសរុប apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1065,6 +1082,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,រ apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,ប្រាក់ដើម DocType: Loan Application,Total Payable Interest,ការប្រាក់ត្រូវបង់សរុប apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ពិន្ទុសរុប: {0} +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} @@ -1074,6 +1092,7 @@ 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,កំហុសមួយបានកើតឡើងកំឡុងពេលធ្វើបច្ចុប្បន្នភាព DocType: Restaurant Reservation,Restaurant Reservation,កក់ភោជនីយដ្ឋាន +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,ធាតុរបស់អ្នក។ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,ការសរសេរសំណើរ DocType: Payment Entry Deduction,Payment Entry Deduction,ការដកហូតចូលការទូទាត់ DocType: Service Level Priority,Service Level Priority,អាទិភាពកម្រិតសេវាកម្ម។ @@ -1082,6 +1101,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,លេខស៊េរីលេខ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,បុគ្គលលក់មួយផ្សេងទៀត {0} មានដែលមានលេខសម្គាល់និយោជិតដូចគ្នា DocType: Employee Advance,Claimed Amount,ចំនួនទឹកប្រាក់ដែលបានទាមទារ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,ការបែងចែកផុតកំណត់។ DocType: QuickBooks Migrator,Authorization Settings,ការកំណត់សិទ្ធិអនុញ្ញាត DocType: Travel Itinerary,Departure Datetime,កាលបរិច្ឆេទចេញដំណើរ apps/erpnext/erpnext/hub_node/api.py,No items to publish,គ្មានធាតុដែលត្រូវផ្សព្វផ្សាយ។ @@ -1150,7 +1170,6 @@ DocType: Student Batch Name,Batch Name,ឈ្មោះបាច់ DocType: Fee Validity,Max number of visit,ចំនួនអតិបរមានៃដំណើរទស្សនកិច្ច DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,ចាំបាច់សម្រាប់គណនីប្រាក់ចំណេញនិងការបាត់បង់។ ,Hotel Room Occupancy,ការស្នាក់នៅបន្ទប់សណ្ឋាគារ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet បង្កើត: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},សូមកំណត់លំនាំដើមឬគណនីសាច់ប្រាក់របស់ធនាគារក្នុងរបៀបនៃការទូទាត់ {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,ចុះឈ្មោះ DocType: GST Settings,GST Settings,ការកំណត់ជីអេសធី @@ -1280,6 +1299,7 @@ DocType: Sales Invoice,Commission Rate (%),អត្រាប្រាក់ក apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,សូមជ្រើសកម្មវិធី DocType: Project,Estimated Cost,តំលៃ DocType: Request for Quotation,Link to material requests,តំណភ្ជាប់ទៅនឹងសំណើសម្ភារៈ +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,ផ្សាយ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,អវកាស ,Fichier des Ecritures Comptables [FEC],ឯកសារស្តីអំពីការសរសេរឯកសាររបស់អ្នកនិពន្ធ [FEC] DocType: Journal Entry,Credit Card Entry,ចូលកាតឥណទាន @@ -1306,6 +1326,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,ទ្រព្យនាពេលបច្ចុប្បន្ន apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} មិនមែនជាមុខទំនិញក្នុងស្តុក apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',សូមចែករំលែកមតិស្ថាបនារបស់អ្នកទៅហ្វឹកហាត់ដោយចុចលើ 'Feedback Feedback Training' និង 'New' +DocType: Call Log,Caller Information,ព័ត៌មានអ្នកទូរស័ព្ទចូល។ DocType: Mode of Payment Account,Default Account,គណនីលំនាំដើម apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,សូមជ្រើសស្តុកឃ្លាំងគំរូនៅក្នុងការកំណត់ស្តុកជាមុនសិន apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,សូមជ្រើសរើសប្រភេទកម្មវិធីច្រើនជាន់សម្រាប់ច្បាប់ប្រមូលច្រើនជាងមួយ។ @@ -1330,6 +1351,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,សម្ភារៈដោយស្វ័យប្រវត្តិសំណើបង្កើត DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),ម៉ោងធ្វើការខាងក្រោមដែលពាក់កណ្តាលថ្ងៃត្រូវបានសម្គាល់។ (សូន្យដើម្បីបិទ) DocType: Job Card,Total Completed Qty,ចំនួនសរុបបានបញ្ចប់ Qty ។ +DocType: HR Settings,Auto Leave Encashment,ការចាកចេញពីរថយន្តដោយស្វ័យប្រវត្តិ។ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,ការបាត់បង់ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,អ្នកមិនអាចបញ្ចូលទឹកប្រាក់ក្នុងពេលបច្ចុប្បន្ននៅក្នុងការប្រឆាំងនឹងការធាតុទិនានុប្បវត្តិ "ជួរឈរ DocType: Employee Benefit Application Detail,Max Benefit Amount,ចំនួនអត្ថប្រយោជន៍អតិបរមា @@ -1359,9 +1381,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,អតិថិជន DocType: Item Attribute Value,Item Attribute Value,តម្លៃគុណលក្ខណៈធាតុ apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,ប្តូររូបិយប័ណ្ណត្រូវមានសម្រាប់ការទិញឬលក់។ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,មានតែការបែងចែកដែលផុតកំណត់អាចត្រូវបានលុបចោល។ DocType: Item,Maximum sample quantity that can be retained,បរិមាណសំណាកអតិបរិមាដែលអាចរក្សាទុកបាន apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},ជួរដេក {0} ធាតុ # {1} មិនអាចត្រូវបានផ្ទេរច្រើនជាង {2} ទល់នឹងលំដាប់ទិញ {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,យុទ្ធនាការលក់។ +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,មិនស្គាល់អ្នកទូរស័ព្ទចូល។ DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1393,6 +1417,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,កាល apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,ឈ្មោះដុក DocType: Expense Claim Detail,Expense Claim Type,ការចំណាយប្រភេទពាក្យបណ្តឹង DocType: Shopping Cart Settings,Default settings for Shopping Cart,ការកំណត់លំនាំដើមសម្រាប់កន្រ្តកទំនិញ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,រក្សាទុកធាតុ។ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,ចំណាយថ្មី។ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,មិនអើពើ Qty ដែលមានស្រាប់។ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,បន្ថែមពេលវេលា @@ -1405,6 +1430,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,ពិនិត្យមើលការអញ្ជើញដែលបានផ្ញើ DocType: Shift Assignment,Shift Assignment,ការប្ដូរ Shift DocType: Employee Transfer Property,Employee Transfer Property,ទ្រព្យសម្បត្តិផ្ទេរបុគ្គលិក +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,វាលសមធម៌ / ទំនួលខុសត្រូវគណនីមិនអាចនៅទទេបានទេ។ apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,ពីពេលវេលាគួរតែតិចជាងពេលវេលា apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,ជីវបច្ចេកវិទ្យា apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1485,11 +1511,13 @@ 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,បង្កើតទំនាក់ទំនងថ្មី។ apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,កាលវិភាគការពិតណាស់ DocType: GSTR 3B Report,GSTR 3B Report,របាយការណ៍ GSTR 3B ។ DocType: Request for Quotation Supplier,Quote Status,ស្ថានភាពសម្រង់ DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,ស្ថានភាពបញ្ចប់ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},ចំនួនសរុបនៃការបង់ប្រាក់មិនអាចធំជាង {} DocType: Daily Work Summary Group,Select Users,ជ្រើសរើសអ្នកប្រើ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ធាតុតម្លៃបន្ទប់សណ្ឋាគារ DocType: Loyalty Program Collection,Tier Name,ឈ្មោះថ្នាក់ @@ -1527,6 +1555,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,ទឹ DocType: Lab Test Template,Result Format,ទ្រង់ទ្រាយលទ្ធផល DocType: Expense Claim,Expenses,ការចំណាយ DocType: Service Level,Support Hours,ការគាំទ្រម៉ោង +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,កំណត់សំគាល់ការដឹកជញ្ជូន DocType: Item Variant Attribute,Item Variant Attribute,ធាតុគុណលក្ខណៈវ៉ារ្យង់ ,Purchase Receipt Trends,និន្នាការបង្កាន់ដៃទិញ DocType: Payroll Entry,Bimonthly,bimonthly @@ -1549,7 +1578,6 @@ DocType: Sales Team,Incentives,ការលើកទឹកចិត្ត DocType: SMS Log,Requested Numbers,លេខដែលបានស្នើ DocType: Volunteer,Evening,ល្ងាច DocType: Quiz,Quiz Configuration,ការកំណត់រចនាសម្ព័ន្ធសំណួរ។ -DocType: Customer,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,ភាគហ៊ុនលំអិត @@ -1596,7 +1624,6 @@ apps/erpnext/erpnext/config/accounting.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,តម្រងសរុបសូន្យសរុប -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},មិនអាចរកឃើញរន្ធពេលវេលាក្នុងការ {0} ថ្ងៃទៀតសម្រាប់ប្រតិបត្ដិការ {1} DocType: Work Order,Plan material for sub-assemblies,សម្ភារៈផែនការសម្រាប់ការអនុសភា 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,គ្មានមុខទំនិញសម្រាប់ផ្ទេរ @@ -1611,9 +1638,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,អ្នកត្រូវបើកដំណើរការបញ្ជាទិញដោយស្វ័យប្រវត្តិនៅក្នុងការកំណត់ស្តុកដើម្បីរក្សាកម្រិតការបញ្ជាទិញឡើងវិញ។ apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,បោះបង់ការមើលសម្ភារៈ {0} មុនពេលលុបចោលដំណើរទស្សនកិច្ចនេះជួសជុល DocType: Pricing Rule,Rate or Discount,អត្រាឬបញ្ចុះតម្លៃ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,ពត៌មានលម្អិតនៃធនាគារ DocType: Vital Signs,One Sided,មួយចំហៀង apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},សៀរៀលគ្មាន {0} មិនមែនជារបស់ធាតុ {1} -DocType: Purchase Receipt Item Supplied,Required Qty,តម្រូវការ Qty +DocType: Purchase Order Item Supplied,Required Qty,តម្រូវការ Qty DocType: Marketplace Settings,Custom Data,ទិន្នន័យផ្ទាល់ខ្លួន apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,ប្រតិបត្តិការដែលមានស្រាប់ឃ្លាំងដោយមានមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ។ DocType: Service Day,Service Day,ថ្ងៃសេវាកម្ម។ @@ -1641,7 +1669,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,រូបិយប័ណ្ណគណនី DocType: Lab Test,Sample ID,លេខសម្គាល់គំរូ apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,សូមនិយាយពីគណនីបិទជុំទីក្នុងក្រុមហ៊ុន -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt ។ DocType: Purchase Receipt,Range,ជួរ DocType: Supplier,Default Payable Accounts,គណនីទូទាត់លំនាំដើម apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,បុគ្គលិក {0} គឺមិនសកម្មឬមិនមានទេ @@ -1682,8 +1709,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,សំណើសុំព័ត៌មាន DocType: Course Activity,Activity Date,កាលបរិច្ឆេទសកម្មភាព។ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} នៃ {} -,LeaderBoard,តារាងពិន្ទុ DocType: Sales Invoice Item,Rate With Margin (Company Currency),អត្រាជាមួយនឹងរឹម (រូបិយប័ណ្ណក្រុមហ៊ុន) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,ប្រភេទ។ apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,ធ្វើសមកាលកម្មវិកិយប័ត្រក្រៅបណ្តាញ DocType: Payment Request,Paid,Paid DocType: Service Level,Default Priority,អាទិភាពលំនាំដើម។ @@ -1718,11 +1745,11 @@ 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,ចំណូលប្រយោល DocType: Student Attendance Tool,Student Attendance Tool,ឧបករណ៍វត្តមានរបស់សិស្ស DocType: Restaurant Menu,Price List (Auto created),បញ្ជីតម្លៃ (បង្កើតដោយស្វ័យប្រវត្តិ) +DocType: Pick List Item,Picked Qty,ជ្រើសរើស Qty ។ DocType: Cheque Print Template,Date Settings,ការកំណត់កាលបរិច្ឆេទ 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,ពត៌មានអំពីការផ្សព្វផ្សាយបុគ្គលិក -,Company Name,ឈ្មោះក្រុមហ៊ុន DocType: SMS Center,Total Message(s),សារសរុប (s បាន) DocType: Share Balance,Purchased,បានទិញ DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,ប្តូរឈ្មោះគុណលក្ខណៈគុណលក្ខណៈក្នុងគុណលក្ខណៈធាតុ។ @@ -1741,7 +1768,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,ការប៉ុនប៉ងចុងក្រោយ។ 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} -DocType: BOM,Raw Material Cost(Company Currency),តម្លៃវត្ថុធាតុដើម (ក្រុមហ៊ុនរូបិយប័ណ្ណ) 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,តម្លៃអគ្គិសនី @@ -1808,6 +1834,7 @@ DocType: Travel Itinerary,Train,រថភ្លើង ,Delayed Item Report,របាយការណ៍ធាតុបានពន្យារពេល។ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,អាយ។ ស៊ី។ ស៊ី DocType: Healthcare Service Unit,Inpatient Occupancy,ការស្នាក់នៅក្នុងមន្ទីរពេទ្យ +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,បោះពុម្ពផ្សាយធាតុដំបូងរបស់អ្នក។ DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC -YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,ពេលវេលាបន្ទាប់ពីការបញ្ចប់វេននៅក្នុងអំឡុងពេលនៃការចាកចេញត្រូវបានពិចារណាសម្រាប់ការចូលរួម។ apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},សូមបញ្ជាក់ {0} @@ -1923,6 +1950,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,BOMs ទាំង apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,បង្កើតធាតុទិនានុប្បវត្តិក្រុមហ៊ុនអន្តរជាតិ។ DocType: Company,Parent Company,ក្រុមហ៊ុនមេ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},ប្រភេទសណ្ឋាគារប្រភេទ {0} មិនមាននៅលើ {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,ប្រៀបធៀប BOMs សម្រាប់ការផ្លាស់ប្តូរនៅក្នុងវត្ថុធាតុដើមនិងប្រតិបត្តិការ។ apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,ឯកសារ {0} ទទួលបានជោគជ័យ។ DocType: Healthcare Practitioner,Default Currency,រូបិយប័ណ្ណលំនាំដើម apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,បង្រួបបង្រួមគណនីនេះ។ @@ -1957,6 +1985,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,ពត៌មានវិក័យប័ត្ររបស់ C-សំណុំបែបបទ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ការទូទាត់វិក័យប័ត្រផ្សះផ្សានិងយុត្តិធម៌ DocType: Clinical Procedure,Procedure Template,គំរូនីតិវិធី +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,ផ្សព្វផ្សាយធាតុ។ apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,ការចូលរួមចំណែក% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ជាមួយការកំណត់ការទិញប្រសិនបើមានការទិញលំដាប់ទាមទារ == "បាទ" ហើយបន្ទាប់មកសម្រាប់ការបង្កើតការទិញវិក័យប័ត្រ, អ្នកប្រើត្រូវការដើម្បីបង្កើតការបញ្ជាទិញជាលើកដំបូងសម្រាប់ធាតុ {0}" ,HSN-wise-summary of outward supplies,HSN - សង្ខេបសង្ខេបនៃការផ្គត់ផ្គង់ខាងក្រៅ @@ -1969,7 +1998,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',សូមកំណត់ 'អនុវត្តការបញ្ចុះតម្លៃបន្ថែមទៀតនៅលើ " DocType: Party Tax Withholding Config,Applicable Percent,ភាគរយដែលសមស្រប ,Ordered Items To Be Billed,ធាតុបញ្ជាឱ្យនឹងត្រូវបានផ្សព្វផ្សាយ -DocType: Employee Checkin,Exit Grace Period Consequence,ផលប៉ះពាល់រយៈពេលនៃព្រះគុណ។ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,ពីជួរមានដើម្បីឱ្យមានតិចជាងដើម្បីជួរ DocType: Global Defaults,Global Defaults,លំនាំដើមជាសកល apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,ការអញ្ជើញសហការគម្រោង @@ -1977,13 +2005,11 @@ DocType: Salary Slip,Deductions,ការកាត់ DocType: Setup Progress Action,Action Name,ឈ្មោះសកម្មភាព apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ការចាប់ផ្តើមឆ្នាំ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,បង្កើតប្រាក់កម្ចី។ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,ការចាប់ផ្តើមកាលបរិច្ឆេទនៃការរយៈពេលបច្ចុប្បន្នរបស់វិក័យប័ត្រ DocType: Shift Type,Process Attendance After,ដំណើរការចូលរួមបន្ទាប់ពី។ ,IRS 1099,អាយ។ អេស ១០៩៩ ។ DocType: Salary Slip,Leave Without Pay,ទុកឱ្យដោយគ្មានការបង់ DocType: Payment Request,Outward,ចេញ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,កំហុសក្នុងការធ្វើផែនការការកសាងសមត្ថភាព apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,ពន្ធរដ្ឋ / យូ។ ធី ,Trial Balance for Party,អង្គជំនុំតុល្យភាពសម្រាប់ការគណបក្ស ,Gross and Net Profit Report,របាយការណ៍ប្រាក់ចំណេញដុលនិងសុទ្ធ។ @@ -2002,7 +2028,6 @@ DocType: Payroll Entry,Employee Details,ព័ត៌មានលម្អិត 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} -DocType: Setup Progress Action,Domains,ដែន 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} @@ -2044,7 +2069,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,កិច 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.",របៀបក្នុងការទូទាត់ត្រូវបានមិនបានកំណត់រចនាសម្ព័ន្ធ។ សូមពិនិត្យមើលថាតើគណនីត្រូវបានកំណត់នៅលើរបៀបនៃការទូទាត់ឬនៅលើប្រវត្តិរូបម៉ាស៊ីនឆូតកាត។ apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,ធាតុដូចគ្នាមិនអាចត្រូវបានបញ្ចូលច្រើនដង។ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",គណនីដែលមានបន្ថែមទៀតអាចត្រូវបានធ្វើក្រោមការក្រុមនោះទេតែធាតុដែលអាចត្រូវបានធ្វើប្រឆាំងនឹងការដែលមិនមែនជាក្រុម -DocType: Email Campaign,Lead,ការនាំមុខ +DocType: Call Log,Lead,ការនាំមុខ DocType: Email Digest,Payables,បង់ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,យុទ្ធនាការអ៊ីមែលសម្រាប់។ @@ -2056,6 +2081,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,មុខទំនិញបញ្ជាទិញត្រូវបានបង់ប្រាក់ 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,ដែនកំណត់ឥណទាន។ DocType: Purchase Invoice Item,Net Rate,អត្រាការប្រាក់សុទ្ធ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,សូមជ្រើសរើសអតិថិជន DocType: Leave Policy,Leave Allocations,ចាកចេញពីការបែងចែក @@ -2069,6 +2095,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,បញ្ហាបន្ទាប់ពីថ្ងៃបិទ ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,អ្នកត្រូវតែជាអ្នកប្រើដែលមានកម្មវិធីគ្រប់គ្រងប្រព័ន្ធនិងធាតុកម្មវិធីគ្រប់គ្រងធាតុដើម្បីបន្ថែមអ្នកប្រើទៅក្នុង Marketplace ។ +DocType: Attendance,Early Exit,ការចាកចេញដំបូង។ DocType: Job Opening,Staffing Plan,ផែនការបុគ្គលិក apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,វិក្កយបត្រអេឡិចត្រូនិច JSON អាចបង្កើតបានតែពីឯកសារដែលបានដាក់ស្នើ។ apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ពន្ធបុគ្គលិកនិងអត្ថប្រយោជន៍។ @@ -2089,6 +2116,7 @@ DocType: Maintenance Team Member,Maintenance Role,តួនាទីថែទា apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},ជួរស្ទួនជាមួយនឹង {0} {1} ដូចគ្នា DocType: Marketplace Settings,Disable Marketplace,បិទដំណើរការផ្សារ DocType: Quality Meeting,Minutes,នាទី។ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,ធាតុពិសេសរបស់អ្នក។ ,Trial Balance,អង្គជំនុំតុល្យភាព apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,បង្ហាញចប់ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ឆ្នាំសារពើពន្ធ {0} មិនបានរកឃើញ @@ -2098,8 +2126,8 @@ 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,សូមជ្រើសបុព្វបទជាលើកដំបូង DocType: Contract,Fulfilment Deadline,ថ្ងៃផុតកំណត់ +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,នៅក្បែរអ្នក។ DocType: Student,O-,O- -DocType: Shift Type,Consequence,ផល។ DocType: Subscription Settings,Subscription Settings,ការកំណត់ការជាវប្រចាំ DocType: Purchase Invoice,Update Auto Repeat Reference,ធ្វើបច្ចុប្បន្នភាពការធ្វើម្តងទៀតដោយស្វ័យប្រវត្តិ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},បញ្ជីថ្ងៃឈប់សម្រាកដែលមិនកំណត់សម្រាប់រយៈពេលឈប់សម្រាក {0} @@ -2110,7 +2138,6 @@ DocType: Maintenance Visit Purpose,Work Done,ការងារធ្វើ apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,សូមបញ្ជាក់គុណលក្ខណៈយ៉ាងហោចណាស់មួយនៅក្នុងតារាងលក្ខណៈ DocType: Announcement,All Students,និស្សិតទាំងអស់ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,ធាតុ {0} ត្រូវតែជាធាតុដែលមិនមានភាគហ៊ុន -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ធនាគារ Deatils ។ apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,មើលសៀវភៅ DocType: Grading Scale,Intervals,ចន្លោះពេល DocType: Bank Statement Transaction Entry,Reconciled Transactions,ប្រតិបត្តិការផ្សះផ្សា @@ -2146,6 +2173,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",ឃ្លាំងនេះនឹងត្រូវប្រើដើម្បីបង្កើតការបញ្ជាទិញលក់។ ឃ្លាំងស្តុកទំនិញថយក្រោយគឺជា "ហាងលក់ទំនិញ" ។ DocType: Work Order,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,រក្សាអត្រាការប្រាក់ដូចគ្នាពេញមួយវដ្តនៃការទិញ DocType: Opportunity Item,Opportunity Item,ធាតុឱកាសការងារ DocType: Quality Action,Quality Review,ការត្រួតពិនិត្យគុណភាព។ @@ -2172,7 +2200,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,ទទួលបានវិកិយប័ត្រឆ្នើម -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,លំដាប់ការលក់ {0} មិនត្រឹមត្រូវ +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,ព្រមានសម្រាប់សំណើថ្មីសម្រាប់សម្រង់ apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,ការបញ្ជាទិញជួយអ្នកមានគម្រោងនិងតាមដាននៅលើការទិញរបស់អ្នក apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,វេជ្ជបញ្ជាសាកល្បង @@ -2197,6 +2225,7 @@ DocType: Employee Onboarding,Notify users by email,ជូនដំណឹងដ DocType: Travel Request,International,អន្តរជាតិ DocType: Training Event,Training Event,ព្រឹត្តិការណ៍បណ្តុះបណ្តាល DocType: Item,Auto re-order,ការបញ្ជាទិញជាថ្មីម្តងទៀតដោយស្វ័យប្រវត្តិ +DocType: Attendance,Late Entry,ការចូលយឺត។ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,សរុបសម្រេច DocType: Employee,Place of Issue,ទីកន្លែងបញ្ហា DocType: Promotional Scheme,Promotional Scheme Price Discount,ការបញ្ចុះតម្លៃតម្លៃតាមគ្រោងការណ៍។ @@ -2243,6 +2272,7 @@ DocType: Serial No,Serial No Details,គ្មានព័ត៌មានលំ DocType: Purchase Invoice Item,Item Tax Rate,អត្រាអាករធាតុ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,ពីឈ្មោះគណបក្ស apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,ចំនួនប្រាក់ខែសុទ្ធ។ +DocType: Pick List,Delivery against Sales Order,ការដឹកជញ្ជូនប្រឆាំងនឹងបទបញ្ជាលក់។ DocType: Student Group Student,Group Roll Number,លេខវិលគ្រុប apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",{0} មានតែគណនីឥណទានអាចត្រូវបានតភ្ជាប់ប្រឆាំងនឹងធាតុឥណពន្ធផ្សេងទៀត apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,ការដឹកជញ្ជូនចំណាំ {0} គឺមិនត្រូវបានដាក់ស្នើ @@ -2314,7 +2344,6 @@ DocType: Contract,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,កាលបរិច្ឆេទផ្គត់ផ្គង់វិក័យប័ត្រ -DocType: Asset Settings,This value is used for pro-rata temporis calculation,តម្លៃនេះត្រូវបានប្រើសម្រាប់ការគណនានៃការបណ្ដោះអាសន្ន apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,អ្នកត្រូវអនុញ្ញាតកន្រ្តកទំនិញ DocType: Payment Entry,Writeoff,សរសេរបិទ DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-yYYYY.- @@ -2328,6 +2357,7 @@ DocType: Delivery Trip,Total Estimated Distance,សរុបការប៉ា DocType: Invoice Discounting,Accounts Receivable Unpaid Account,គណនីទទួលបានដោយមិនគិតប្រាក់។ DocType: Tally Migration,Tally Company,ក្រុមហ៊ុនថេល។ apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,កម្មវិធីរុករក Bom +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},មិនត្រូវបានអនុញ្ញាតឱ្យបង្កើតវិមាត្រគណនេយ្យសម្រាប់ {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,សូមធ្វើបច្ចុប្បន្នភាពស្ថានភាពរបស់អ្នកសម្រាប់ព្រឹត្តិការណ៍បណ្តុះបណ្តាលនេះ DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,បន្ថែមឬកាត់កង @@ -2337,7 +2367,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,ធាតុលក់អសកម្ម។ DocType: Quality Review,Additional Information,ព័ត៍មានបន្ថែម apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,តម្លៃលំដាប់សរុប -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,កំណត់កិច្ចព្រមព្រៀងកម្រិតសេវាកម្មឡើងវិញ។ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,អាហារ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,ជួរ Ageing 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,ពត៌មានលំអិតប័ណ្ណទូទាត់របស់ម៉ាស៊ីនឆូតកាត @@ -2384,6 +2413,7 @@ 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,យុទ្ធនាការឃោសនា 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',ស្ថានភាពការអនុម័តត្រូវតែបាន "ត្រូវបានអនុម័ត" ឬ "បានច្រានចោល" DocType: Healthcare Practitioner,Contacts and Address,ទំនាក់ទំនងនិងអាសយដ្ឋាន DocType: Shift Type,Determine Check-in and Check-out,កំណត់ការចូលនិងចេញ។ @@ -2403,7 +2433,6 @@ DocType: Student Admission,Eligibility and Details,សិទ្ធិនិង apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,រួមបញ្ចូលនៅក្នុងប្រាក់ចំណេញដុល។ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,ការផ្លាស់ប្តូរសុទ្ធនៅលើអចលនទ្រព្យ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Qty Qty -DocType: Company,Client Code,លេខកូដអតិថិជន។ apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,បន្ទុកនៃប្រភេទ 'ជាក់ស្តែង "នៅក្នុងជួរដេកដែលបាន {0} មិនអាចត្រូវបានរួមបញ្ចូលនៅក្នុងអត្រាធាតុ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},អតិបរមា: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,ចាប់ពី Datetime @@ -2471,6 +2500,7 @@ DocType: Journal Entry Account,Account Balance,សមតុល្យគណនី apps/erpnext/erpnext/config/accounting.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 (%),ប្រាក់ឧបត្ថម្ភផ្ទេរលើស (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: អតិថិជនគឺត្រូវបានទាមទារឱ្យមានការប្រឆាំងនឹងគណនីអ្នកទទួល {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ពន្ធសរុបនិងការចោទប្រកាន់ (រូបិយប័ណ្ណរបស់ក្រុមហ៊ុន) DocType: Weather,Weather Parameter,ប៉ារ៉ាម៉ែត្រអាកាសធាតុ @@ -2531,6 +2561,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,ម៉ោងធ្វើ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,វាអាចមានកត្តាប្រមូលចម្រៀកពហុផ្អែកលើចំនួនសរុបដែលបានចំណាយ។ ប៉ុន្ដែកត្តាបម្លែងសម្រាប់ការប្រោសលោះនឹងតែងតែដូចគ្នាចំពោះគ្រប់លំដាប់ទាំងអស់។ apps/erpnext/erpnext/config/help.py,Item Variants,វ៉ារ្យ៉ង់ធាតុ apps/erpnext/erpnext/public/js/setup_wizard.js,Services,ការផ្តល់សេវា +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM ២ DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,អ៊ីម៉ែលទៅឱ្យបុគ្គលិកគ្រូពេទ្យប្រហែលជាប្រាក់ខែ DocType: Cost Center,Parent Cost Center,មជ្ឈមណ្ឌលតម្លៃដែលមាតាឬបិតា @@ -2541,7 +2572,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields"," DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,នាំចូលកំណត់សំគាល់ការដឹកជញ្ជូនពី Shopify លើការដឹកជញ្ជូន apps/erpnext/erpnext/templates/pages/projects.html,Show closed,បង្ហាញបានបិទ DocType: Issue Priority,Issue Priority,បញ្ហាអាទិភាព។ -DocType: Leave Type,Is Leave Without Pay,ត្រូវទុកឱ្យដោយគ្មានការបង់ +DocType: Leave Ledger Entry,Is Leave Without Pay,ត្រូវទុកឱ្យដោយគ្មានការបង់ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,ហ្គីសស្ទីន។ apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,ទ្រព្យសម្បត្តិប្រភេទជាការចាំបាច់សម្រាប់ធាតុទ្រព្យសកម្មថេរ DocType: Fee Validity,Fee Validity,ថ្លៃសុពលភាព @@ -2589,6 +2620,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,បាច់អា apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,ធ្វើឱ្យទាន់សម័យបោះពុម្ពទ្រង់ទ្រាយ DocType: Bank Account,Is Company Account,ជាគណនីរបស់ក្រុមហ៊ុន apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,ចាកចេញពីប្រភេទ {0} មិនអាចបញ្ចូលបានទេ +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},ដែនកំណត់ឥណទានត្រូវបានកំណត់រួចហើយសម្រាប់ក្រុមហ៊ុន {0} DocType: Landed Cost Voucher,Landed Cost Help,ជំនួយការចំណាយបានចុះចត DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG -YYYY.- DocType: Purchase Invoice,Select Shipping Address,ជ្រើសអាសយដ្ឋានដឹកជញ្ជូន @@ -2613,6 +2645,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,ពីរផ្លូវ DocType: Item,Manufacturers,ក្រុមហ៊ុនផលិត។ @@ -2649,7 +2682,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,សេចក្តីថ្លែងការរបស់ធនាគារការផ្សះផ្សា DocType: Patient Encounter,Medical Coding,ការសរសេរកូដវេជ្ជសាស្ត្រ DocType: Healthcare Settings,Reminder Message,សាររំលឹក -,Lead Name,ការនាំមុខឈ្មោះ +DocType: Call Log,Lead Name,ការនាំមុខឈ្មោះ ,POS,ម៉ាស៊ីនឆូតកាត DocType: C-Form,III,III បាន apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,ការប្រមើលមើល @@ -2681,12 +2714,14 @@ DocType: Purchase Invoice,Supplier Warehouse,ឃ្លាំងក្រុម DocType: Opportunity,Contact Mobile No,ទំនាក់ទំនងទូរស័ព្ទគ្មាន apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,ជ្រើសរើសក្រុមហ៊ុន ,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: Student Report Generation Tool,Print Section,បោះពុម្ពផ្នែក DocType: Staffing Plan Detail,Estimated Cost Per Position,តម្លៃប៉ាន់ស្មានក្នុងមួយទីតាំង DocType: Employee,HR-EMP-,HR-EMP- 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,នាទីប្រជុំគុណភាព។ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,អ្នកផ្គត់ផ្គង់> ប្រភេទអ្នកផ្គត់ផ្គង់។ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,ការបញ្ជូនបុគ្គលិក DocType: Student Group,Set 0 for no limit,កំណត់ 0 សម្រាប់គ្មានដែនកំណត់ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,ថ្ងៃនេះ (s) បាននៅលើដែលអ្នកកំពុងដាក់ពាក្យសុំឈប់សម្រាកគឺជាថ្ងៃឈប់សម្រាក។ អ្នកត្រូវការត្រូវបានអនុវត្តសម្រាប់ការឈប់សម្រាក។ @@ -2720,12 +2755,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,ការផ្លាស់ប្តូរសាច់ប្រាក់សុទ្ធ DocType: Assessment Plan,Grading Scale,ធ្វើមាត្រដ្ឋានពិន្ទុ apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ឯកតារង្វាស់ {0} ត្រូវបានបញ្ចូលលើសពីមួយដងនៅក្នុងការសន្ទនាកត្តាតារាង -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,បានបញ្ចប់រួចទៅហើយ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,ភាគហ៊ុននៅក្នុងដៃ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",សូមបន្ថែមអត្ថប្រយោជន៍ដែលនៅសល់ {0} ទៅឱ្យកម្មវិធីជាសមាសភាគ \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',សូមកំនត់ក្រមសារពើពន្ធសំរាប់រដ្ឋបាលសាធារណៈ '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},ស្នើសុំការទូទាត់រួចហើយ {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,តម្លៃនៃធាតុដែលបានចេញផ្សាយ DocType: Healthcare Practitioner,Hospital,មន្ទីរពេទ្យ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},បរិមាណមិនត្រូវការច្រើនជាង {0} @@ -2770,6 +2803,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,ធនធានមនុស្ស apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,ផ្នែកខាងលើប្រាក់ចំណូល DocType: Item Manufacturer,Item Manufacturer,ក្រុមហ៊ុនផលិតធាតុ +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,បង្កើតសំណថ្មី។ DocType: BOM Operation,Batch Size,ទំហំបាច់។ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,ច្រានចោល DocType: Journal Entry Account,Debit in Company Currency,ឥណពន្ធក្នុងក្រុមហ៊ុនរូបិយប័ណ្ណ @@ -2790,9 +2824,11 @@ DocType: Bank Transaction,Reconciled,ផ្សះផ្សាឡើងវិញ DocType: Expense Claim,Total Amount Reimbursed,ចំនួនទឹកប្រាក់សរុបដែលបានសងវិញ apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,នេះផ្អែកលើកំណត់ហេតុប្រឆាំងនឹងរថយន្តនេះ។ សូមមើលខាងក្រោមសម្រាប់សេចក្ដីលម្អិតកំណត់ពេលវេលា apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,កាលបរិច្ឆេទបើកប្រាក់បៀវត្សមិនអាចតិចជាងកាលបរិច្ឆេទចូលរួមរបស់និយោជិកទេ +DocType: Pick List,Item Locations,ទីតាំងធាតុ។ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} បានបង្កើត apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",ការបើកចំហរការងារសម្រាប់ការកំណត់ {0} បានបើកចំហររួចហើយឬបានបញ្ចប់ការងារក្នុងផែនការបុគ្គលិក {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,អ្នកអាចបោះពុម្ពផ្សាយលើស ២០០ មុខ។ DocType: Vital Signs,Constipated,មិនទៀងទាត់ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},ប្រឆាំងនឹងការផ្គត់ផ្គង់វិក័យប័ត្រ {0} {1} ចុះកាលបរិច្ឆេទ DocType: Customer,Default Price List,តារាងតម្លៃលំនាំដើម @@ -2906,6 +2942,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,កាលបរិច្ឆេទនៃការចូលនិវត្តន៍ DocType: Upload Attendance,Get Template,ទទួលបានទំព័រគំរូ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ជ្រើសយកបញ្ជី។ ,Sales Person Commission Summary,ផ្នែកសង្ខេបនៃការលក់របស់បុគ្គល DocType: Material Request,Transferred,ផ្ទេរ DocType: Vehicle,Doors,ទ្វារ @@ -2985,7 +3022,7 @@ DocType: Sales Invoice Item,Customer's Item Code,លេខកូតមុខទ DocType: Stock Reconciliation,Stock Reconciliation,ភាគហ៊ុនការផ្សះផ្សា DocType: Territory,Territory Name,ឈ្មោះទឹកដី DocType: Email Digest,Purchase Orders to Receive,ទិញការបញ្ជាទិញដើម្បីទទួល -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,ការងារក្នុងវឌ្ឍនភាពឃ្លាំងត្រូវទាមទារមុនពេលដាក់ស្នើ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,ការងារក្នុងវឌ្ឍនភាពឃ្លាំងត្រូវទាមទារមុនពេលដាក់ស្នើ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,អ្នកអាចមានផែនការដែលមានវដ្តវិក័យប័ត្រដូចគ្នានៅក្នុងការជាវ DocType: Bank Statement Transaction Settings Item,Mapped Data,បានរៀបចំទិន្នន័យ DocType: Purchase Order Item,Warehouse and Reference,ឃ្លាំងនិងឯកសារយោង @@ -3058,6 +3095,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,កំណត់ការដឹកជញ្ជូន apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ទាញយកទិន្នន័យ apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},ការអនុញ្ញាតអតិបរមាដែលបានអនុញ្ញាតនៅក្នុងប្រភេទនៃការចាកចេញ {0} គឺ {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,បោះពុម្ពផ្សាយធាតុ ១ DocType: SMS Center,Create Receiver List,បង្កើតបញ្ជីអ្នកទទួល DocType: Student Applicant,LMS Only,LMS តែប៉ុណ្ណោះ។ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,កាលបរិច្ឆេទដែលអាចប្រើបានសម្រាប់ការប្រើគួរស្ថិតនៅក្រោយកាលបរិច្ឆេទទិញ @@ -3091,6 +3129,7 @@ DocType: Serial No,Delivery Document No,ចែកចាយឯកសារមិ DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ធានាឱ្យមានការដឹកជញ្ជូនដោយផ្អែកលើលេខស៊េរីផលិត DocType: Vital Signs,Furry,ខោទ្រនាប់ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},សូមកំណត់ 'គណនី / ចំណេញនៅលើបោះចោលបាត់បង់ទ្រព្យសកម្ម "ក្នុងក្រុមហ៊ុន {0} +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} @@ -3102,6 +3141,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},មើលបញ្ហាទាំងអស់ពី {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,តារាងប្រជុំគុណភាព។ +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/templates/pages/help.html,Visit the forums,ទស្សនាវេទិកា DocType: Student,Student Mobile Number,លេខទូរស័ព្ទរបស់សិស្ស DocType: Item,Has Variants,មានវ៉ារ្យ៉ង់ @@ -3112,9 +3152,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,ឈ្មោះរបស់ចែកចាយប្រចាំខែ DocType: Quality Procedure Process,Quality Procedure Process,ដំណើរការនីតិវិធីគុណភាព។ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,លេខសម្គាល់បាច់ជាការចាំបាច់ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,សូមជ្រើសរើសអតិថិជនជាមុនសិន។ DocType: Sales Person,Parent Sales Person,ឪពុកម្តាយរបស់បុគ្គលលក់ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,គ្មានធាតុដែលត្រូវបានទទួលហួសកាលកំណត់ទេ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,អ្នកលក់និងអ្នកទិញមិនអាចមានលក្ខណៈដូចគ្នាទេ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,មិនមានទស្សនៈនៅឡើយ DocType: Project,Collect Progress,ប្រមូលដំណើរការ DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN -YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,ជ្រើសកម្មវិធីដំបូង @@ -3136,6 +3178,7 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,សម្រេចបាន DocType: Student Admission,Application Form Route,ពាក្យស្នើសុំផ្លូវ apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,កាលបរិច្ឆេទបញ្ចប់នៃកិច្ចព្រមព្រៀងមិនអាចតិចជាងថ្ងៃនេះទេ។ +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,បញ្ជា (Ctrl) + បញ្ចូល (Enter) ដើម្បីដាក់ស្នើ។ DocType: Healthcare Settings,Patient Encounters in valid days,ការជួបជាមួយអ្នកជម្ងឺនៅថ្ងៃសុពលភាព apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,ទុកឱ្យប្រភេទ {0} មិនអាចត្រូវបានបម្រុងទុកសម្រាប់ចាប់តាំងពីវាត្រូវបានចាកចេញដោយគ្មានប្រាក់ខែ 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} @@ -3184,9 +3227,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,ការផ្គត់ផ្គង់ Qty DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR -YYYY.- DocType: Purchase Order Item,Material Request Item,ការស្នើសុំសម្ភារៈមុខទំនិញ -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,សូមបោះបង់វិក័យប័ត្រទិញ {0} ជាមុនសិន។ apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,មែកធាងនៃក្រុមធាតុ។ DocType: Production Plan,Total Produced Qty,ចំនួនផលិតសរុប +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,មិនទាន់មានការពិនិត្យទេ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,មិនអាចយោងលេខជួរដេកធំជាងឬស្មើទៅនឹងចំនួនជួរដេកបច្ចុប្បន្នសម្រាប់ប្រភេទការចោទប្រកាន់នេះ DocType: Asset,Sold,លក់ចេញ ,Item-wise Purchase History,ប្រវត្តិទិញប្រាជ្ញាធាតុ @@ -3205,7 +3248,7 @@ DocType: Designation,Required Skills,ជំនាញដែលត្រូវក DocType: Inpatient Record,O Positive,O វិជ្ជមាន apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,ការវិនិយោគ DocType: Issue,Resolution Details,ពត៌មានលំអិតការដោះស្រាយ -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,ប្រភេទប្រតិបត្តិការ +DocType: Leave Ledger Entry,Transaction Type,ប្រភេទប្រតិបត្តិការ DocType: Item Quality Inspection Parameter,Acceptance Criteria,លក្ខណៈវិនិច្ឆ័យក្នុងការទទួលយក apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,សូមបញ្ចូលសំណើសម្ភារៈនៅក្នុងតារាងខាងលើ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,គ្មានការទូទាត់សងសម្រាប់ធាតុទិនានុប្បវត្តិទេ @@ -3246,6 +3289,7 @@ DocType: Bank Account,Bank Account No,គណនីធនាគារលេខ DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ការដាក់ពាក្យស្នើសុំការលើកលែងពន្ធលើនិយោជិក DocType: Patient,Surgical History,ប្រវត្តិវះកាត់ DocType: Bank Statement Settings Item,Mapped Header,បណ្តុំបឋមកថា +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះបុគ្គលិកនៅក្នុងធនធានមនុស្ស> ធនធានមនុស្ស។ DocType: Employee,Resignation Letter Date,កាលបរិច្ឆេទលិខិតលាលែងពីតំណែង apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,ក្បួនកំណត់តម្លៃត្រូវបានត្រងបន្ថែមទៀតដោយផ្អែកលើបរិមាណ។ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},សូមកំណត់កាលបរិច្ឆេទនៃការចូលរួមសម្រាប់បុគ្គលិកដែលបាន {0} @@ -3283,6 +3327,7 @@ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Asset Depr ,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,សម្រង់និន្នាការ @@ -3310,7 +3355,6 @@ DocType: Student Report Generation Tool,Add Letterhead,បញ្ចូលក្ 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}: លោក Bill នៃសម្ភារៈមិនបានរកឃើញសម្រាប់ធាតុ {1} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ចំនួនសរុបដែលបានបម្រុងទុកស្លឹក {0} មិនអាចតិចជាងស្លឹកត្រូវបានអនុម័តរួចទៅហើយ {1} សម្រាប់រយៈពេលនេះ DocType: Contract Fulfilment Checklist,Requirement,តម្រូវការ DocType: Journal Entry,Accounts Receivable,គណនីអ្នកទទួល DocType: Quality Goal,Objectives,គោលបំណង។ @@ -3332,7 +3376,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,កំរិតប្ DocType: Lab Test Template,This value is updated in the Default Sales Price List.,តម្លៃនេះត្រូវបានធ្វើបច្ចុប្បន្នភាពនៅក្នុងបញ្ជីតម្លៃលក់លំនាំដើម។ apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,រទេះរបស់អ្នកគឺទទេ។ DocType: Email Digest,New Expenses,ការចំណាយថ្មី -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,ចំនួន PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,មិនអាចបង្កើនប្រសិទ្ធភាពផ្លូវព្រោះអាសយដ្ឋានរបស់អ្នកបើកបរបាត់។ DocType: Shareholder,Shareholder,ម្ចាស់ហ៊ុន DocType: Purchase Invoice,Additional Discount Amount,ចំនួនទឹកប្រាក់ដែលបញ្ចុះតម្លៃបន្ថែម @@ -3369,6 +3412,7 @@ DocType: Asset Maintenance Task,Maintenance Task,កិច្ចការតំ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,សូមកំណត់ដែនកំណត់ B2C ក្នុងការកំណត់ GST ។ 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} ឥឡូវនេះជាលំនាំដើមឆ្នាំសារពើពន្ធនេះ។ សូមធ្វើឱ្យកម្មវិធីរុករករបស់អ្នកសម្រាប់ការផ្លាស់ប្តូរមានប្រសិទ្ធិភាព។ @@ -3404,6 +3448,7 @@ DocType: Salary Component,Deduction,ការដក DocType: Item,Retain Sample,រក្សាទុកគំរូ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,ជួរដេក {0}: ពីពេលវេលានិងទៅពេលវេលាគឺជាការចាំបាច់។ DocType: Stock Reconciliation Item,Amount Difference,ភាពខុសគ្នាចំនួនទឹកប្រាក់ +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,ទំព័រនេះតាមដាននូវរបស់របរដែលអ្នកចង់ទិញពីអ្នកលក់។ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},ថ្លៃទំនិញបានបន្ថែមសម្រាប់ {0} នៅក្នុងបញ្ជីតម្លៃ {1} DocType: Delivery Stop,Order Information,ព័ត៌មានលំដាប់ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,សូមបញ្ចូលនិយោជិតលេខសម្គាល់នេះបុគ្គលការលក់ @@ -3432,6 +3477,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ឆ្នាំសារពើពន្ធឆ្នាំ ** តំណាងឱ្យហិរញ្ញវត្ថុ។ ការបញ្ចូលគណនីទាំងអស់និងប្រតិបត្តិការដ៏ធំមួយផ្សេងទៀតត្រូវបានតាមដានការប្រឆាំងនឹងឆ្នាំសារពើពន្ធ ** ** ។ DocType: Opportunity,Customer / Lead Address,អតិថិជន / អ្នកដឹកនាំការអាសយដ្ឋាន DocType: Supplier Scorecard Period,Supplier Scorecard Setup,ការដំឡើងកញ្ចប់ពិន្ទុនៃក្រុមហ៊ុនផ្គត់ផ្គង់ +DocType: Customer Credit Limit,Customer Credit Limit,ដែនកំណត់ឥណទានអតិថិជន។ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,ឈ្មោះផែនការវាយតម្លៃ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ព័ត៌មានលម្អិតគោលដៅ។ apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","អាចអនុវត្តបានប្រសិនបើក្រុមហ៊ុននេះជា SpA, SApA ឬ SRL ។" @@ -3483,7 +3529,6 @@ DocType: Global Defaults,Default Company,ក្រុមហ៊ុនលំនា 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,ឈ្មោះធនាគារ -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-ខាងលើ 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,6 +3580,7 @@ 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,បន្ថែមទៅធាតុពិសេស។ apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,ប្រាក់ចំណេញសម្រាប់ឆ្នាំនេះ 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,ក្នុងដំណើរការ @@ -3588,12 +3634,10 @@ 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,អនុញ្ញាតធាតុដូចគ្នាច្រើនដង -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,រកមិនឃើញក្រុមហ៊ុនជី។ អេស។ ធី។ ទេសម្រាប់ក្រុមហ៊ុន។ 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,និយោជិត DocType: Question,Single Correct Answer,ចម្លើយត្រឹមត្រូវតែមួយ។ -DocType: Employee,Contact Details,ពត៌មានទំនាក់ទំនង DocType: C-Form,Received Date,កាលបរិច្ឆេទទទួលបាន DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","បើអ្នកបានបង្កើតពុម្ពដែលស្ដង់ដារក្នុងការលក់និងការចោទប្រកាន់ពីពន្ធគំរូ, ជ្រើសយកមួយនិងចុចលើប៊ូតុងខាងក្រោម។" DocType: BOM Scrap Item,Basic Amount (Company Currency),ចំនួនទឹកប្រាក់មូលដ្ឋាន (ក្រុមហ៊ុនរូបិយប័ណ្ណ) @@ -3623,12 +3667,13 @@ DocType: BOM Website Operation,BOM Website Operation,Bom គេហទំព័ DocType: Bank Statement Transaction Payment Item,outstanding_amount,ចំនួនទឹកប្រាក់ដែលនៅសល់ DocType: Supplier Scorecard,Supplier Score,ពិន្ទុអ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,តារាងពេលចូល +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,ចំនួនទឹកប្រាក់ស្នើសុំការទូទាត់សរុបមិនអាចលើសពី {0} ចំនួនទឹកប្រាក់។ DocType: Tax Withholding Rate,Cumulative Transaction Threshold,កម្រិតប្រតិបតិ្តការសន្សំ DocType: Promotional Scheme Price Discount,Discount Type,ប្រភេទបញ្ចុះតំលៃ។ -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,សរុបវិក័យប័ត្រ AMT DocType: Purchase Invoice Item,Is Free Item,គឺជារបស់ឥតគិតថ្លៃ។ +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,ភាគរយដែលអ្នកត្រូវបានអនុញ្ញាតឱ្យផ្ទេរបន្ថែមទៀតធៀបនឹងបរិមាណដែលបានបញ្ជា។ ឧទាហរណ៍ៈប្រសិនបើអ្នកបានបញ្ជាទិញ ១០០ គ្រឿង។ ហើយប្រាក់ឧបត្ថម្ភរបស់អ្នកគឺ ១០% បន្ទាប់មកអ្នកត្រូវបានអនុញ្ញាតឱ្យផ្ទេរ ១១០ យូនីត។ DocType: Supplier,Warn RFQs,ព្រមាន RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,ស្វែងរក +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,ស្វែងរក DocType: BOM,Conversion Rate,អត្រាការប្រែចិត្តជឿ apps/erpnext/erpnext/www/all-products/index.html,Product Search,ស្វែងរកផលិតផល ,Bank Remittance,សេវាផ្ទេរប្រាក់តាមធនាគារ។ @@ -3640,6 +3685,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,ចំនួនទឹកប្រាក់សរុបបង់ DocType: Asset,Insurance End Date,ថ្ងៃផុតកំណត់ធានារ៉ាប់រង apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,សូមជ្រើសរើសការចូលរៀនរបស់និស្សិតដែលចាំបាច់សម្រាប់អ្នកដាក់ពាក្យសុំដែលបានបង់ថ្លៃសិក្សា +DocType: Pick List,STO-PICK-.YYYY.-,អេស។ ភី - ខេក។ -YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,បញ្ជីថវិកា DocType: Campaign,Campaign Schedules,កាលវិភាគយុទ្ធនាការ។ DocType: Job Card Time Log,Completed Qty,Qty បានបញ្ចប់ @@ -3662,6 +3708,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,អាស DocType: Quality Inspection,Sample Size,ទំហំគំរូ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,សូមបញ្ចូលឯកសារបង្កាន់ដៃ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,មុខទំនិញទាំងអស់ត្រូវបានចេញវិក័យប័ត្រ +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,យកស្លឹក។ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',សូមបញ្ជាក់ត្រឹមត្រូវមួយ "ពីសំណុំរឿងលេខ" 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,មជ្ឈមណ្ឌលការចំណាយបន្ថែមទៀតអាចត្រូវបានធ្វើឡើងនៅក្រោមការក្រុមនោះទេប៉ុន្តែធាតុដែលអាចត្រូវបានធ្វើប្រឆាំងនឹងការដែលមិនមែនជាក្រុម 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,ស្លឹកដែលបានបម្រុងទុកសរុបមានរយៈពេលច្រើនជាងការបែងចែកអតិបរមានៃប្រភេទនៃការចាកចេញ {0} សំរាប់បុគ្គលិក {1} នៅក្នុងកំឡុងពេល @@ -3761,6 +3808,8 @@ 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: Call Log,Received By,ទទួលបានដោយ។ 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.,តាមដានចំណូលដាច់ដោយឡែកនិងចំសម្រាប់បញ្ឈរផលិតផលឬការបែកបាក់។ @@ -3814,6 +3863,7 @@ DocType: Support Search Source,Result Title Field,លទ្ធផលចំណង apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,សង្ខេបការហៅ។ DocType: Sample Collection,Collected Time,ពេលវេលាប្រមូល DocType: Employee Skill Map,Employee Skills,ជំនាញបុគ្គលិក។ +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,ចំណាយប្រេងឥន្ធនៈ។ DocType: Company,Sales Monthly History,ប្រវត្តិការលក់ប្រចាំខែ apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,សូមកំណត់យ៉ាងហោចណាស់ជួរដេកមួយនៅក្នុងតារាងពន្ធនិងការគិតថ្លៃ។ DocType: Asset Maintenance Task,Next Due Date,កាលបរិច្ឆេទដល់កំណត់បន្ទាប់ @@ -3823,6 +3873,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,សញ្ DocType: Payment Entry,Payment Deductions or Loss,កាត់ការទូទាត់ឬការបាត់បង់ DocType: Soil Analysis,Soil Analysis Criterias,លក្ខណៈវិនិច្ឆ័យវិភាគដី apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,លក្ខខណ្ឌនៃកិច្ចសន្យាស្តង់ដាមួយសម្រាប់ការលក់ឬទិញ។ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},បានលុបជួរដេកចេញក្នុង {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),ចាប់ផ្តើមចូលមុនពេលចាប់ផ្តើមវេន (គិតជានាទី) DocType: BOM Item,Item operation,ប្រតិបត្តិការវត្ថុ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,ក្រុមតាមប័ណ្ណ @@ -3848,11 +3899,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,ប័ណ្ណប្រាក់ខែរបស់បុគ្គលិក {0} បានបង្កើតឡើងរួចទៅហើយសម្រាប់រយៈពេលនេះ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,ឱសថ apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,អ្នកគ្រាន់តែអាចដាក់ប្រាក់បញ្ញើការដាក់ប្រាក់ទៅកាន់ចំនួនទឹកប្រាក់នៃការបញ្ចូលទឹកប្រាក់ត្រឹមត្រូវ +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,ធាតុដោយ។ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,តម្លៃនៃធាតុដែលបានទិញ DocType: Employee Separation,Employee Separation Template,គំរូបំបែកបុគ្គលិក DocType: Selling Settings,Sales Order Required,ការលក់លំដាប់ដែលបានទាមទារ apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,ក្លាយជាអ្នកលក់ -DocType: Shift Type,The number of occurrence after which the consequence is executed.,ចំនួននៃការកើតឡើងដែលផលវិបាកត្រូវបានប្រតិបត្តិ។ ,Procurement Tracker,កម្មវិធីតាមដានលទ្ធកម្ម។ DocType: Purchase Invoice,Credit To,ការផ្តល់ឥណទានដល់ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,អាយធីស៊ីបញ្ច្រាស។ @@ -3865,6 +3916,7 @@ DocType: Quality Meeting,Agenda,របៀបវារៈ។ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ពត៌មានកាលវិភាគថែទាំ DocType: Supplier Scorecard,Warn for new Purchase Orders,ព្រមានសម្រាប់ការបញ្ជាទិញថ្មី DocType: Quality Inspection Reading,Reading 9,ការអាន 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,ភ្ជាប់គណនី Exotel របស់អ្នកទៅ ERP បន្ទាប់និងតាមដានកំណត់ហេតុការហៅ។ DocType: Supplier,Is Frozen,ត្រូវបានជាប់គាំង DocType: Tally Migration,Processed Files,ឯកសារដំណើរការ។ apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,ឃ្លាំងថ្នាំងជាក្រុមមិនត្រូវបានអនុញ្ញាតដើម្បីជ្រើសសម្រាប់ប្រតិបត្តិការ @@ -3873,6 +3925,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,លេខ Bom ស DocType: Upload Attendance,Attendance To Date,ចូលរួមកាលបរិច្ឆេទ 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,វេជ្ជបញ្ជា @@ -3897,7 +3950,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,អ្នកស្នើសុំ។ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},សេចក្ដីយោងមិនត្រឹមត្រូវ {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,វិធានសម្រាប់អនុវត្តគម្រោងផ្សព្វផ្សាយផ្សេងៗគ្នា។ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) មិនអាចច្រើនជាងបរិមាណដែលបានគ្រោងទុក ({2}) នៅក្នុងបញ្ជាផលិតកម្ម {3} DocType: Shipping Rule,Shipping Rule Label,វិធានការដឹកជញ្ជូនស្លាក DocType: Journal Entry Account,Payroll Entry,ការចូលប្រាក់បៀវត្សរ៍ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,មើលថ្លៃកំណត់ត្រា @@ -3909,6 +3961,7 @@ DocType: Contract,Fulfilment Status,ស្ថានភាពបំពេញ DocType: Lab Test Sample,Lab Test Sample,គំរូតេស្តមន្ទីរពិសោធន៍ DocType: Item Variant Settings,Allow Rename Attribute Value,អនុញ្ញាតឱ្យប្តូរឈ្មោះគុណលក្ខណៈគុណលក្ខណៈ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,ធាតុទិនានុប្បវត្តិរហ័ស +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,ចំនួនទឹកប្រាក់ទូទាត់នាពេលអនាគត។ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,អ្នកមិនអាចផ្លាស់ប្តូរអត្រាការបានប្រសិនបើ Bom បានរៀបរាប់ agianst ធាតុណាមួយ DocType: Restaurant,Invoice Series Prefix,បុព្វបទស៊េរីវិក្កយបត្រ DocType: Employee,Previous Work Experience,បទពិសោធន៍ការងារមុន @@ -3953,6 +4006,7 @@ DocType: Fiscal Year,Year End Date,ឆ្នាំបញ្ចប់កាលប 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} ត្រូវបានបិទ @@ -3961,6 +4015,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,ទទួលបានភាគហ៊ុននាពេលបច្ចុប្បន្ន DocType: Purchase Invoice,ineligible,មិនមានសិទ្ធិ apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,មែកធាងនៃលោក Bill នៃសម្ភារៈ +DocType: BOM,Exploded Items,វត្ថុផ្ទុះ។ DocType: Student,Joining Date,កាលបរិច្ឆេទការចូលរួម ,Employees working on a holiday,កម្មករនិយោជិតធ្វើការនៅលើថ្ងៃឈប់សម្រាកមួយ ,TDS Computation Summary,សង្ខេបការគណនា TDS @@ -3993,6 +4048,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),តំលៃមូល DocType: SMS Log,No of Requested SMS,គ្មានសារជាអក្សរដែលបានស្នើ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,ទុកឱ្យដោយគ្មានប្រាក់ខែមិនផ្គូផ្គងនឹងកំណត់ត្រាកម្មវិធីចាកចេញអនុម័ត apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,ជំហានបន្ទាប់ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,ធាតុបានរក្សាទុក។ DocType: Travel Request,Domestic,ក្នុងស្រុក apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,សូមផ្ដល់ធាតុដែលបានបញ្ជាក់នៅក្នុងអត្រាការប្រាក់ល្អបំផុតដែលអាចធ្វើទៅបាន apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,ការផ្ទេរបុគ្គលិកមិនអាចបញ្ជូនបានទេមុនពេលផ្ទេរ @@ -4044,7 +4100,7 @@ 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,គណនីទ្រព្យសកម្មប្រភេទ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,ជួរដេក # {0} (តារាងបង់ប្រាក់): ចំនួនទឹកប្រាក់ត្រូវតែជាវិជ្ជមាន -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},មិនអាចបង្កើតធាតុជាច្រើនទៀត {0} ជាងបរិមាណលំដាប់លក់ {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},មិនអាចបង្កើតធាតុជាច្រើនទៀត {0} ជាងបរិមាណលំដាប់លក់ {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,គ្មានអ្វីដែលត្រូវបានរាប់បញ្ចូលជាសរុបទេ។ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,វិក្កយបត្រអេឡិចត្រូនិចមានរួចហើយសម្រាប់ឯកសារនេះ។ apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,ជ្រើសគុណលក្ខណៈគុណលក្ខណៈ @@ -4078,12 +4134,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,បើកដំណើរការផលប៉ះពាល់ផ្សេងគ្នាសម្រាប់ការចាកចេញមុនពេលកំណត់។ ,Lab Test Report,របាយការណ៍តេស្តមន្ទីរពិសោធន៍ DocType: Employee Benefit Application,Employee Benefit Application,ពាក្យសុំជំនួយរបស់និយោជិក apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,សមាសភាគប្រាក់ខែបន្ថែម។ DocType: Purchase Invoice,Unregistered,មិនបានចុះឈ្មោះ។ -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,ជាដំបូងសូមចំណាំដឹកជញ្ជូន DocType: Student Applicant,Application Date,ពាក្យស្នើសុំកាលបរិច្ឆេទ DocType: Salary Component,Amount based on formula,ចំនួនទឹកប្រាក់ដែលមានមូលដ្ឋានលើរូបមន្ត DocType: Purchase Invoice,Currency and Price List,រូបិយប័ណ្ណនិងតារាងតម្លៃ @@ -4112,6 +4166,7 @@ DocType: Purchase Receipt,Time at which materials were received,ពេលវេ DocType: Products Settings,Products per Page,ផលិតផលក្នុងមួយទំព័រ 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,កាលបរិច្ឆេទចេញវិក្កយបត្រ។ apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកមិនអាចជាអវិជ្ជមានទេ។ DocType: Sales Order,Billing Status,ស្ថានភាពវិក័យប័ត្រ apps/erpnext/erpnext/public/js/conf.js,Report an Issue,រាយការណ៍បញ្ហា @@ -4129,6 +4184,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},ជួរដេក {0}: បញ្ចូលទីតាំងសម្រាប់ធាតុទ្រព្យសម្បត្តិ {1} DocType: Employee Checkin,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.",កំណត់តម្លៃលំនាំដើមដូចជាការក្រុមហ៊ុនរូបិយប័ណ្ណបច្ចុប្បន្នឆ្នាំសារពើពន្ធល DocType: Payment Entry,Payment Type,ប្រភេទការទូទាត់ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,សូមជ្រើសបាច់សម្រាប់ធាតុ {0} ។ មិនអាចរកក្រុមតែមួយដែលបំពេញតម្រូវការនេះ @@ -4156,6 +4212,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,ការកំណត់ DocType: Journal Entry,Accounting Entries,ធាតុគណនេយ្យ 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.",ប្រសិនបើច្បាប់ដែលបានកំណត់តម្លៃត្រូវបានបង្កើតសម្រាប់ 'អត្រា' វានឹងសរសេរជាន់លើបញ្ជីតំលៃ។ អត្រាកំណត់តម្លៃគឺជាអត្រាចុងក្រោយដូច្នេះគ្មានការបញ្ចុះតម្លៃបន្ថែមទៀតទេ។ ហេតុដូច្នេះហើយនៅក្នុងប្រតិបត្តិការដូចជាការបញ្ជាទិញការបញ្ជាទិញនិងការបញ្ជាទិញជាដើមវានឹងត្រូវបានយកមកប្រើក្នុង "អត្រា" ជាជាងវាល "បញ្ជីតំលៃ" ។ +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,សូមតំឡើងប្រព័ន្ធដាក់ឈ្មោះគ្រូនៅក្នុងការអប់រំ> ការកំណត់ការអប់រំ។ DocType: Journal Entry,Paid Loan,ប្រាក់កម្ចីបង់ 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,កាលបរិច្ឆេទយោងយោង @@ -4172,12 +4229,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks លម្អិត apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,គ្មានសន្លឹកពេល DocType: GoCardless Mandate,GoCardless Customer,អតិថិជន GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,ទុកឱ្យប្រភេទ {0} មិនអាចត្រូវបានយកមកបញ្ជូនបន្ត +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,លេខកូដរបស់ក្រុម> ក្រុមក្រុម> ម៉ាក។ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',ថែទាំគឺមិនត្រូវបានបង្កើតកាលវិភាគសម្រាប់ធាតុទាំងអស់នោះ។ សូមចុចលើ 'បង្កើតកាលវិភាគ " ,To Produce,ផលិត DocType: Leave Encashment,Payroll,បើកប្រាក់បៀវត្ស 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} ត្រូវតែត្រូវបានរួមបញ្ចូល DocType: Healthcare Service Unit,Parent Service Unit,អង្គភាពសេវាមាតាឬបិតា DocType: Packing Slip,Identification of the package for the delivery (for print),ការកំណត់អត្តសញ្ញាណនៃកញ្ចប់សម្រាប់ការចែកចាយ (សម្រាប់បោះពុម្ព) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,កិច្ចព្រមព្រៀងកម្រិតសេវាកម្មត្រូវបានកំណត់ឡើងវិញ។ DocType: Bin,Reserved Quantity,បរិមាណបំរុងទុក apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,សូមបញ្ចូលអាសយដ្ឋានអ៊ីម៉ែលត្រឹមត្រូវ DocType: Volunteer Skill,Volunteer Skill,ជំនាញស្ម័គ្រចិត្ត @@ -4198,7 +4257,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,ការបញ្ចុះតំលៃឬផលិតផល។ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,សម្រាប់ជួរដេក {0}: បញ្ចូល Qty ដែលបានគ្រោងទុក DocType: Account,Income Account,គណនីប្រាក់ចំណូល -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ទឹកដី។ DocType: Payment Request,Amount in customer's currency,ចំនួនទឹកប្រាក់របស់អតិថិជនជារូបិយប័ណ្ណ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,ការដឹកជញ្ជូន apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,ការផ្តល់រចនាសម្ព័ន្ធ ... @@ -4221,6 +4279,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,យោង 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?,អ្នកនឹងបាត់បង់កំណត់ត្រាវិក័យប័ត្រដែលបានបង្កើតកាលពីមុន។ តើអ្នកប្រាកដថាអ្នកចង់ចាប់ផ្តើមការភ្ជាប់នេះឡើងវិញទេ? @@ -4275,11 +4334,10 @@ DocType: Additional Salary,HR User,ធនធានមនុស្សរបស់ DocType: Bank Guarantee,Reference Document Name,ឈ្មោះឯកសារយោង DocType: Purchase Invoice,Taxes and Charges Deducted,ពន្ធនិងការចោទប្រកាន់កាត់ DocType: Support Settings,Issues,បញ្ហានានា -DocType: Shift Type,Early Exit Consequence after,ផលវិបាកនៃការចាកចេញដំបូងបន្ទាប់ពី។ DocType: Loyalty Program,Loyalty Program Name,ឈ្មោះកម្មវិធីភាពស្មោះត្រង់ apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},ស្ថានភាពត្រូវតែជាផ្នែកមួយនៃ {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,កម្មវិធីរំលឹកដើម្បីធ្វើបច្ចុប្បន្នភាព GSTIN បានផ្ញើ -DocType: Sales Invoice,Debit To,ឥណពន្ធដើម្បី +DocType: Discounted Invoice,Debit To,ឥណពន្ធដើម្បី DocType: Restaurant Menu Item,Restaurant Menu Item,ធាតុម៉ឺនុយភោជនីយដ្ឋាន DocType: Delivery Note,Required only for sample item.,បានទាមទារសម្រាប់តែធាតុគំរូ។ DocType: Stock Ledger Entry,Actual Qty After Transaction,Qty ពិតប្រាកដបន្ទាប់ពីការប្រតិបត្តិការ @@ -4362,6 +4420,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,ឈ្មោះប apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,ទុកឱ្យកម្មវិធីដែលមានស្ថានភាពប៉ុណ្ណោះ 'ត្រូវបានអនុម័ត "និង" បដិសេធ "អាចត្រូវបានដាក់ស្នើ apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,កំពុងបង្កើតវិមាត្រ ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},និស្សិតឈ្មោះក្រុមគឺជាការចាំបាច់ក្នុងជួរ {0} +DocType: Customer Credit Limit,Bypass credit limit_check,ដែនកំណត់ឥណទានតូចតាច។ DocType: Homepage,Products to be shown on website homepage,ផលិតផលត្រូវបានបង្ហាញនៅលើគេហទំព័រគេហទំព័រ DocType: HR Settings,Password Policy,គោលការណ៍ពាក្យសម្ងាត់។ apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,នេះគឺជាក្រុមអតិថិជនជា root និងមិនអាចត្រូវបានកែសម្រួល។ @@ -4408,10 +4467,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),ប apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,សូមកំណត់អតិថិជនលំនាំដើមនៅក្នុងការកំណត់ភោជនីយដ្ឋាន ,Salary Register,ប្រាក់បៀវត្សចុះឈ្មោះ DocType: Company,Default warehouse for Sales Return,ឃ្លាំងលំនាំដើមសម្រាប់ការលក់ត្រឡប់មកវិញ។ -DocType: Warehouse,Parent Warehouse,ឃ្លាំងមាតាបិតា +DocType: Pick List,Parent Warehouse,ឃ្លាំងមាតាបិតា DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},រកមិនឃើញលំនាំដើម Bom សម្រាប់ធាតុនិង {0} {1} គម្រោង +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 @@ -4448,6 +4507,7 @@ DocType: Travel Itinerary,Lodging Required,ការស្នាក់នៅដ DocType: Promotional Scheme,Price Discount Slabs,ការបញ្ចុះតំលៃបញ្ចុះតំលៃ។ DocType: Stock Reconciliation Item,Current Serial No,លេខស៊េរីបច្ចុប្បន្ន។ DocType: Employee,Attendance and Leave Details,ការចូលរួមនិងទុកព័ត៌មានលំអិត +,BOM Comparison Tool,ឧបករណ៍ប្រៀបធៀប BOM ។ ,Requested,បានស្នើរសុំ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,គ្មានសុន្ទរកថា DocType: Asset,In Maintenance,ក្នុងការថែទាំ @@ -4470,6 +4530,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,កិច្ចព្រមព្រៀងកម្រិតសេវាកម្មលំនាំដើម។ DocType: SG Creation Tool Course,Course Code,ក្រមការពិតណាស់ apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,ជម្រើសច្រើនជាងមួយសម្រាប់ {0} មិនត្រូវបានអនុញ្ញាតទេ។ +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Qty នៃវត្ថុធាតុដើមនឹងត្រូវបានសំរេចដោយផ្អែកលើមូលដ្ឋានគ្រឹះនៃទំនិញដែលបានបញ្ចប់។ DocType: Location,Parent Location,ទីតាំងមេ DocType: POS Settings,Use POS in Offline Mode,ប្រើម៉ាស៊ីនមេនៅក្រៅអ៊ីនធឺណិត apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,អាទិភាពត្រូវបានផ្លាស់ប្តូរទៅ {0} ។ @@ -4488,7 +4549,7 @@ DocType: Stock Settings,Sample Retention Warehouse,ឃ្លាំងស្ត DocType: Company,Default Receivable Account,គណនីអ្នកទទួលលំនាំដើម apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,រូបមន្តចំនួនគ្រោង។ DocType: Sales Invoice,Deemed Export,ចាត់ទុកថានាំចេញ -DocType: Stock Entry,Material Transfer for Manufacture,ផ្ទេរសម្រាប់ការផលិតសម្ភារៈ +DocType: Pick List,Material Transfer for Manufacture,ផ្ទេរសម្រាប់ការផលិតសម្ភារៈ 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.,ភាគរយបញ្ចុះតម្លៃអាចត្រូវបានអនុវត្តទាំងការប្រឆាំងនឹងតារាងតម្លៃមួយឬសម្រាប់តារាងតម្លៃទាំងអស់។ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,ប្រត្តិប័ត្រការគណនេយ្យសំរាប់ស្តុក DocType: Lab Test,LabTest Approver,អ្នកអនុម័ត LabTest @@ -4531,7 +4592,6 @@ DocType: Training Event,Theory,ទ្រឹស្តី apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,ព្រមាន: សម្ភារៈដែលបានស្នើ Qty គឺតិចជាងអប្បបរមាលំដាប់ Qty apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,គណនី {0} គឺការកក DocType: Quiz Question,Quiz Question,សំណួរសំណួរ។ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,អ្នកផ្គត់ផ្គង់> ប្រភេទអ្នកផ្គត់ផ្គង់។ 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","អាហារ, ភេសជ្ជៈនិងថ្នាំជក់" @@ -4561,6 +4621,7 @@ 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,ធាតុដែលបានបោះពុម្ពផ្សាយ។ DocType: Account,Expense Account,ចំណាយតាមគណនី apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,កម្មវិធីសម្រាប់បញ្ចូលកុំព្យូទ័រ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,ពណ៌ @@ -4598,6 +4659,7 @@ 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,ប្រតិបត្តិការធនាគារទាំងអស់ត្រូវបានបង្កើតឡើង។ DocType: Fee Validity,Visited yet,បានទៅទស្សនានៅឡើយ +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,អ្នកអាចដាក់បង្ហាញធាតុ ៨ យ៉ាង។ 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.,តើគួរធ្វើបច្ចុប្បន្នភាពគម្រោងនិងក្រុមហ៊ុនដោយផ្អែកលើប្រតិបត្ដិការលក់ជាញឹកញាប់។ @@ -4605,7 +4667,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,សីតុណ្ហាភាពផ្ទុក @@ -4630,7 +4691,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,ការផ្ល DocType: Contract,Signee Details,ព័ត៌មានលម្អិតអ្នកចុះហត្ថលេខា apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} បច្ចុប្បន្នមានជំហរ {1} ពិន្ទុសម្គាល់អ្នកផ្គត់ផ្គង់ហើយការស្នើសុំ RFQs ចំពោះអ្នកផ្គត់ផ្គង់នេះគួរតែត្រូវបានចេញដោយប្រុងប្រយ័ត្ន។ DocType: Certified Consultant,Non Profit Manager,កម្មវិធីមិនរកប្រាក់ចំណេញ -DocType: BOM,Total Cost(Company Currency),តម្លៃសរុប (ក្រុមហ៊ុនរូបិយវត្ថុ) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,សៀរៀលគ្មាន {0} បង្កើតឡើង DocType: Homepage,Company Description for website homepage,សង្ខេបសម្រាប់គេហទំព័ររបស់ក្រុមហ៊ុនគេហទំព័រ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ចំពោះភាពងាយស្រួលនៃអតិថិជន, កូដទាំងនេះអាចត្រូវបានប្រើនៅក្នុងទ្រង់ទ្រាយបោះពុម្ពដូចជាការវិកិយប័ត្រនិងដឹកជញ្ជូនចំណាំ" @@ -4658,7 +4718,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,ធាត DocType: Amazon MWS Settings,Enable Scheduled Synch,បើកដំណើរការការតំរែតំរង់កាលវិភាគ apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,ដើម្បី Datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,កំណត់ហេតុសម្រាប់ការរក្សាស្ថានភាពចែកចាយផ្ញើសារជាអក្សរ -DocType: Shift Type,Early Exit Consequence,ផលវិបាកនៃការចាកចេញដំបូង។ DocType: Accounts Settings,Make Payment via Journal Entry,ធ្វើឱ្យសេវាទូទាត់តាមរយៈ Journal Entry apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,សូមកុំបង្កើតរបស់របរច្រើនជាង ៥០០ ក្នុងពេលតែមួយ។ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,បោះពុម្ពលើ @@ -4715,6 +4774,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,ដែនកំ 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,សម្ងាត់ +DocType: Plaid Settings,Plaid Secret,Plaid សម្ងាត់។ DocType: Company,Date of Establishment,កាលបរិច្ឆេទនៃការបង្កើត apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,យ្រប apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,មួយរយៈសិក្សាជាមួយនេះ "ឆ្នាំសិក្សា" {0} និង 'ឈ្មោះរយៈពេល' {1} រួចហើយ។ សូមកែប្រែធាតុទាំងនេះនិងព្យាយាមម្ដងទៀត។ @@ -4775,6 +4835,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,ប្រភេទអតិថិជន DocType: Compensatory Leave Request,Leave Allocation,ទុកឱ្យការបម្រុងទុក DocType: Payment Request,Recipient Message And Payment Details,សារអ្នកទទួលនិងលម្អិតការបង់ប្រាក់ +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,សូមជ្រើសរើសកំណត់ត្រាដឹកជញ្ជូន។ DocType: Support Search Source,Source DocType,ប្រភព DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,បើកសំបុត្រថ្មី DocType: Training Event,Trainer Email,គ្រូបង្គោលអ៊ីម៉ែល @@ -4895,6 +4956,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,អនុវត្តស្លឹកបញ្ជូនបន្ត apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""ពីកាលបរិច្ឆេទ"" ត្រូវតែនៅបន្ទាប់ ""ដល់កាលបរិច្ឆេទ""" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,មិនមានគម្រោងបុគ្គលិកដែលរកឃើញសម្រាប់ការចង្អុលប័ណ្ណនេះទេ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,បំណះ {0} នៃធាតុ {1} ត្រូវបានបិទ។ @@ -4916,7 +4978,7 @@ DocType: Clinical Procedure,Patient,អ្នកជំងឺ apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,ពិនិត្យឥណទានឆ្លងកាត់តាមលំដាប់លក់ DocType: Employee Onboarding Activity,Employee Onboarding Activity,សកម្មភាពលើនាវា DocType: Location,Check if it is a hydroponic unit,ពិនិត្យមើលថាតើវាជាអង្គធាតុត្រូពិច -DocType: Stock Reconciliation Item,Serial No and Batch,សៀរៀលទេនិងបាច់ & ‧; +DocType: Pick List Item,Serial No and Batch,សៀរៀលទេនិងបាច់ & ‧; DocType: Warranty Claim,From Company,ពីក្រុមហ៊ុន DocType: GSTR 3B Report,January,មករា។ apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,ផលបូកនៃពិន្ទុវាយតំលៃត្រូវការដើម្បីឱ្យមាន {0} ។ @@ -4940,7 +5002,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ទេ {0} បានរកឃើញសម្រាប់ប្រតិបត្តិការអន្តរក្រុមហ៊ុន។ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt ។ DocType: Travel Itinerary,Rented Car,ជួលរថយន្ត apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,អំពីក្រុមហ៊ុនរបស់អ្នក apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ឥណទានទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី @@ -4973,11 +5034,13 @@ apps/erpnext/erpnext/config/accounting.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 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,លេខ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,ដែលនៅសល់ DocType: Appraisal,Appraisal,ការវាយតម្លៃ DocType: Loan,Loan Account,គណនីប្រាក់កម្ចី apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,វាលដែលមានសុពលភាពនិងមានសុពលភាពគឺចាំបាច់សម្រាប់ការកើនឡើង។ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",ចំពោះធាតុ {0} នៅជួរ {1} ការរាប់លេខស៊េរីមិនត្រូវគ្នានឹងបរិមាណដែលបានជ្រើសរើសទេ។ DocType: Purchase Invoice,GST Details,ព័ត៌មានលម្អិតរបស់ GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,នេះគឺផ្អែកទៅលើប្រតិបត្តិការដែលប្រឆាំងនឹងអ្នកថែទាំសុខភាពនេះ។ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},អ៊ីម៉ែលដែលបានផ្ញើទៅឱ្យអ្នកផ្គត់ផ្គង់ {0} @@ -5041,6 +5104,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ទំងន់សរុបនៃកញ្ចប់។ ជាធម្មតាមានទម្ងន់សុទ្ធ + + ការវេចខ្ចប់មានទម្ងន់សម្ភារៈ។ (សម្រាប់ការបោះពុម្ព) DocType: Assessment Plan,Program,កម្មវិធី DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,អ្នកប្រើដែលមានតួនាទីនេះត្រូវបានអនុញ្ញាតឱ្យកំណត់គណនីរបស់ទឹកកកនិងបង្កើត / កែប្រែធាតុគណនេយ្យប្រឆាំងនឹងគណនីជាទឹកកក +DocType: Plaid Settings,Plaid Environment,បរិស្ថានផ្លាដ។ ,Project Billing Summary,សង្ខេបវិក្កយបត្រគម្រោង។ DocType: Vital Signs,Cuts,កាត់ DocType: Serial No,Is Cancelled,ត្រូវបានលុបចោល @@ -5103,7 +5167,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ចំណាំ: ប្រព័ន្ធនឹងមិនបានពិនិត្យមើលលើការចែកចាយនិងការកក់សម្រាប់ធាតុ {0} ជាបរិមាណឬចំនួនទឹកប្រាក់គឺ 0 DocType: Issue,Opening Date,ពិធីបើកកាលបរិច្ឆេទ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,សូមសង្គ្រោះអ្នកជំងឺមុន -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,បង្កើតទំនាក់ទំនងថ្មី។ apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,ការចូលរួមត្រូវបានគេបានសម្គាល់ដោយជោគជ័យ។ DocType: Program Enrollment,Public Transport,ការដឹកជញ្ជូនសាធារណៈ DocType: Sales Invoice,GST Vehicle Type,ប្រភេទរថយន្ត GST @@ -5130,6 +5193,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,វិក DocType: POS Profile,Write Off Account,បិទការសរសេរគណនី DocType: Patient Appointment,Get prescribed procedures,ទទួលបាននីតិវិធីត្រឹមត្រូវ DocType: Sales Invoice,Redemption Account,គណនីរំដោះ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,ដំបូងបន្ថែមធាតុនៅក្នុងតារាងទីតាំងធាតុ។ DocType: Pricing Rule,Discount Amount,ចំនួនការបញ្ចុះតំលៃ DocType: Pricing Rule,Period Settings,ការកំណត់រយៈពេល។ DocType: Purchase Invoice,Return Against Purchase Invoice,ការវិលត្រឡប់ពីការប្រឆាំងនឹងការទិញវិក័យប័ត្រ @@ -5161,7 +5225,6 @@ DocType: Assessment Plan,Assessment Plan,ផែនការការវាយត DocType: Travel Request,Fully Sponsored,ឧបត្ថម្ភយ៉ាងពេញទំហឹង apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,បញ្ច្រាសធាតុទិនានុប្បវត្តិ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,បង្កើតកាតការងារ។ -DocType: Shift Type,Consequence after,ផលវិបាកបន្ទាប់ពី។ DocType: Quality Procedure Process,Process Description,ការពិពណ៌នាអំពីដំណើរការ។ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,អតិថិជន {0} ត្រូវបានបង្កើត។ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,បច្ចុប្បន្នពុំមានស្តុកនៅក្នុងឃ្លាំងណាមួយឡើយ @@ -5196,6 +5259,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,កាលបរិច្ឆ DocType: Delivery Settings,Dispatch Notification Template,ជូនដំណឹងអំពីការចេញផ្សាយ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,របាយការណ៍វាយតម្ល្រ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,ទទួលបានបុគ្គលិក +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 @@ -5289,7 +5353,6 @@ DocType: Stock Settings,Use Naming Series,ប្រើស៊ុមឈ្មោ apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,គ្មានសកម្មភាព apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,ការចោទប្រកាន់មិនអាចវាយតម្លៃប្រភេទសម្គាល់ថាជាការរួមបញ្ចូល DocType: POS Profile,Update Stock,ធ្វើឱ្យទាន់សម័យហ៊ុន -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ផ្សេងគ្នាសម្រាប់ធាតុនឹងនាំឱ្យមានមិនត្រឹមត្រូវ (សរុប) តម្លៃទម្ងន់សុទ្ធ។ សូមប្រាកដថាទម្ងន់សុទ្ធនៃធាតុគ្នាគឺនៅ UOM ដូចគ្នា។ DocType: Certification Application,Payment Details,សេចក្ដីលម្អិតការបង់ប្រាក់ apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,អត្រា Bom @@ -5324,7 +5387,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,នេះគឺជាការលក់មនុស្សម្នាក់ជា root និងមិនអាចត្រូវបានកែសម្រួល។ DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ប្រសិនបើបានជ្រើសតម្លៃដែលបានបញ្ជាក់ឬគណនាក្នុងសមាសភាគនេះនឹងមិនរួមចំណែកដល់ការរកប្រាក់ចំណូលឬកាត់។ ទោះជាយ៉ាងណា, វាជាតម្លៃមួយអាចត្រូវបានយោងដោយសមាសភាគផ្សេងទៀតដែលអាចត្រូវបានបន្ថែមឬដកចេញ។" DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ប្រសិនបើបានជ្រើសតម្លៃដែលបានបញ្ជាក់ឬគណនាក្នុងសមាសភាគនេះនឹងមិនរួមចំណែកដល់ការរកប្រាក់ចំណូលឬកាត់។ ទោះជាយ៉ាងណា, វាជាតម្លៃមួយអាចត្រូវបានយោងដោយសមាសភាគផ្សេងទៀតដែលអាចត្រូវបានបន្ថែមឬដកចេញ។" -DocType: Asset Settings,Number of Days in Fiscal Year,ចំនួនថ្ងៃនៅក្នុងឆ្នាំសារពើពន្ធ ,Stock Ledger,ភាគហ៊ុនសៀវភៅ DocType: Company,Exchange Gain / Loss Account,គណនីប្តូរប្រាក់ចំណេញ / បាត់បង់ DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials @@ -5360,6 +5422,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,ជួរឈរនៅក្នុងឯកសារធនាគារ។ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},ចាកចេញពីកម្មវិធី {0} មានរួចហើយប្រឆាំងនឹងសិស្ស {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,រង់ចាំសម្រាប់ការធ្វើបច្ចុប្បន្នភាពតម្លៃចុងក្រោយនៅក្នុង Bill of Material ។ វាអាចចំណាយពេលពីរបីនាទី។ +DocType: Pick List,Get Item Locations,ទទួលបានទីតាំងធាតុ។ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,ឈ្មោះនៃគណនីថ្មី។ ចំណាំ: សូមកុំបង្កើតគណនីសម្រាប់អតិថិជននិងអ្នកផ្គត់ផ្គង់ DocType: POS Profile,Display Items In Stock,បង្ហាញធាតុនៅក្នុងស្តុក apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,ប្រទេសអាស័យដ្ឋានពុម្ពលំនាំដើមរបស់អ្នកមានប្រាជ្ញា @@ -5383,6 +5446,7 @@ DocType: Crop,Materials Required,សម្ភារៈដែលត្រូវ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,គ្មានសិស្សនិស្សិតបានរកឃើញ DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,ការលើកលែងពន្ធ HRA ប្រចាំខែ DocType: Clinical Procedure,Medical Department,នាយកដ្ឋានវេជ្ជសាស្ត្រ +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,ការចេញមុនសរុប។ DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,លក្ខណៈវិនិច្ឆ័យពិន្ទុអ្នកផ្គត់ផ្គង់ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,កាលបរិច្ឆេទវិក្ក័យប័ត្រ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,លក់ @@ -5394,11 +5458,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","សូមលុបនិយោជិក {0} \ ដើម្បីលុបចោលឯកសារនេះ។" DocType: Program Enrollment,School House,សាលាផ្ទះ DocType: Serial No,Out of AMC,ចេញពីមជ្ឈមណ្ឌល AMC DocType: Opportunity,Opportunity Amount,ចំនួនឱកាស +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,ប្រវត្តិរូបរបស់អ្នក។ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ចំនួននៃការធ្លាក់ចុះបានកក់មិនអាចច្រើនជាងចំនួនសរុបនៃការធ្លាក់ថ្លៃ DocType: Purchase Order,Order Confirmation Date,កាលបរិច្ឆេទបញ្ជាក់ការបញ្ជាទិញ DocType: Driver,HR-DRI-.YYYY.-,HR-DRI -YYYY.- @@ -5492,7 +5555,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",មានភាពមិនស៊ីសង្វាក់គ្នារវាងអត្រាគ្មានភាគហ៊ុននិងចំនួនទឹកប្រាក់ដែលបានគណនា apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,អ្នកមិនមានវត្តមានពេញមួយថ្ងៃរវាងថ្ងៃឈប់ស្នើសុំឈប់សម្រាក apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,សូមប្រភេទឈ្មោះរបស់ក្រុមហ៊ុនដើម្បីបញ្ជាក់ -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,សរុបឆ្នើម AMT DocType: Journal Entry,Printing Settings,ការកំណត់បោះពុម្ព DocType: Payment Order,Payment Order Type,ប្រភេទលំដាប់នៃការទូទាត់។ DocType: Employee Advance,Advance Account,គណនីមុន @@ -5582,7 +5644,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,ឈ្មោះចូលឆ្នាំ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,មានថ្ងៃឈប់សម្រាកច្រើនជាងថ្ងៃធ្វើការខែនេះ។ apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,ធាតុបន្ទាប់ {0} មិនត្រូវបានសម្គាល់ជា {1} ធាតុទេ។ អ្នកអាចបើកពួកវាជាធាតុ {1} ពីវត្ថុធាតុរបស់វា -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,ផលិតផលធាតុកញ្ចប់ DocType: Sales Partner,Sales Partner Name,ឈ្មោះដៃគូការលក់ apps/erpnext/erpnext/hooks.py,Request for Quotations,សំណើរពីតំលៃ @@ -5591,7 +5652,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,ធាតុសាកល្បងធម្មតា DocType: QuickBooks Migrator,Company Settings,ការកំណត់ក្រុមហ៊ុន DocType: Additional Salary,Overwrite Salary Structure Amount,សរសេរជាន់លើរចនាសម្ព័ន្ធប្រាក់ខែ -apps/erpnext/erpnext/config/hr.py,Leaves,ស្លឹកឈើ។ +DocType: Leave Ledger Entry,Leaves,ស្លឹកឈើ។ DocType: Student Language,Student Language,ភាសារបស់សិស្ស DocType: Cash Flow Mapping,Is Working Capital,គឺជារាជធានីដែលធ្វើការ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,បញ្ជូនភស្តុតាង។ @@ -5603,7 +5664,6 @@ DocType: Asset,Partially Depreciated,ធ្លាក់ថ្លៃដោយផ DocType: Issue,Opening Time,ម៉ោងបើក apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,ពីនិងដើម្បីកាលបរិច្ឆេទដែលបានទាមទារ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,ផ្លាស់ប្តូរទំនិញនិងមូលបត្រ -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},សង្ខេបការហៅដោយ {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,ស្វែងរកឯកសារ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',អង្គភាពលំនាំដើមនៃវិធានការសម្រាប់វ៉ារ្យង់ '{0} "ត្រូវតែមានដូចគ្នានៅក្នុងទំព័រគំរូ' {1} ' DocType: Shipping Rule,Calculate Based On,គណនាមូលដ្ឋាននៅលើ @@ -5650,6 +5710,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,តម្លៃអតិបរមាអនុញ្ញាត DocType: Journal Entry Account,Employee Advance,បុព្វលាភនិយោជិក DocType: Payroll Entry,Payroll Frequency,ភពញឹកញប់បើកប្រាក់បៀវត្ស +DocType: Plaid Settings,Plaid Client ID,លេខសម្គាល់អតិថិជន Plaid ។ DocType: Lab Test Template,Sensitivity,ភាពប្រែប្រួល DocType: Plaid Settings,Plaid Settings,ការកំណត់ Plaid ។ apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,ការធ្វើសមកាលកម្មត្រូវបានបិទជាបណ្ដោះអាសន្នព្រោះការព្យាយាមអតិបរមាបានលើស @@ -5667,6 +5728,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,សូមជ្រើសរើសកាលបរិច្ឆេទដំបូងគេបង្អស់ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,បើកកាលបរិច្ឆេទគួរតែមានមុនកាលបរិចេ្ឆទផុតកំណត់ DocType: Travel Itinerary,Flight,ការហោះហើរ +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,ត្រលប់ទៅផ្ទះ DocType: Leave Control Panel,Carry Forward,អនុវត្តការទៅមុខ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,មជ្ឈមណ្ឌលប្រាក់ដែលមានស្រាប់ការចំណាយដែលមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ DocType: Budget,Applicable on booking actual expenses,អាចអនុវត្តលើការចំណាយលើការកក់ពិតប្រាកដ @@ -5723,6 +5785,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,បង្កើត apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យអនុម័តស្លឹកនៅលើកាលបរិច្ឆេទប្លុក apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} សំណើសម្រាប់ {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,មុខទំនិញទាំងអស់នេះត្រូវបានចេញវិក័យប័ត្ររួចហើយ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,គ្មានវិក័យប័ត្រឆ្នើមត្រូវបានរកឃើញសម្រាប់ {0} {1} ដែលមានលក្ខណៈសម្បត្តិគ្រប់គ្រាន់ដែលអ្នកបានបញ្ជាក់។ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,កំណត់កាលបរិច្ឆេទចេញផ្សាយថ្មី DocType: Company,Monthly Sales Target,គោលដៅលក់ប្រចាំខែ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,រកមិនឃើញវិក្កយបត្រឆ្នើម។ @@ -5770,6 +5833,7 @@ DocType: Batch,Source Document Name,ឈ្មោះឯកសារប្រភ DocType: Batch,Source Document Name,ឈ្មោះឯកសារប្រភព DocType: Production Plan,Get Raw Materials For Production,ទទួលបានវត្ថុធាតុដើមសម្រាប់ផលិតកម្ម DocType: Job Opening,Job Title,ចំណងជើងការងារ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,ការទូទាត់សំណងអនាគត។ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.",{0} បង្ហាញថា {1} នឹងមិនផ្តល់សម្រង់ទេប៉ុន្តែធាតុទាំងអស់ត្រូវបានដកស្រង់។ ធ្វើបច្ចុប្បន្នភាពស្ថានភាពសម្រង់ RFQ ។ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,គំរូអតិបរមា - {0} ត្រូវបានរក្សាទុករួចហើយសម្រាប់បំណះ {1} និងធាតុ {2} នៅក្នុងបាច់ {3} ។ @@ -5780,12 +5844,10 @@ 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: Company,Product Code,លេខកូដផលិតផល។ DocType: Quality Review Table,Objective,គោលបំណង។ DocType: Supplier Scorecard,Per Month,ក្នុងមួយខែ DocType: Education Settings,Make Academic Term Mandatory,ធ្វើឱ្យមានការសិក្សាជាចាំបាច់ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,បរិមាណដែលត្រូវទទួលទានក្នុងការផលិតត្រូវតែធំជាង 0 ។ -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,គណនាកាលវិភាគនៃការរំលោះបំណុលដោយផ្អែកលើឆ្នាំសារពើពន្ធ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,បរិមាណដែលត្រូវទទួលទានក្នុងការផលិតត្រូវតែធំជាង 0 ។ apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,សូមចូលទស្សនារបាយការណ៍សម្រាប់ការហៅថែទាំ។ DocType: Stock Entry,Update Rate and Availability,អត្រាធ្វើឱ្យទាន់សម័យនិងអាចរកបាន 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 គ្រឿង។ @@ -5797,7 +5859,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,កាលបរិច្ឆេទនៃការចេញផ្សាយត្រូវតែមាននាពេលអនាគត។ DocType: BOM,Website Description,វេបសាយការពិពណ៌នាសង្ខេប apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,ការផ្លាស់ប្តូរសុទ្ធនៅសមភាព -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,សូមបោះបង់ការទិញវិក័យប័ត្រ {0} ដំបូង apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,មិនអនុញ្ញាត។ សូមបិទប្រភេទអង្គភាព apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","អាសយដ្ឋានអ៊ីមែលត្រូវតែមានតែមួយគត់, រួចហើយសម្រាប់ {0}" DocType: Serial No,AMC Expiry Date,កាលបរិច្ឆេទ AMC ផុតកំណត់ @@ -5840,6 +5901,7 @@ DocType: Pricing Rule,Price Discount Scheme,គ្រោងការណ៍បញ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,ស្ថានភាពថែទាំត្រូវបានលុបចោលឬត្រូវបានបញ្ចប់ដើម្បីដាក់ស្នើ DocType: Amazon MWS Settings,US,អាមេរិក DocType: Holiday List,Add Weekly Holidays,បន្ថែមថ្ងៃឈប់សម្រាកប្រចាំសប្តាហ៍ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,រាយការណ៍អំពីធាតុ។ DocType: Staffing Plan Detail,Vacancies,ព័ត៌មានជ្រើសរើសបុគ្គលិក DocType: Hotel Room,Hotel Room,បន្ទប់សណ្ឋាគារ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},គណនី {0} មិនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {1} @@ -5890,12 +5952,15 @@ DocType: Email Digest,Open Quotations,បើកការដកស្រង់ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","សូមលុបនិយោជិក {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,ចំនួនទឹកប្រាក់ជាមូលដ្ឋាន @@ -5909,6 +5974,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,ទំនេរ DocType: Patient,Alcohol Past Use,អាល់កុលប្រើអតីតកាល DocType: Fertilizer Content,Fertilizer Content,មាតិកាជី +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,គ្មានការពិពណ៌នា។ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,CR DocType: Tax Rule,Billing State,រដ្ឋវិក័យប័ត្រ DocType: Quality Goal,Monitoring Frequency,ភាពញឹកញាប់នៃការត្រួតពិនិត្យ។ @@ -5926,6 +5992,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,បញ្ចប់នៅកាលបរិច្ឆេទមិនអាចត្រូវបានមុនកាលបរិច្ឆេទទំនាក់ទំនងក្រោយ។ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,ធាតុបាច់។ DocType: Journal Entry,Pay To / Recd From,ចំណាយប្រាក់ដើម្បី / Recd ពី +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,មិនផ្សព្វផ្សាយធាតុ។ DocType: Naming Series,Setup Series,ការរៀបចំស៊េរី DocType: Payment Reconciliation,To Invoice Date,ដើម្បី invoice កាលបរិច្ឆេទ DocType: Bank Account,Contact HTML,ការទំនាក់ទំនងរបស់ HTML @@ -5947,6 +6014,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,ការលក់រា DocType: Student Attendance,Absent,អវត្តមាន DocType: Staffing Plan,Staffing Plan Detail,ពត៌មានលំអិតបុគ្គលិក DocType: Employee Promotion,Promotion Date,កាលបរិច្ឆេទការផ្សព្វផ្សាយ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,ការបែងចែកការទុក% s ត្រូវបានភ្ជាប់ជាមួយពាក្យសុំឈប់សម្រាក% s ។ 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} @@ -5981,9 +6049,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,វិក័យប័ត្រ {0} លែងមាន DocType: Guardian Interest,Guardian Interest,កាសែត The Guardian ការប្រាក់ DocType: Volunteer,Availability,ភាពទំនេរ +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,ការដាក់ពាក្យសុំឈប់សម្រាកត្រូវបានផ្សារភ្ជាប់ជាមួយនឹងការបែងចែកការឈប់សម្រាក {0} ។ ការចាកចេញពីពាក្យសុំមិនអាចត្រូវបានកំណត់ជាការឈប់សម្រាកដោយគ្មានប្រាក់ឈ្នួលទេ។ apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,ដំឡើងតម្លៃលំនាំដើមសម្រាប់វិក្កយបត្រ POS DocType: Employee Training,Training,ការបណ្តុះបណ្តាល DocType: Project,Time to send,ពេលវេលាដើម្បីផ្ញើ +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,ទំព័រនេះតាមដានធាតុរបស់អ្នកដែលអ្នកទិញបានបង្ហាញចំណាប់អារម្មណ៍ខ្លះៗ។ 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 @@ -6083,12 +6153,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,តម្លៃពិធីបើក DocType: Salary Component,Formula,រូបមន្ត apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,# សៀរៀល -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំប្រព័ន្ធដាក់ឈ្មោះបុគ្គលិកនៅក្នុងធនធានមនុស្ស> ធនធានមនុស្ស។ 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/setup/doctype/company/company.py,Sales Account,គណនីលក់ DocType: Purchase Invoice Item,Total Weight,ទំងន់សរុប +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}" @@ -6112,6 +6182,7 @@ DocType: Company,Default Employee Advance Account,គណនីបុព្វល apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),ធាតុស្វែងរក (បញ្ជា (Ctrl) + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF -YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានលុប +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,ហេតុអ្វីបានជាគិតថាធាតុនេះគួរតែត្រូវបានដកចេញ? DocType: Vehicle,Last Carbon Check,ពិនិត្យកាបូនចុងក្រោយនេះ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,ការចំណាយផ្នែកច្បាប់ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,សូមជ្រើសរើសបរិមាណនៅលើជួរដេក @@ -6131,6 +6202,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,ការវិភាគ DocType: Travel Itinerary,Vegetarian,អ្នកតមសាច់ DocType: Patient Encounter,Encounter Date,កាលបរិច្ឆេទជួបគ្នា +DocType: Work Order,Update Consumed Material Cost In Project,ធ្វើបច្ចុប្បន្នភាពតម្លៃសម្ភារៈប្រើប្រាស់ក្នុងគម្រោង។ apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,គណនី: {0} ដែលមានរូបិយប័ណ្ណ: {1} មិនអាចត្រូវបានជ្រើស & ‧; DocType: Bank Statement Transaction Settings Item,Bank Data,ទិន្នន័យធនាគារ DocType: Purchase Receipt Item,Sample Quantity,បរិមាណគំរូ @@ -6185,7 +6257,7 @@ DocType: GSTR 3B Report,April,ខែមេសា។ DocType: Plant Analysis,Collection Datetime,ការប្រមូលទិន្នន័យរយៈពេល DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-yYYYY.- DocType: Work Order,Total Operating Cost,ថ្លៃប្រតិបត្តិការ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,ចំណាំ: មុខទំនិញ {0} បានបញ្ចូលច្រើនដង +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,ចំណាំ: មុខទំនិញ {0} បានបញ្ចូលច្រើនដង apps/erpnext/erpnext/config/buying.py,All Contacts.,ទំនាក់ទំនងទាំងអស់។ DocType: Accounting Period,Closed Documents,បិទឯកសារ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,គ្រប់គ្រងវិក័យប័ត្រណាត់ជួបដាក់ពាក្យនិងបោះបង់ដោយស្វ័យប្រវត្តិសម្រាប់ការជួបប្រទះអ្នកជម្ងឺ @@ -6267,9 +6339,7 @@ DocType: Member,Membership Type,ប្រភេទសមាជិកភាព ,Reqd By Date,Reqd តាមកាលបរិច្ឆេទ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,ម្ចាស់បំណុល DocType: Assessment Plan,Assessment Name,ឈ្មោះការវាយតំលៃ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,បង្ហាញ PDC នៅក្នុងការបោះពុម្ព apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,ជួរដេក # {0}: មិនស៊េរីគឺជាការចាំបាច់ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,រកវិក័យប័ត្រឆ្នើមមិនមានសម្រាប់ {0} {1} ទេ។ DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ពត៌មានលំអិតពន្ធលើដែលមានប្រាជ្ញាធាតុ DocType: Employee Onboarding,Job Offer,ផ្តល់ជូនការងារ apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,អក្សរកាត់វិទ្យាស្ថាន @@ -6328,6 +6398,7 @@ DocType: Serial No,Out of Warranty,ចេញពីការធានា DocType: Bank Statement Transaction Settings Item,Mapped Data Type,ប្រភេទទិន្នន័យបានគូសវាស DocType: BOM Update Tool,Replace,ជំនួស apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,គ្មានផលិតផលដែលបានរកឃើញ។ +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,ផ្សព្វផ្សាយធាតុបន្ថែម។ apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},កិច្ចព្រមព្រៀងកម្រិតសេវាកម្មនេះគឺជាក់លាក់ចំពោះអតិថិជន {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} បដិសេដនឹងវិក័យប័ត្រលក់ {1} DocType: Antibiotic,Laboratory User,អ្នកប្រើមន្ទីរពិសោធន៍ @@ -6350,7 +6421,6 @@ DocType: Payment Order Reference,Bank Account Details,ព័ត៌មានគ DocType: Purchase Order Item,Blanket Order,លំដាប់វង់ 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,ការប្រមូលពន្ធលើទ្រព្យសម្បត្តិ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},ផលិតកម្មលំដាប់បាន {0} DocType: BOM Item,BOM No,Bom គ្មាន 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,ជាមធ្យមការផ្លាស់ប្តូរ @@ -6424,6 +6494,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),ការផ្គត់ផ្គង់ជាប់អាករខាងក្រៅ (អត្រាគ្មានលេខ) DocType: BOM,Materials Required (Exploded),សំភារៈទាមទារ (ផ្ទុះ) 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/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,ការប្រកាសកាលបរិច្ឆេទមិនអាចបរិច្ឆេទនាពេលអនាគត @@ -6481,7 +6552,6 @@ DocType: Pricing Rule,Same Item,ធាតុដូចគ្នា។ DocType: Stock Ledger Entry,Stock Ledger Entry,ភាគហ៊ុនធាតុសៀវភៅ DocType: Quality Action Resolution,Quality Action Resolution,ដំណោះស្រាយសកម្មភាពគុណភាព។ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} សម្រាកពីការងារកន្លះថ្ងៃនៅ {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,ធាតុដូចគ្នាត្រូវបានបញ្ចូលច្រើនដង DocType: Department,Leave Block List,ទុកឱ្យបញ្ជីប្លុក DocType: Purchase Invoice,Tax ID,លេខសម្គាល់ការប្រមូលពន្ធលើ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,ធាតុ {0} មិនត្រូវបានដំឡើងសម្រាប់ការសៀរៀល Nos ។ ជួរឈរត្រូវទទេ @@ -6519,7 +6589,7 @@ 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} ត្រូវបានបិទឬមិនមាន DocType: Purchase Invoice,Return,ត្រឡប់មកវិញ -DocType: Accounting Dimension,Disable,មិនអនុញ្ញាត +DocType: Account,Disable,មិនអនុញ្ញាត apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,របៀបនៃការទូទាត់គឺត្រូវបានទាមទារដើម្បីធ្វើឱ្យការទូទាត់ DocType: Task,Pending Review,ការរង់ចាំការត្រួតពិនិត្យឡើងវិញ apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","កែសម្រួលនៅក្នុងទំព័រពេញសម្រាប់ជម្រើសច្រើនទៀតដូចជាទ្រព្យសកម្ម, សៀរៀល, បាច់ល។" @@ -6633,7 +6703,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH -YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,ចំណែកវិក្កយបត្ររួមបញ្ចូលគ្នាត្រូវតែស្មើនឹង 100% DocType: Item Default,Default Expense Account,ចំណាយតាមគណនីលំនាំដើម DocType: GST Account,CGST Account,គណនី CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,លេខកូដរបស់ក្រុម> ក្រុមក្រុម> ម៉ាក។ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,លេខសម្គាល់អ៊ីមែលរបស់សិស្ស DocType: Employee,Notice (days),សេចក្តីជូនដំណឹង (ថ្ងៃ) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,វិក័យប័ត្របិទប័ណ្ណវិក្ក័យប័ត្រ @@ -6644,6 +6713,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ជ្រើសធាតុដើម្បីរក្សាទុកការវិក្ក័យប័ត្រ DocType: Employee,Encashment Date,Encashment កាលបរិច្ឆេទ DocType: Training Event,Internet,អ៊ីនធើណែ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,ព័ត៌មានអ្នកលក់។ DocType: Special Test Template,Special Test Template,គំរូសាកល្បងពិសេស DocType: Account,Stock Adjustment,ការលៃតម្រូវភាគហ៊ុន apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},តម្លៃលំនាំដើមមានសម្រាប់សកម្មភាពប្រភេទសកម្មភាព - {0} @@ -6656,7 +6726,6 @@ 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,ដំណាក់កាលនៃការជំនុំជម្រះនិងកាលបរិច្ឆេទបញ្ចប់នៃការជំនុំជម្រះត្រូវបានកំណត់ -DocType: Company,Bank Remittance Settings,ការកំណត់ការផ្ទេរប្រាក់តាមធនាគារ។ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,អត្រាមធ្យម 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",«វត្ថុដែលផ្តល់ឲ្យដោយអតិថិជន» មិនអាចមានអត្រាវាយតម្លៃទេ @@ -6684,6 +6753,7 @@ DocType: Grading Scale Interval,Threshold,កម្រិតពន្លឺ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),ច្រោះនិយោជិកតាម (ស្រេចចិត្ត) DocType: BOM Update Tool,Current BOM,Bom នាពេលបច្ចុប្បន្ន apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),តុល្យភាព (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Qty នៃទំនិញដែលបានបញ្ចប់។ apps/erpnext/erpnext/public/js/utils.js,Add Serial No,បន្ថែមគ្មានសៀរៀល DocType: Work Order Item,Available Qty at Source Warehouse,ដែលអាចប្រើបាន Qty នៅឃ្លាំងប្រភព apps/erpnext/erpnext/config/support.py,Warranty,ការធានា @@ -6761,7 +6831,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","នៅទីនេះអ្នកអាចរក្សាកម្ពស់, ទម្ងន់, អាឡែស៊ី, មានការព្រួយបារម្ភវេជ្ជសាស្រ្តល" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,កំពុងបង្កើតគណនី ... DocType: Leave Block List,Applies to Company,អនុវត្តទៅក្រុមហ៊ុន -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,មិនអាចលុបចោលដោយសារតែមានប្រតិ្តប័ត្រស្តុករួចហើយ {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,មិនអាចលុបចោលដោយសារតែមានប្រតិ្តប័ត្រស្តុករួចហើយ {0} DocType: Loan,Disbursement Date,កាលបរិច្ឆេទបញ្ចេញឥណទាន DocType: Service Level Agreement,Agreement Details,ព័ត៌មានលម្អិតអំពីកិច្ចព្រមព្រៀង។ apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,កាលបរិច្ឆេទចាប់ផ្តើមនៃកិច្ចព្រមព្រៀងមិនអាចធំជាងឬស្មើនឹងកាលបរិច្ឆេទបញ្ចប់ឡើយ។ @@ -6770,6 +6840,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,កំណត់ត្រាវេជ្ជសាស្រ្ត DocType: Vehicle,Vehicle,រថយន្ត DocType: Purchase Invoice,In Words,នៅក្នុងពាក្យ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,កាលបរិច្ឆេតចាំបាច់មុនកាលបរិច្ឆេទ។ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,បញ្ចូលឈ្មោះធនាគារឬស្ថាប័នផ្តល់ឥណទានមុនពេលបញ្ជូន។ apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} ត្រូវតែបញ្ជូន DocType: POS Profile,Item Groups,ក្រុមធាតុ @@ -6842,7 +6913,6 @@ DocType: Customer,Sales Team Details,ពត៌មានលំអិតការ apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,លុបជារៀងរហូត? DocType: Expense Claim,Total Claimed Amount,ចំនួនទឹកប្រាក់អះអាងសរុប apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,ឱកាសក្នុងការមានសក្តានុពលសម្រាប់ការលក់។ -DocType: Plaid Settings,Link a new bank account,ភ្ជាប់គណនីធនាគារថ្មី។ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} គឺជាស្ថានភាពចូលរួមមិនត្រឹមត្រូវ។ DocType: Shareholder,Folio no.,Folio no ។ apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},មិនត្រឹមត្រូវ {0} @@ -6858,7 +6928,6 @@ DocType: Production Plan,Material Requested,សម្ភារៈដែលបា DocType: Warehouse,PIN,ម្ជុល DocType: Bin,Reserved Qty for sub contract,ត្រូវបានកក់ទុកសម្រាប់កិច្ចសន្យារង DocType: Patient Service Unit,Patinet Service Unit,អង្គភាពសេវាប៉ាតង់ -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,បង្កើតឯកសារអត្ថបទ។ DocType: Sales Invoice,Base Change Amount (Company Currency),មូលដ្ឋានផ្លាស់ប្តូរចំនួនទឹកប្រាក់ (ក្រុមហ៊ុនរូបិយប័ណ្ណ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,គ្មានការបញ្ចូលគណនីសម្រាប់ឃ្លាំងដូចខាងក្រោមនេះ apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},មានតែ {0} នៅក្នុងឃ្លាំងសម្រាប់មុខទំនិញ{1} @@ -6872,6 +6941,7 @@ DocType: Item,No of Months,ចំនួននៃខែ DocType: Item,Max Discount (%),អតិបរមាការបញ្ចុះតម្លៃ (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,ថ្ងៃឥណទានមិនអាចជាលេខអវិជ្ជមានទេ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,បញ្ចូលសេចក្តីថ្លែងការណ៍។ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,រាយការណ៍ពីធាតុនេះ DocType: Purchase Invoice Item,Service Stop Date,សេវាបញ្ឈប់កាលបរិច្ឆេទ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,ចំនួនទឹកប្រាក់លំដាប់ចុងក្រោយ DocType: Cash Flow Mapper,e.g Adjustments for:,ឧ។ ការលៃតម្រូវសម្រាប់: @@ -6963,16 +7033,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,ការលើកលែងពន្ធលើបុគ្គលិក apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,ចំនួនទឹកប្រាក់មិនគួរតិចជាងសូន្យទេ។ DocType: Sales Invoice,C-Form Applicable,C-ទម្រង់ពាក្យស្នើសុំ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},ប្រតិបត្ដិការពេលវេលាត្រូវតែធំជាង 0 សម្រាប់ប្រតិបត្ដិការ {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},ប្រតិបត្ដិការពេលវេលាត្រូវតែធំជាង 0 សម្រាប់ប្រតិបត្ដិការ {0} DocType: Support Search Source,Post Route String,ខ្សែផ្លូវបង្ហោះ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,ឃ្លាំងគឺជាការចាំបាច់ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,បានបរាជ័យក្នុងការបង្កើតវេបសាយ DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,ពត៌មាននៃការប្រែចិត្តជឿ UOM apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,ការចូលរៀននិងការចុះឈ្មោះចូលរៀន។ -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,ធាតុរក្សាការរក្សាទុកដែលបានបង្កើតរួចហើយឬបរិមាណគំរូមិនត្រូវបានផ្តល់ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,ធាតុរក្សាការរក្សាទុកដែលបានបង្កើតរួចហើយឬបរិមាណគំរូមិនត្រូវបានផ្តល់ DocType: Program,Program Abbreviation,អក្សរកាត់កម្មវិធី -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,ផលិតកម្មលំដាប់មិនអាចត្រូវបានលើកឡើងប្រឆាំងនឹងការធាតុមួយទំព័រគំរូ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),ដាក់ជាក្រុមដោយប័ណ្ណទូទាត់ (រួមបញ្ចូល) DocType: HR Settings,Encrypt Salary Slips in Emails,អ៊ិនគ្រីបប័ណ្ណប្រាក់ខែក្នុងអ៊ីមែល។ DocType: Question,Multiple Correct Answer,ចម្លើយត្រឹមត្រូវច្រើន។ @@ -7019,7 +7088,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,ត្រូវបាន DocType: Employee,Educational Qualification,គុណវុឌ្ឍិអប់រំ DocType: Workstation,Operating Costs,ចំណាយប្រតិបត្តិការ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},រូបិយប័ណ្ណសម្រាប់ {0} ត្រូវតែជា {1} -DocType: Employee Checkin,Entry Grace Period Consequence,ផលវិបាករយៈពេលអនុគ្រោះ។ DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,សម្គាល់ការចូលរួមដោយផ្អែកលើ“ ការត្រួតពិនិត្យនិយោជិក” សម្រាប់និយោជិកដែលត្រូវបានចាត់ឱ្យផ្លាស់ប្តូរវេននេះ។ DocType: Asset,Disposal Date,បោះចោលកាលបរិច្ឆេទ DocType: Service Level,Response and Resoution Time,ការឆ្លើយតបនិងពេលវេលាទទួលយកមកវិញ។ @@ -7068,6 +7136,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,កាលបរិច្ឆេទបញ្ចប់ DocType: Purchase Invoice Item,Amount (Company Currency),ចំនួនទឹកប្រាក់ (ក្រុមហ៊ុនរូបិយវត្ថុ) DocType: Program,Is Featured,មានលក្ខណៈពិសេស។ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,កំពុងទៅយក ... DocType: Agriculture Analysis Criteria,Agriculture User,អ្នកប្រើកសិកម្ម apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,រហូតដល់កាលបរិច្ឆេទដែលមានសុពលភាពមិនអាចនៅមុនកាលបរិច្ឆេទប្រតិបត្តិការបានទេ 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} ដើម្បីបញ្ចប់ប្រតិបត្តិការនេះ។ @@ -7100,7 +7169,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,សរុបបង់ AMT 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,ជីអេសធីធាតុលក់ចុះឈ្មោះ @@ -7124,6 +7192,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,អនាម apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ទទួលបានពី DocType: Lead,Converted,ប្រែចិត្តជឿ DocType: Item,Has Serial No,គ្មានសៀរៀល +DocType: Stock Entry Detail,PO Supplied Item,PO ធាតុផ្គត់ផ្គង់។ 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} @@ -7238,7 +7307,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,ពន្ធនិងថ្ 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Bom លំនាំដើមសម្រាប់ {0} មិនបានរកឃើញ +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}: សូមកំណត់បរិមាណតម្រៀបឡើងវិញ apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,ប៉ះធាតុដើម្បីបន្ថែមពួកវានៅទីនេះ @@ -7274,7 +7343,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,ថែទាំកាលបរិច្ឆេទ DocType: Purchase Invoice Item,Rejected Serial No,គ្មានសៀរៀលច្រានចោល apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,កាលបរិច្ឆេទចាប់ផ្ដើមកាលពីឆ្នាំឬកាលបរិច្ឆេទចុងត្រូវបានត្រួតស៊ីគ្នានឹង {0} ។ ដើម្បីជៀសវាងសូមកំណត់របស់ក្រុមហ៊ុន -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំស៊េរីលេខរៀងសម្រាប់ការចូលរួមតាមរយៈតំឡើង> លេខរៀង។ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},សូមនិយាយពីឈ្មោះនាំមុខក្នុង {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},កាលបរិច្ឆេទចាប់ផ្ដើមគួរតែតិចជាងកាលបរិច្ឆេទចុងក្រោយសម្រាប់ធាតុ {0} DocType: Shift Type,Auto Attendance Settings,ការកំណត់ការចូលរួមដោយស្វ័យប្រវត្តិ។ @@ -7287,6 +7355,7 @@ DocType: SG Creation Tool Course,Max Strength,កម្លាំងអតិប apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,ដំឡើងការកំណត់ជាមុន DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-yYYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},គ្មានចំណាំចែកចាយដែលត្រូវបានជ្រើសរើសសម្រាប់អតិថិជន {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},បានបន្ថែមជួរដេកក្នុង {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,និយោជិក {0} មិនមានអត្ថប្រយោជន៍អតិបរមាទេ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,ជ្រើសធាតុផ្អែកលើកាលបរិច្ឆេទដឹកជញ្ជូន DocType: Grant Application,Has any past Grant Record,មានឯកសារជំនួយឥតសំណងកន្លងមក @@ -7332,6 +7401,7 @@ DocType: Fees,Student Details,ព័ត៌មានលំអិតរបស់ DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",នេះគឺជា UOM លំនាំដើមដែលត្រូវបានប្រើសម្រាប់ធាតុនិងការបញ្ជាទិញការលក់។ UOM ថយក្រោយគឺ "Nos" ។ DocType: Purchase Invoice Item,Stock Qty,ហ៊ុន Qty DocType: Purchase Invoice Item,Stock Qty,ហ៊ុន Qty +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,គណនីនាំទំនិញលំនាំដើម DocType: Loan,Repayment Period in Months,រយៈពេលសងប្រាក់ក្នុងខែ @@ -7360,6 +7430,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise បញ្ចុ apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet សម្រាប់ភារកិច្ច។ DocType: Purchase Invoice,Against Expense Account,ប្រឆាំងនឹងការចំណាយតាមគណនី apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ការដំឡើងចំណាំ {0} ត្រូវបានដាក់ស្នើរួចទៅហើយ +DocType: BOM,Raw Material Cost (Company Currency),ថ្លៃដើមវត្ថុធាតុដើម (រូបិយប័ណ្ណក្រុមហ៊ុន) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},ថ្ងៃបង់ថ្លៃជួលផ្ទះត្រួតគ្នាជាមួយ {0} DocType: GSTR 3B Report,October,តុលា។ DocType: Bank Reconciliation,Get Payment Entries,ទទួលបានធាតុបញ្ចូលការទូទាត់ @@ -7407,15 +7478,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,អាចរកបានសម្រាប់កាលបរិច្ឆេទប្រើ DocType: Request for Quotation,Supplier Detail,ក្រុមហ៊ុនផ្គត់ផ្គង់លំអិត apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},កំហុសក្នុងការនៅក្នុងរូបមន្តឬស្ថានភាព: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,ចំនួន invoiced +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,ចំនួន invoiced apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,ទម្ងន់លក្ខណៈវិនិច្ឆ័យត្រូវបន្ថែមរហូតដល់ 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,ការចូលរួម apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,ធាតុក្នុងស្តុក DocType: Sales Invoice,Update Billed Amount in Sales Order,ធ្វើបច្ចុប្បន្នភាពបរិវិសកម្មនៅក្នុងលំដាប់លក់ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,ទាក់ទងអ្នកលក់ 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,សូមចូលជាអ្នកប្រើប្រាស់ទីផ្សារដើម្បីរាយការណ៍អំពីធាតុនេះ។ ,Sales Partner Commission Summary,សេចក្តីសង្ខេបនៃគណៈកម្មការរបស់ដៃគូលក់។ ,Item Prices,តម្លៃធាតុ DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,នៅក្នុងពាក្យនោះនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាទុកការបញ្ជាទិញនេះ។ @@ -7429,6 +7502,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,ចៅហ្វាយបញ្ជីតម្លៃ។ DocType: Task,Review Date,ពិនិត្យឡើងវិញកាលបរិច្ឆេទ DocType: BOM,Allow Alternative Item,អនុញ្ញាតធាតុផ្សេងទៀត +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,វិក័យប័ត្រទិញមិនមានធាតុដែលអាចរកបានគំរូ។ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,វិក្ក័យបត្រសរុប។ DocType: Company,Series for Asset Depreciation Entry (Journal Entry),កម្រងឯកសារសម្រាប់ធាតុរំលស់ទ្រព្យសកម្ម (ធាតុទិនានុប្បវត្តិ) DocType: Membership,Member Since,សមាជិកតាំងពី @@ -7438,6 +7512,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,នៅលើសុទ្ធសរុប 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: Pricing Rule,Product Discount Scheme,គ្រោងការណ៍បញ្ចុះតម្លៃផលិតផល។ +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,មិនមានបញ្ហាអ្វីត្រូវបានលើកឡើងដោយអ្នកទូរស័ព្ទចូលទេ។ DocType: Restaurant Reservation,Waitlisted,រង់ចាំក្នុងបញ្ជី DocType: Employee Tax Exemption Declaration Category,Exemption Category,ប្រភេទការលើកលែង apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,រូបិយប័ណ្ណមិនអាចត្រូវបានផ្លាស់ប្តូរបន្ទាប់ពីធ្វើការធាតុប្រើប្រាស់រូបិយប័ណ្ណផ្សេងទៀតមួយចំនួន @@ -7451,7 +7526,6 @@ DocType: Customer Group,Parent Customer Group,ឪពុកម្តាយដែ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,វិក្កយបត្រអេឡិចត្រូនិច JSON អាចបង្កើតបានតែពីវិក្កយបត្រលក់ប៉ុណ្ណោះ។ apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,បានឈានដល់ការព្យាយាមអតិបរមាសម្រាប់កម្រងសំណួរនេះ។ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,ការជាវ -DocType: Purchase Invoice,Contact Email,ទំនាក់ទំនងតាមអ៊ីមែល apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,កម្រៃសេវាការបង្កើតរង់ចាំ DocType: Project Template Task,Duration (Days),រយៈពេល (ថ្ងៃ) DocType: Appraisal Goal,Score Earned,គ្រាប់បាល់បញ្ចូលទីទទួលបាន @@ -7477,7 +7551,6 @@ DocType: Landed Cost Item,Landed Cost Item,ធាតុតម្លៃដែល 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions",ចំនួនទឹកប្រាក់សម្រាប់ប្រតិបត្តិការតែមួយលើសពីចំនួនអតិបរិមាដែលបានអនុញ្ញាតបង្កើតការទូទាត់ដាច់ដោយឡែកដោយបំបែកប្រតិបត្តិការ។ DocType: Service Level Agreement,Entity,អង្គភាព។ DocType: Payment Reconciliation,Receivable / Payable Account,ទទួលគណនី / ចងការប្រាក់ DocType: Delivery Note Item,Against Sales Order Item,ការប្រឆាំងនឹងការធាតុលក់សណ្តាប់ធ្នាប់ @@ -7648,6 +7721,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,ដ DocType: Quality Inspection Reading,Reading 3,ការអានទី 3 DocType: Stock Entry,Source Warehouse Address,អាស័យដ្ឋានឃ្លាំងប្រភព DocType: GL Entry,Voucher Type,ប្រភេទកាតមានទឹកប្រាក់ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,ការទូទាត់នាពេលអនាគត។ 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 ,សកម្មភាពចុងក្រោយ។ @@ -7674,6 +7748,7 @@ 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 អតិថិជន DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,បញ្ជីនៃជំងឺបានរកឃើញនៅលើវាល។ នៅពេលដែលបានជ្រើសវានឹងបន្ថែមបញ្ជីភារកិច្ចដោយស្វ័យប្រវត្តិដើម្បីដោះស្រាយជំងឺ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM ១ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,នេះគឺជាអង្គភាពសេវាកម្មថែរក្សាសុខភាពជា root ហើយមិនអាចកែប្រែបានទេ។ DocType: Asset Repair,Repair Status,ជួសជុលស្ថានភាព apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",Qty ដែលបានស្នើសុំ៖ បរិមាណបានស្នើសុំទិញប៉ុន្តែមិនបានបញ្ជាទិញទេ។ @@ -7688,6 +7763,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,គណនីសម្រាប់ការផ្លាស់ប្តូរចំនួនទឹកប្រាក់ DocType: QuickBooks Migrator,Connecting to QuickBooks,ភ្ជាប់ទៅ QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,ប្រាក់ចំណេញ / ចាញ់សរុប +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,បង្កើតបញ្ជីជ្រើសរើស។ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ជួរដេក {0}: គណបក្ស / គណនីមិនផ្គូផ្គងនឹង {1} / {2} នៅក្នុង {3} {4} DocType: Employee Promotion,Employee Promotion,ការលើកកម្ពស់បុគ្គលិក DocType: Maintenance Team Member,Maintenance Team Member,ក្រុមការងារថែទាំ @@ -7771,6 +7847,7 @@ 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,ប្រភេទទ្រព្យសកម្ម apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ប្រាក់ខែសុទ្ធមិនអាចជាអវិជ្ជមាន @@ -7802,7 +7879,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,គោលដៅគុណភាព។ DocType: BOM,Item to be manufactured or repacked,ធាតុនឹងត្រូវបានផលិតឬ repacked apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},កំហុសវាក្យសម្ពន្ធក្នុងស្ថានភាព: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,មិនមានបញ្ហាដែលលើកឡើងដោយអតិថិជន។ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-yYYY.- DocType: Employee Education,Major/Optional Subjects,ដ៏ធំប្រធានបទ / ស្រេចចិត្ត apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,សូមកំណត់ក្រុមអ្នកផ្គត់ផ្គង់ក្នុងការទិញការកំណត់។ @@ -7895,8 +7971,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,ថ្ងៃឥណទាន apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,សូមជ្រើសរើសអ្នកជំងឺដើម្បីទទួលការធ្វើតេស្តមន្ទីរពិសោធន៍ DocType: Exotel Settings,Exotel Settings,ការកំណត់ Exotel ។ -DocType: Leave Type,Is Carry Forward,គឺត្រូវបានអនុវត្តទៅមុខ +DocType: Leave Ledger Entry,Is Carry Forward,គឺត្រូវបានអនុវត្តទៅមុខ DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ម៉ោងធ្វើការខាងក្រោមដែលអវត្តមានត្រូវបានសម្គាល់។ (សូន្យដើម្បីបិទ) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,ផ្ញើសារមួយ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,ទទួលបានមុខទំនិញពី BOM 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,គឺជាពន្ធលើប្រាក់ចំណូលពន្ធ diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index 04c0554765..e63057a2dd 100644 --- a/erpnext/translations/kn.csv +++ b/erpnext/translations/kn.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,ಸೂಚಕವನ್ನು ಸೂಚಿಸಿ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,ಮೊದಲ ಪಕ್ಷದ ಪ್ರಕಾರವನ್ನು ಆಯ್ಕೆಮಾಡಿ DocType: Item,Customer Items,ಗ್ರಾಹಕ ವಸ್ತುಗಳು +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,ಬಾಧ್ಯತೆಗಳು DocType: Project,Costing and Billing,ಕಾಸ್ಟಿಂಗ್ ಮತ್ತು ಬಿಲ್ಲಿಂಗ್ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},ಅಡ್ವಾನ್ಸ್ ಖಾತೆ ಕರೆನ್ಸಿ ಕಂಪೆನಿ ಕರೆನ್ಸಿಯಂತೆಯೇ ಇರಬೇಕು {0} DocType: QuickBooks Migrator,Token Endpoint,ಟೋಕನ್ ಎಂಡ್ಪೋಯಿಂಟ್ @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,ಮಾಪನದ ಡೀಫಾಲ್ಟ DocType: SMS Center,All Sales Partner Contact,ಎಲ್ಲಾ ಮಾರಾಟದ ಪಾರ್ಟ್ನರ್ಸ್ ಸಂಪರ್ಕಿಸಿ DocType: Department,Leave Approvers,Approvers ಬಿಡಿ DocType: Employee,Bio / Cover Letter,ಬಯೋ / ಕವರ್ ಲೆಟರ್ +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,ವಸ್ತುಗಳನ್ನು ಹುಡುಕಿ ... DocType: Patient Encounter,Investigations,ತನಿಖೆಗಳು DocType: Restaurant Order Entry,Click Enter To Add,ಸೇರಿಸಲು ನಮೂದಿಸಿ ಕ್ಲಿಕ್ ಮಾಡಿ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","ಪಾಸ್ವರ್ಡ್, API ಕೀ ಅಥವಾ Shopify URL ಗಾಗಿ ಕಾಣೆಯಾಗಿದೆ ಮೌಲ್ಯ" DocType: Employee,Rented,ಬಾಡಿಗೆ apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,ಎಲ್ಲಾ ಖಾತೆಗಳು apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,ನೌಕರರು ಸ್ಥಿತಿಯನ್ನು ಎಡಕ್ಕೆ ವರ್ಗಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","ನಿಲ್ಲಿಸಿತು ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ರದ್ದುಗೊಳಿಸಲಾಗದು, ರದ್ದು ಮೊದಲು ಅಡ್ಡಿಯಾಗಿರುವುದನ್ನು ಬಿಡಿಸು" DocType: Vehicle Service,Mileage,ಮೈಲೇಜ್ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಆಸ್ತಿ ಸ್ಕ್ರ್ಯಾಪ್ ಬಯಸುತ್ತೀರಾ? DocType: Drug Prescription,Update Schedule,ಅಪ್ಡೇಟ್ ವೇಳಾಪಟ್ಟಿ @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,ಗಿರಾಕಿ DocType: Purchase Receipt Item,Required By,ಅಗತ್ಯವಿರುತ್ತದೆ DocType: Delivery Note,Return Against Delivery Note,ಡೆಲಿವರಿ ನೋಟ್ ವಿರುದ್ಧ ಪುನರಾಗಮನ DocType: Asset Category,Finance Book Detail,ಹಣಕಾಸು ಪುಸ್ತಕ ವಿವರ +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,ಎಲ್ಲಾ ಸವಕಳಿಗಳನ್ನು ಬುಕ್ ಮಾಡಲಾಗಿದೆ DocType: Purchase Order,% Billed,% ಖ್ಯಾತವಾದ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,ವೇತನದಾರರ ಸಂಖ್ಯೆ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),ವಿನಿಮಯ ದರ ಅದೇ ಇರಬೇಕು {0} {1} ({2}) @@ -95,6 +97,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,ಬ್ಯಾಚ್ ಐಟಂ ಅಂತ್ಯ ಸ್ಥಿತಿ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,ಬ್ಯಾಂಕ್ ಡ್ರಾಫ್ಟ್ DocType: Journal Entry,ACC-JV-.YYYY.-,ಎಸಿಸಿ- ಜೆವಿ - .YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,ಒಟ್ಟು ತಡವಾದ ನಮೂದುಗಳು DocType: Mode of Payment Account,Mode of Payment Account,ಪಾವತಿ ಖಾತೆಯಿಂದ ಮೋಡ್ apps/erpnext/erpnext/config/healthcare.py,Consultation,ಸಮಾಲೋಚನೆ DocType: Accounts Settings,Show Payment Schedule in Print,ಮುದ್ರಣದಲ್ಲಿ ಪಾವತಿ ವೇಳಾಪಟ್ಟಿ ತೋರಿಸಿ @@ -120,6 +123,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,ಪ್ರಾಥಮಿಕ ಸಂಪರ್ಕ ವಿವರಗಳು apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,ಓಪನ್ ತೊಂದರೆಗಳು DocType: Production Plan Item,Production Plan Item,ನಿರ್ಮಾಣ ವೇಳಾಪಟ್ಟಿಯು ಐಟಂ +DocType: Leave Ledger Entry,Leave Ledger Entry,ಲೆಡ್ಜರ್ ನಮೂದನ್ನು ಬಿಡಿ 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,ಲೀಡ್ ರಚಿಸಿ @@ -138,6 +142,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,ಗ DocType: Purchase Invoice Item,Item Weight Details,ಐಟಂ ತೂಕ ವಿವರಗಳು DocType: Asset Maintenance Log,Periodicity,ನಿಯತಕಾಲಿಕತೆ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,ಹಣಕಾಸಿನ ವರ್ಷ {0} ಅಗತ್ಯವಿದೆ +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,ನಿವ್ವಳ ಲಾಭ / ನಷ್ಟ DocType: Employee Group Table,ERPNext User ID,ERPNext ಬಳಕೆದಾರ ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ಗರಿಷ್ಟ ಬೆಳವಣಿಗೆಗಾಗಿ ಸಸ್ಯಗಳ ಸಾಲುಗಳ ನಡುವಿನ ಕನಿಷ್ಠ ಅಂತರ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,ನಿಗದಿತ ಕಾರ್ಯವಿಧಾನವನ್ನು ಪಡೆಯಲು ದಯವಿಟ್ಟು ರೋಗಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿ @@ -164,10 +169,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,ಬೆಲೆ ಪಟ್ಟಿ ಮಾರಾಟ DocType: Patient,Tobacco Current Use,ತಂಬಾಕು ಪ್ರಸ್ತುತ ಬಳಕೆ apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,ದರ ಮಾರಾಟ -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,ಹೊಸ ಖಾತೆಯನ್ನು ಸೇರಿಸುವ ಮೊದಲು ದಯವಿಟ್ಟು ನಿಮ್ಮ ಡಾಕ್ಯುಮೆಂಟ್ ಅನ್ನು ಉಳಿಸಿ 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 ...,ಯಾವುದನ್ನಾದರೂ ಹುಡುಕಿ ... DocType: Company,Phone No,ದೂರವಾಣಿ ಸಂಖ್ಯೆ DocType: Delivery Trip,Initial Email Notification Sent,ಪ್ರಾಥಮಿಕ ಇಮೇಲ್ ಅಧಿಸೂಚನೆ ಕಳುಹಿಸಲಾಗಿದೆ DocType: Bank Statement Settings,Statement Header Mapping,ಸ್ಟೇಟ್ಮೆಂಟ್ ಹೆಡರ್ ಮ್ಯಾಪಿಂಗ್ @@ -229,6 +234,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,ಪ DocType: Exchange Rate Revaluation Account,Gain/Loss,ಲಾಭ / ನಷ್ಟ DocType: Crop,Perennial,ದೀರ್ಘಕಾಲಿಕ DocType: Program,Is Published,ಪ್ರಕಟಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,ವಿತರಣಾ ಟಿಪ್ಪಣಿಗಳನ್ನು ತೋರಿಸಿ apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","ಬಿಲ್ಲಿಂಗ್ ಅನ್ನು ಅನುಮತಿಸಲು, ಖಾತೆಗಳ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಅಥವಾ ಐಟಂನಲ್ಲಿ "ಓವರ್ ಬಿಲ್ಲಿಂಗ್ ಭತ್ಯೆ" ಅನ್ನು ನವೀಕರಿಸಿ." DocType: Patient Appointment,Procedure,ವಿಧಾನ DocType: Accounts Settings,Use Custom Cash Flow Format,ಕಸ್ಟಮ್ ಕ್ಯಾಶ್ ಫ್ಲೋ ಫಾರ್ಮ್ಯಾಟ್ ಬಳಸಿ @@ -277,6 +283,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,ಓವರ್ ಸಂಖ್ಯೆ ಅವಧಿಗಳು ಮರುಪಾವತಿ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ಉತ್ಪಾದಿಸುವ ಪ್ರಮಾಣ ಶೂನ್ಯಕ್ಕಿಂತ ಕಡಿಮೆಯಿರಬಾರದು DocType: Stock Entry,Additional Costs,ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕ ಗುಂಪು> ಪ್ರದೇಶ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಗುಂಪು ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ . DocType: Lead,Product Enquiry,ಉತ್ಪನ್ನ ವಿಚಾರಣೆ DocType: Education Settings,Validate Batch for Students in Student Group,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪಿನಲ್ಲಿರುವ ವಿದ್ಯಾರ್ಥಿಗಳಿಗೆ ಬ್ಯಾಚ್ ಸ್ಥಿರೀಕರಿಸಿ @@ -288,7 +295,9 @@ DocType: Employee Education,Under Graduate,ಸ್ನಾತಕಪೂರ್ವ ವ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,HR ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಬಿಡುವು ಸ್ಥಿತಿ ಅಧಿಸೂಚನೆಗಾಗಿ ದಯವಿಟ್ಟು ಡೀಫಾಲ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ಅನ್ನು ಹೊಂದಿಸಿ. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ಟಾರ್ಗೆಟ್ ರಂದು DocType: BOM,Total Cost,ಒಟ್ಟು ವೆಚ್ಚ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,ಹಂಚಿಕೆ ಅವಧಿ ಮುಗಿದಿದೆ! DocType: Soil Analysis,Ca/K,ಸಿ / ಕೆ +DocType: Leave Type,Maximum Carry Forwarded Leaves,ಫಾರ್ವರ್ಡ್ ಮಾಡಿದ ಎಲೆಗಳನ್ನು ಗರಿಷ್ಠ ಒಯ್ಯಿರಿ DocType: Salary Slip,Employee Loan,ನೌಕರರ ಸಾಲ DocType: Additional Salary,HR-ADS-.YY.-.MM.-,ಮಾನವ ಸಂಪನ್ಮೂಲ- ADS- .YY .- MM- DocType: Fee Schedule,Send Payment Request Email,ಪಾವತಿ ವಿನಂತಿ ಇಮೇಲ್ ಕಳುಹಿಸಿ @@ -298,6 +307,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,ಸ್ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,ಖಾತೆ ಹೇಳಿಕೆ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ಫಾರ್ಮಾಸ್ಯುಟಿಕಲ್ಸ್ DocType: Purchase Invoice Item,Is Fixed Asset,ಸ್ಥಿರ ಆಸ್ತಿ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,ಭವಿಷ್ಯದ ಪಾವತಿಗಳನ್ನು ತೋರಿಸಿ DocType: Patient,HLC-PAT-.YYYY.-,ಹೆಚ್ಎಲ್ಸಿ-ಪಾಟ್ - .YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,ಈ ಬ್ಯಾಂಕ್ ಖಾತೆಯನ್ನು ಈಗಾಗಲೇ ಸಿಂಕ್ರೊನೈಸ್ ಮಾಡಲಾಗಿದೆ DocType: Homepage,Homepage Section,ಮುಖಪುಟ ವಿಭಾಗ @@ -344,7 +354,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,ಗೊಬ್ಬರ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",ಸೀರಿಯಲ್ ಮೂಲಕ ವಿತರಣೆಯನ್ನು ಖಚಿತಪಡಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ \ ಐಟಂ {0} ಅನ್ನು \ ಸೀರಿಯಲ್ ನಂಬರ್ ಮೂಲಕ ಮತ್ತು ಡೆಲಿವರಿ ಮಾಡುವಿಕೆಯನ್ನು ಸೇರಿಸದೆಯೇ ಇಲ್ಲ. -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ಶಿಕ್ಷಣ> ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,ಪಾವತಿಯ ಕನಿಷ್ಟ ಒಂದು ಮಾದರಿ ಪಿಓಎಸ್ ಸರಕುಪಟ್ಟಿ ಅಗತ್ಯವಿದೆ. DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,ಬ್ಯಾಂಕ್ ಸ್ಟೇಟ್ಮೆಂಟ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಇನ್ವಾಯ್ಸ್ ಐಟಂ DocType: Salary Detail,Tax on flexible benefit,ಹೊಂದಿಕೊಳ್ಳುವ ಲಾಭದ ಮೇಲೆ ತೆರಿಗೆ @@ -418,6 +427,7 @@ DocType: Job Offer,Select Terms and Conditions,ಆಯ್ಕೆ ನಿಯಮಗ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,ಔಟ್ ಮೌಲ್ಯ DocType: Bank Statement Settings Item,Bank Statement Settings Item,ಬ್ಯಾಂಕ್ ಹೇಳಿಕೆ ಸೆಟ್ಟಿಂಗ್ಸ್ ಐಟಂ DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce ಸೆಟ್ಟಿಂಗ್ಗಳು +DocType: Leave Ledger Entry,Transaction Name,ವಹಿವಾಟಿನ ಹೆಸರು DocType: Production Plan,Sales Orders,ಮಾರಾಟ ಆದೇಶಗಳಿಗೆ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,ಗ್ರಾಹಕನಿಗೆ ಬಹು ಲಾಯಲ್ಟಿ ಕಾರ್ಯಕ್ರಮ ಕಂಡುಬಂದಿದೆ. ದಯವಿಟ್ಟು ಹಸ್ತಚಾಲಿತವಾಗಿ ಆಯ್ಕೆಮಾಡಿ. DocType: Purchase Taxes and Charges,Valuation,ಬೆಲೆಕಟ್ಟುವಿಕೆ @@ -452,6 +462,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: 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,ಅಪ್ಡೇಟ್ ಇಮೇಲ್ ಗುಂಪು DocType: POS Profile,Only show Customer of these Customer Groups,ಈ ಗ್ರಾಹಕ ಗುಂಪುಗಳ ಗ್ರಾಹಕರನ್ನು ಮಾತ್ರ ತೋರಿಸಿ DocType: Sales Invoice,Is Opening Entry,ಎಂಟ್ರಿ ಆರಂಭ @@ -460,8 +471,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,ಬಗ್ಗೆ ಸ್ಟಾಂಡರ್ಡ್ ಅಲ್ಲದ ಸ್ವೀಕೃತಿ ಖಾತೆಯನ್ನು ಅನ್ವಯಿಸಿದರೆ 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,ಈ ಆಯ್ಕೆ ಪಟ್ಟಿಯ ವಿರುದ್ಧ ಈಗಾಗಲೇ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ರಚಿಸಲಾಗಿದೆ DocType: Supplier Scorecard,Criteria Setup,ಮಾನದಂಡದ ಸೆಟಪ್ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,ವೇರ್ಹೌಸ್ ಬೇಕಾಗುತ್ತದೆ ಮೊದಲು ಸಲ್ಲಿಸಿ +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,ಪಡೆಯುವಂತಹ DocType: Codification Table,Medical Code,ವೈದ್ಯಕೀಯ ಕೋಡ್ apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ಅಮೆಜಾನ್ ಅನ್ನು ERPNext ನೊಂದಿಗೆ ಸಂಪರ್ಕಪಡಿಸಿ @@ -477,7 +489,7 @@ DocType: Restaurant Order Entry,Add Item,ಐಟಂ ಸೇರಿಸಿ DocType: Party Tax Withholding Config,Party Tax Withholding Config,ಪಾರ್ಟಿ ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವುದು ಕಾನ್ಫಿಗರೇಶನ್ DocType: Lab Test,Custom Result,ಕಸ್ಟಮ್ ಫಲಿತಾಂಶ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,ಬ್ಯಾಂಕ್ ಖಾತೆಗಳನ್ನು ಸೇರಿಸಲಾಗಿದೆ -DocType: Delivery Stop,Contact Name,ಸಂಪರ್ಕಿಸಿ ಹೆಸರು +DocType: Call Log,Contact Name,ಸಂಪರ್ಕಿಸಿ ಹೆಸರು DocType: Plaid Settings,Synchronize all accounts every hour,ಪ್ರತಿ ಗಂಟೆಗೆ ಎಲ್ಲಾ ಖಾತೆಗಳನ್ನು ಸಿಂಕ್ರೊನೈಸ್ ಮಾಡಿ DocType: Course Assessment Criteria,Course Assessment Criteria,ಕೋರ್ಸ್ ಅಸೆಸ್ಮೆಂಟ್ ಕ್ರೈಟೀರಿಯಾ DocType: Pricing Rule Detail,Rule Applied,ನಿಯಮ ಅನ್ವಯಿಸಲಾಗಿದೆ @@ -521,7 +533,6 @@ 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,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ನಂ -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,ಅಜ್ಞಾತ ಸಂಖ್ಯೆ DocType: Website Filter Field,Website Filter Field,ವೆಬ್‌ಸೈಟ್ ಫಿಲ್ಟರ್ ಕ್ಷೇತ್ರ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,ಸರಬರಾಜು ಕೌಟುಂಬಿಕತೆ DocType: Material Request Item,Min Order Qty,ಮಿನ್ ಪ್ರಮಾಣ ಆದೇಶ @@ -549,7 +560,6 @@ DocType: Salary Slip,Total Principal Amount,ಒಟ್ಟು ಪ್ರಧಾನ DocType: Student Guardian,Relation,ರಿಲೇಶನ್ DocType: Quiz Result,Correct,ಸರಿಯಾದ DocType: Student Guardian,Mother,ತಾಯಿಯ -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,ದಯವಿಟ್ಟು ಮೊದಲು site_config.json ನಲ್ಲಿ ಮಾನ್ಯ ಪ್ಲೈಡ್ API ಕೀಗಳನ್ನು ಸೇರಿಸಿ DocType: Restaurant Reservation,Reservation End Time,ಮೀಸಲಾತಿ ಅಂತ್ಯ ಸಮಯ DocType: Crop,Biennial,ದ್ವೈವಾರ್ಷಿಕ ,BOM Variance Report,BOM ಭಿನ್ನತೆ ವರದಿ @@ -565,6 +575,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,ಪ್ಲೈಡ್ ಸಾರ್ವಜನಿಕ ಕೀ DocType: Payment Term,Payment Term Name,ಪಾವತಿ ಅವಧಿಯ ಹೆಸರು DocType: Healthcare Settings,Create documents for sample collection,ಮಾದರಿ ಸಂಗ್ರಹಣೆಗಾಗಿ ಡಾಕ್ಯುಮೆಂಟ್ಗಳನ್ನು ರಚಿಸಿ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},ವಿರುದ್ಧ ಪಾವತಿ {0} {1} ಬಾಕಿ ಮೊತ್ತದ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ {2} @@ -612,12 +623,14 @@ DocType: POS Profile,Offline POS Settings,ಆಫ್‌ಲೈನ್ ಪಿಓಎ DocType: Stock Entry Detail,Reference Purchase Receipt,ಉಲ್ಲೇಖ ಖರೀದಿ ರಶೀದಿ DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO- .YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,ಭಿನ್ನ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',ಹೆಚ್ಚು 'ಪ್ರಮಾಣ ತಯಾರಿಸಲು' ಮುಗಿದಿದೆ ಪ್ರಮಾಣ ಹೆಚ್ಚಾಗಿರುವುದು ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',ಹೆಚ್ಚು 'ಪ್ರಮಾಣ ತಯಾರಿಸಲು' ಮುಗಿದಿದೆ ಪ್ರಮಾಣ ಹೆಚ್ಚಾಗಿರುವುದು ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,ಅವಧಿ ಆಧಾರಿತವಾಗಿದೆ DocType: Period Closing Voucher,Closing Account Head,ಖಾತೆ ಮುಚ್ಚುವಿಕೆಗೆ ಹೆಡ್ DocType: Employee,External Work History,ಬಾಹ್ಯ ಕೆಲಸ ಇತಿಹಾಸ apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,ಸುತ್ತೋಲೆ ಆಧಾರದೋಷ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,ವಿದ್ಯಾರ್ಥಿ ವರದಿ ಕಾರ್ಡ್ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,ಪಿನ್ ಕೋಡ್ನಿಂದ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,ಮಾರಾಟ ವ್ಯಕ್ತಿಯನ್ನು ತೋರಿಸಿ DocType: Appointment Type,Is Inpatient,ಒಳರೋಗಿ ಇದೆ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 ಹೆಸರು DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,ನೀವು ವಿತರಣಾ ಸೂಚನೆ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ( ರಫ್ತು ) ಗೋಚರಿಸುತ್ತದೆ. @@ -631,6 +644,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,ಆಯಾಮದ ಹೆಸರು apps/erpnext/erpnext/healthcare/setup.py,Resistant,ನಿರೋಧಕ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},ಹೋಟೆಲ್ ಕೊಠಡಿ ದರವನ್ನು ದಯವಿಟ್ಟು {@} ಹೊಂದಿಸಿ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ DocType: Journal Entry,Multi Currency,ಮಲ್ಟಿ ಕರೆನ್ಸಿ DocType: Bank Statement Transaction Invoice Item,Invoice Type,ಸರಕುಪಟ್ಟಿ ಪ್ರಕಾರ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,ದಿನಾಂಕದಿಂದ ಮಾನ್ಯವು ದಿನಾಂಕದವರೆಗೆ ಮಾನ್ಯಕ್ಕಿಂತ ಕಡಿಮೆಯಿರಬೇಕು @@ -650,6 +664,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,ಒಪ್ಪಿಕೊಂಡರು DocType: Workstation,Rent Cost,ಬಾಡಿಗೆ ವೆಚ್ಚ 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,ಪ್ರಮಾಣ ಸವಕಳಿ ನಂತರ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,ಮುಂಬರುವ ಕ್ಯಾಲೆಂಡರ್ ಕ್ರಿಯೆಗಳು apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,ಭಿನ್ನ ಗುಣಲಕ್ಷಣಗಳು @@ -737,7 +752,6 @@ DocType: Request for Quotation,Request for Quotation,ಉದ್ಧರಣ ವಿ 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,ಮಾರಾಟದ ವ್ಯಕ್ತಿಯನ್ನು ಮುದ್ರಣದಲ್ಲಿ ತೋರಿಸಿ 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,ಬಲ @@ -745,7 +759,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,ಹೊಸ ಗ್ರಾಹಕ ರಚಿಸಿ apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,ರಂದು ಮುಕ್ತಾಯಗೊಳ್ಳುತ್ತದೆ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","ಅನೇಕ ಬೆಲೆ ನಿಯಮಗಳು ಮೇಲುಗೈ ಮುಂದುವರಿದರೆ, ಬಳಕೆದಾರರು ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ಕೈಯಾರೆ ಆದ್ಯತಾ ಸೆಟ್ ತಿಳಿಸಲಾಗುತ್ತದೆ." -DocType: Purchase Invoice,Scan Barcode,ಬಾರ್‌ಕೋಡ್ ಅನ್ನು ಸ್ಕ್ಯಾನ್ ಮಾಡಿ apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,ಖರೀದಿ ಆದೇಶಗಳನ್ನು ರಚಿಸಿ ,Purchase Register,ಖರೀದಿ ನೋಂದಣಿ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,ರೋಗಿಯು ಕಂಡುಬಂದಿಲ್ಲ @@ -804,6 +817,7 @@ DocType: Account,Old Parent,ಓಲ್ಡ್ ಪೋಷಕ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,ಕಡ್ಡಾಯ - ಅಕಾಡೆಮಿಕ್ ಇಯರ್ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,ಕಡ್ಡಾಯ - ಅಕಾಡೆಮಿಕ್ ಇಯರ್ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} {2} {3} +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} ಅನ್ನು ನಿಲ್ಲಿಸಿದ ನಂತರ ವಹಿವಾಟು ಅನುಮತಿಸುವುದಿಲ್ಲ @@ -846,6 +860,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Timesheet ಆಧಾರಿತ ವೇತನದಾರರ ಸಂಬಳ ಕಾಂಪೊನೆಂಟ್. DocType: Driver,Applicable for external driver,ಬಾಹ್ಯ ಚಾಲಕಕ್ಕೆ ಅನ್ವಯಿಸುತ್ತದೆ DocType: Sales Order Item,Used for Production Plan,ಉತ್ಪಾದನೆ ಯೋಜನೆ ಉಪಯೋಗಿಸಿದ +DocType: BOM,Total Cost (Company Currency),ಒಟ್ಟು ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ) DocType: Loan,Total Payment,ಒಟ್ಟು ಪಾವತಿ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,ಪೂರ್ಣಗೊಂಡ ಕೆಲಸ ಆದೇಶಕ್ಕಾಗಿ ವ್ಯವಹಾರವನ್ನು ರದ್ದುಗೊಳಿಸಲಾಗುವುದಿಲ್ಲ. DocType: Manufacturing Settings,Time Between Operations (in mins),(ನಿಮಿಷಗಳು) ಕಾರ್ಯಾಚರಣೆ ನಡುವೆ ಸಮಯ @@ -866,6 +881,7 @@ DocType: Supplier Scorecard Standing,Notify Other,ಇತರೆ ಸೂಚಿಸ DocType: Vital Signs,Blood Pressure (systolic),ರಕ್ತದೊತ್ತಡ (ಸಂಕೋಚನ) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} ಆಗಿದೆ DocType: Item Price,Valid Upto,ಮಾನ್ಯ ವರೆಗೆ +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.,ನಿಮ್ಮ ಗ್ರಾಹಕರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು . @@ -927,6 +943,7 @@ DocType: Patient,Risk Factors,ರಿಸ್ಕ್ ಫ್ಯಾಕ್ಟರ್ಸ DocType: Patient,Occupational Hazards and Environmental Factors,ವ್ಯಾವಹಾರಿಕ ಅಪಾಯಗಳು ಮತ್ತು ಪರಿಸರ ಅಂಶಗಳು apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ವರ್ಕ್ ಆರ್ಡರ್ಗಾಗಿ ಈಗಾಗಲೇ ಸ್ಟಾಕ್ ನಮೂದುಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ apps/erpnext/erpnext/templates/pages/cart.html,See past orders,ಹಿಂದಿನ ಆದೇಶಗಳನ್ನು ನೋಡಿ +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} ಸಂಭಾಷಣೆಗಳು DocType: Vital Signs,Respiratory rate,ಉಸಿರಾಟದ ದರ apps/erpnext/erpnext/config/help.py,Managing Subcontracting,ವ್ಯವಸ್ಥಾಪಕ ಉಪಗುತ್ತಿಗೆ DocType: Vital Signs,Body Temperature,ದೇಹ ತಾಪಮಾನ @@ -968,6 +985,7 @@ DocType: Purchase Invoice,Registered Composition,ನೋಂದಾಯಿತ ಸಂ apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,ಹಲೋ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,ಐಟಂ ಸರಿಸಿ DocType: Employee Incentive,Incentive Amount,ಪ್ರೋತ್ಸಾಹಕ ಮೊತ್ತ +,Employee Leave Balance Summary,ನೌಕರರ ರಜೆ ಬ್ಯಾಲೆನ್ಸ್ ಸಾರಾಂಶ DocType: Serial No,Warranty Period (Days),ಖಾತರಿ ಕಾಲ (ದಿನಗಳು) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,ಲಿಂಕ್ಡ್ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಯಂತೆ ಒಟ್ಟು ಕ್ರೆಡಿಟ್ / ಡೆಬಿಟ್ ಮೊತ್ತವು ಒಂದೇ ಆಗಿರಬೇಕು DocType: Installation Note Item,Installation Note Item,ಅನುಸ್ಥಾಪನೆ ಸೂಚನೆ ಐಟಂ @@ -981,6 +999,7 @@ DocType: Vital Signs,Bloated,ಉಬ್ಬಿಕೊಳ್ಳುತ್ತದೆ DocType: Salary Slip,Salary Slip Timesheet,ಸಂಬಳ ಸ್ಲಿಪ್ Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ಉಪ ಒಪ್ಪಂದ ಖರೀದಿ ರಸೀತಿ ಕಡ್ಡಾಯ ಸರಬರಾಜುದಾರ ವೇರ್ಹೌಸ್ DocType: Item Price,Valid From,ಮಾನ್ಯ +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,ನಿಮ್ಮ ರೇಟಿಂಗ್: DocType: Sales Invoice,Total Commission,ಒಟ್ಟು ಆಯೋಗ DocType: Tax Withholding Account,Tax Withholding Account,ತೆರಿಗೆ ತಡೆಹಿಡಿಯುವ ಖಾತೆ DocType: Pricing Rule,Sales Partner,ಮಾರಾಟದ ಸಂಗಾತಿ @@ -988,6 +1007,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,ಎಲ್ಲಾ DocType: Buying Settings,Purchase Receipt Required,ಅಗತ್ಯ ಖರೀದಿ ರಸೀತಿ DocType: Sales Invoice,Rail,ರೈಲು apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ವಾಸ್ತವಿಕ ವೆಚ್ಚ +DocType: Item,Website Image,ವೆಬ್‌ಸೈಟ್ ಚಿತ್ರ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,ಸಾಲು {0} ನಲ್ಲಿನ ಟಾರ್ಗೆಟ್ ಗೋದಾಮಿನು ವರ್ಕ್ ಆರ್ಡರ್ನಂತೆಯೇ ಇರಬೇಕು apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,ತೆರೆಯುವ ಸ್ಟಾಕ್ ಪ್ರವೇಶಿಸಿತು ಮೌಲ್ಯಾಂಕನ ದರ ಕಡ್ಡಾಯ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,ಸರಕುಪಟ್ಟಿ ಕೋಷ್ಟಕದಲ್ಲಿ ಯಾವುದೇ ದಾಖಲೆಗಳು @@ -1019,8 +1039,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Receive at Warehou 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,ನಿಮ್ಮ ಖಾತೆಯನ್ನು ಸಿಂಕ್ರೊನೈಸ್ ಮಾಡುವ ಮೊದಲು ದಯವಿಟ್ಟು ನಿಮ್ಮ ಪ್ಲೈಡ್ API ಕಾನ್ಫಿಗರೇಶನ್ ಅನ್ನು ಪೂರ್ಣಗೊಳಿಸಿ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,ಹಾಫ್ ಡೇ ದಿನಾಂಕ ಕಡ್ಡಾಯವಾಗಿದೆ DocType: Sales Order,Billing and Delivery Status,ಬಿಲ್ಲಿಂಗ್ ಮತ್ತು ಡೆಲಿವರಿ ಸ್ಥಿತಿ DocType: Job Applicant,Resume Attachment,ಪುನರಾರಂಭಿಸು ಲಗತ್ತು @@ -1032,7 +1052,6 @@ DocType: Production Plan,Production Plan,ಉತ್ಪಾದನಾ ಯೋಜನ DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ಸರಕುಪಟ್ಟಿ ಸೃಷ್ಟಿ ಉಪಕರಣವನ್ನು ತೆರೆಯಲಾಗುತ್ತಿದೆ DocType: Salary Component,Round to the Nearest Integer,ಹತ್ತಿರದ ಪೂರ್ಣಾಂಕಕ್ಕೆ ಸುತ್ತಿಕೊಳ್ಳಿ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,ಮಾರಾಟದ ರಿಟರ್ನ್ -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ಗಮನಿಸಿ: ಒಟ್ಟು ನಿಯೋಜಿತವಾದ ಎಲೆಗಳನ್ನು {0} ಈಗಾಗಲೇ ಅನುಮೋದನೆ ಎಲೆಗಳು ಕಡಿಮೆ ಮಾಡಬಾರದು {1} ಕಾಲ DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,ಸೀರಿಯಲ್ ನೋ ಇನ್ಪುಟ್ ಆಧರಿಸಿ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ನಲ್ಲಿ ಹೊಂದಿಸಿ ,Total Stock Summary,ಒಟ್ಟು ಸ್ಟಾಕ್ ಸಾರಾಂಶ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1060,6 +1079,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,ಸ apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,ಪ್ರಮುಖ ಪ್ರಮಾಣವನ್ನು DocType: Loan Application,Total Payable Interest,ಒಟ್ಟು ಪಾವತಿಸಲಾಗುವುದು ಬಡ್ಡಿ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ಒಟ್ಟು ಅತ್ಯುತ್ತಮವಾದದ್ದು: {0} +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} DocType: Payroll Entry,Select Payment Account to make Bank Entry,ಬ್ಯಾಂಕ್ ಎಂಟ್ರಿ ಮಾಡಲು ಆಯ್ಕೆ ಪಾವತಿ ಖಾತೆ @@ -1068,6 +1088,7 @@ 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,ನವೀಕರಣ ಪ್ರಕ್ರಿಯೆಯಲ್ಲಿ ದೋಷ ಸಂಭವಿಸಿದೆ DocType: Restaurant Reservation,Restaurant Reservation,ರೆಸ್ಟೋರೆಂಟ್ ಮೀಸಲಾತಿ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,ನಿಮ್ಮ ವಸ್ತುಗಳು apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,ಪ್ರೊಪೋಸಲ್ ಬರವಣಿಗೆ DocType: Payment Entry Deduction,Payment Entry Deduction,ಪಾವತಿ ಎಂಟ್ರಿ ಡಿಡಕ್ಷನ್ DocType: Service Level Priority,Service Level Priority,ಸೇವಾ ಮಟ್ಟದ ಆದ್ಯತೆ @@ -1076,6 +1097,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,ಬ್ಯಾಚ್ ಸಂಖ್ಯೆ ಸರಣಿ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,ಮತ್ತೊಂದು ಮಾರಾಟಗಾರನ {0} ಅದೇ ನೌಕರರ ಐಡಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ DocType: Employee Advance,Claimed Amount,ಹಕ್ಕು ಪಡೆಯಲಾದ ಮೊತ್ತ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,ಹಂಚಿಕೆಯನ್ನು ಮುಕ್ತಾಯಗೊಳಿಸಿ DocType: QuickBooks Migrator,Authorization Settings,ಅಧಿಕಾರ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Travel Itinerary,Departure Datetime,ನಿರ್ಗಮನದ ದಿನಾಂಕ apps/erpnext/erpnext/hub_node/api.py,No items to publish,ಪ್ರಕಟಿಸಲು ಯಾವುದೇ ಐಟಂಗಳಿಲ್ಲ @@ -1145,7 +1167,6 @@ DocType: Student Batch Name,Batch Name,ಬ್ಯಾಚ್ ಹೆಸರು DocType: Fee Validity,Max number of visit,ಗರಿಷ್ಠ ಸಂಖ್ಯೆಯ ಭೇಟಿ DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,ಲಾಭ ಮತ್ತು ನಷ್ಟ ಖಾತೆಗೆ ಕಡ್ಡಾಯ ,Hotel Room Occupancy,ಹೋಟೆಲ್ ರೂಮ್ ಆಕ್ಯುಪೆನ್ಸಿ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet ದಾಖಲಿಸಿದವರು: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},ಪಾವತಿಯ ಮಾದರಿಯು ಡೀಫಾಲ್ಟ್ ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಸೆಟ್ ದಯವಿಟ್ಟು {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,ದಾಖಲಾಗಿ DocType: GST Settings,GST Settings,ಜಿಎಸ್ಟಿ ಸೆಟ್ಟಿಂಗ್ಗಳು @@ -1277,6 +1298,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,ದಯವಿಟ್ಟು ಆಯ್ಕೆ ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ DocType: Project,Estimated Cost,ಅಂದಾಜು ವೆಚ್ಚ DocType: Request for Quotation,Link to material requests,ವಸ್ತು ವಿನಂತಿಗಳನ್ನು ಲಿಂಕ್ +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,ಪ್ರಕಟಿಸು apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ಏರೋಸ್ಪೇಸ್ ,Fichier des Ecritures Comptables [FEC],ಫಿಶಿಯರ್ ಡೆಸ್ ಎಕ್ರಿಕರ್ಸ್ ಕಾಂಪ್ಟೇಬಲ್ಸ್ [ಎಫ್.ಸಿ.ಸಿ] DocType: Journal Entry,Credit Card Entry,ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್ ಎಂಟ್ರಿ @@ -1303,6 +1325,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,ಪ್ರಸಕ್ತ ಆಸ್ತಿಪಾಸ್ತಿಗಳು apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} ಸ್ಟಾಕ್ ಐಟಂ ಅಲ್ಲ apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New','ತರಬೇತಿ ಪ್ರತಿಕ್ರಿಯೆ' ಕ್ಲಿಕ್ ಮಾಡಿ ಮತ್ತು ನಂತರ 'ಹೊಸ' +DocType: Call Log,Caller Information,ಕರೆ ಮಾಡುವವರ ಮಾಹಿತಿ DocType: Mode of Payment Account,Default Account,ಡೀಫಾಲ್ಟ್ ಖಾತೆ apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,ಮೊದಲು ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಮಾದರಿ ಧಾರಣ ವೇರ್ಹೌಸ್ ಅನ್ನು ಆಯ್ಕೆಮಾಡಿ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,ಒಂದಕ್ಕಿಂತ ಹೆಚ್ಚು ಸಂಗ್ರಹ ನಿಯಮಗಳಿಗೆ ದಯವಿಟ್ಟು ಬಹು ಶ್ರೇಣಿ ಪ್ರೋಗ್ರಾಂ ಪ್ರಕಾರವನ್ನು ಆಯ್ಕೆಮಾಡಿ. @@ -1327,6 +1350,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,ಆಟೋ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ರಚಿಸಲಾಗಿದೆ DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),ಅರ್ಧ ದಿನವನ್ನು ಗುರುತಿಸಿರುವ ಕೆಲಸದ ಸಮಯಕ್ಕಿಂತ ಕಡಿಮೆ. (ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲು ಶೂನ್ಯ) DocType: Job Card,Total Completed Qty,ಒಟ್ಟು ಪೂರ್ಣಗೊಂಡ ಕ್ಯೂಟಿ +DocType: HR Settings,Auto Leave Encashment,ಸ್ವಯಂ ರಜೆ ಎನ್‌ಕ್ಯಾಶ್‌ಮೆಂಟ್ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,ಲಾಸ್ಟ್ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,ನೀವು ಕಾಲಮ್ 'ಜರ್ನಲ್ ಎಂಟ್ರಿ ವಿರುದ್ಧ' ನಲ್ಲಿ ಪ್ರಸ್ತುತ ಚೀಟಿ ಪ್ರವೇಶಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Employee Benefit Application Detail,Max Benefit Amount,ಗರಿಷ್ಠ ಲಾಭದ ಮೊತ್ತ @@ -1356,9 +1380,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,ಚಂದಾದಾರ DocType: Item Attribute Value,Item Attribute Value,ಐಟಂ ಮೌಲ್ಯ ಲಕ್ಷಣ apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,ಕರೆನ್ಸಿ ಎಕ್ಸ್ಚೇಂಜ್ ಬೈಯಿಂಗ್ ಅಥವಾ ಸೆಲ್ಲಿಂಗ್ಗೆ ಅನ್ವಯವಾಗಬೇಕು. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,ಅವಧಿ ಮೀರಿದ ಹಂಚಿಕೆಯನ್ನು ಮಾತ್ರ ರದ್ದುಗೊಳಿಸಬಹುದು DocType: Item,Maximum sample quantity that can be retained,ಉಳಿಸಬಹುದಾದ ಗರಿಷ್ಟ ಮಾದರಿ ಪ್ರಮಾಣ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},ಸಾಲು {0} # ಐಟಂ {1} ಅನ್ನು ಖರೀದಿಸುವ ಆದೇಶದ ವಿರುದ್ಧ {2} ವರ್ಗಾಯಿಸಲಾಗುವುದಿಲ್ಲ {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,ಮಾರಾಟದ ಶಿಬಿರಗಳನ್ನು . +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,ಅಜ್ಞಾತ ಕರೆ ಮಾಡುವವರು DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1409,6 +1435,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ಹೆಲ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,ಡಾಕ್ ಹೆಸರು DocType: Expense Claim Detail,Expense Claim Type,ಖರ್ಚು ClaimType DocType: Shopping Cart Settings,Default settings for Shopping Cart,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಡೀಫಾಲ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,ಐಟಂ ಉಳಿಸಿ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,ಹೊಸ ಖರ್ಚು apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಆದೇಶದ ಕ್ಯೂಟಿಯನ್ನು ನಿರ್ಲಕ್ಷಿಸಿ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,ಟೈಮ್ಸ್ಲೋಟ್ಗಳನ್ನು ಸೇರಿಸಿ @@ -1421,6 +1448,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,ಆಹ್ವಾನವನ್ನು ಕಳುಹಿಸಲಾಗಿದೆ DocType: Shift Assignment,Shift Assignment,ನಿಯೋಜನೆಯನ್ನು ಶಿಫ್ಟ್ ಮಾಡಿ DocType: Employee Transfer Property,Employee Transfer Property,ನೌಕರ ವರ್ಗಾವಣೆ ಆಸ್ತಿ +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,ಕ್ಷೇತ್ರ ಇಕ್ವಿಟಿ / ಹೊಣೆಗಾರಿಕೆ ಖಾತೆ ಖಾಲಿಯಾಗಿರಬಾರದು apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,ಸಮಯದಿಂದ ಸಮಯಕ್ಕೆ ಕಡಿಮೆ ಇರಬೇಕು apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,ಬಯೋಟೆಕ್ನಾಲಜಿ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1502,11 +1530,13 @@ 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,ಹೊಸ ಸಂಪರ್ಕವನ್ನು ರಚಿಸಿ apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,ಕೋರ್ಸ್ ಶೆಡ್ಯೂಲ್ DocType: GSTR 3B Report,GSTR 3B Report,ಜಿಎಸ್‌ಟಿಆರ್ 3 ಬಿ ವರದಿ DocType: Request for Quotation Supplier,Quote Status,ಉದ್ಧರಣ ಸ್ಥಿತಿ DocType: GoCardless Settings,Webhooks Secret,ವೆಬ್ಹೂಕ್ಸ್ ಸೀಕ್ರೆಟ್ DocType: Maintenance Visit,Completion Status,ಪೂರ್ಣಗೊಂಡ ಸ್ಥಿತಿ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},ಒಟ್ಟು ಪಾವತಿ ಮೊತ್ತ {than ಗಿಂತ ಹೆಚ್ಚಿರಬಾರದು DocType: Daily Work Summary Group,Select Users,ಬಳಕೆದಾರರನ್ನು ಆಯ್ಕೆ ಮಾಡಿ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ಹೋಟೆಲ್ ಕೊಠಡಿ ಬೆಲೆ ಐಟಂ DocType: Loyalty Program Collection,Tier Name,ಶ್ರೇಣಿ ಹೆಸರು @@ -1544,6 +1574,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,ಎಸ DocType: Lab Test Template,Result Format,ಫಲಿತಾಂಶದ ಸ್ವರೂಪ DocType: Expense Claim,Expenses,ವೆಚ್ಚಗಳು DocType: Service Level,Support Hours,ಬೆಂಬಲ ಅವರ್ಸ್ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,ವಿತರಣಾ ಟಿಪ್ಪಣಿಗಳು DocType: Item Variant Attribute,Item Variant Attribute,ಐಟಂ ಭಿನ್ನ ಲಕ್ಷಣ ,Purchase Receipt Trends,ಖರೀದಿ ರಸೀತಿ ಟ್ರೆಂಡ್ಸ್ DocType: Payroll Entry,Bimonthly,ಎರಡು ತಿಂಗಳಿಗೊಮ್ಮೆ @@ -1565,7 +1596,6 @@ DocType: Sales Team,Incentives,ಪ್ರೋತ್ಸಾಹ DocType: SMS Log,Requested Numbers,ಕೋರಿಕೆ ಸಂಖ್ಯೆಗಳು DocType: Volunteer,Evening,ಸಂಜೆ DocType: Quiz,Quiz Configuration,ರಸಪ್ರಶ್ನೆ ಸಂರಚನೆ -DocType: Customer,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,ಸ್ಟಾಕ್ ವಿವರಗಳು @@ -1612,7 +1642,6 @@ apps/erpnext/erpnext/config/accounting.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,ಫಿಲ್ಟರ್ ಒಟ್ಟು ಶೂನ್ಯ ಕ್ವಿಟಿ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},ಆಪರೇಷನ್ ಮುಂದಿನ {0} ದಿನಗಳಲ್ಲಿ ಟೈಮ್ ಸ್ಲಾಟ್ ಕಾಣಬರಲಿಲ್ಲ {1} DocType: Work Order,Plan material for sub-assemblies,ಉಪ ಜೋಡಣೆಗಳಿಗೆ ಯೋಜನೆ ವಸ್ತು 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,ವರ್ಗಾವಣೆಗೆ ಐಟಂಗಳು ಲಭ್ಯವಿಲ್ಲ @@ -1626,9 +1655,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,ಮರು-ಆದೇಶದ ಮಟ್ಟವನ್ನು ನಿರ್ವಹಿಸಲು ನೀವು ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಸ್ವಯಂ ಮರು-ಆದೇಶವನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಬೇಕು. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,ಈ ನಿರ್ವಹಣೆ ಭೇಟಿ ರದ್ದು ಮೊದಲು ವಸ್ತು ಭೇಟಿ {0} ರದ್ದು DocType: Pricing Rule,Rate or Discount,ದರ ಅಥವಾ ರಿಯಾಯಿತಿ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,ಬ್ಯಾಂಕ್ ವಿವರಗಳು DocType: Vital Signs,One Sided,ಒಂದು ಕಡೆ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಐಟಂ ಸೇರುವುದಿಲ್ಲ {1} -DocType: Purchase Receipt Item Supplied,Required Qty,ಅಗತ್ಯವಿದೆ ಪ್ರಮಾಣ +DocType: Purchase Order Item Supplied,Required Qty,ಅಗತ್ಯವಿದೆ ಪ್ರಮಾಣ DocType: Marketplace Settings,Custom Data,ಕಸ್ಟಮ್ ಡೇಟಾ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಗೋದಾಮುಗಳು ಲೆಡ್ಜರ್ ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ. DocType: Service Day,Service Day,ಸೇವಾ ದಿನ @@ -1655,7 +1685,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,ಖಾತೆ ಕರೆನ್ಸಿ DocType: Lab Test,Sample ID,ಮಾದರಿ ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,ಕಂಪನಿಯಲ್ಲಿ ರೌಂಡ್ ಆಫ್ ಖಾತೆ ಕುರಿತು ಮಾಹಿತಿ ನೀಡಿ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,ಡೆಬಿಟ್_ನೋಟ್_ಅಮ್ಟ್ DocType: Purchase Receipt,Range,ಶ್ರೇಣಿ DocType: Supplier,Default Payable Accounts,ಡೀಫಾಲ್ಟ್ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಗಳು apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,ನೌಕರರ {0} ಸಕ್ರಿಯವಾಗಿಲ್ಲ ಅಥವಾ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ @@ -1696,8 +1725,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,ಮಾಹಿತಿಗಾಗಿ ಕೋರಿಕೆ DocType: Course Activity,Activity Date,ಚಟುವಟಿಕೆ ದಿನಾಂಕ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} ಆಫ್ {} -,LeaderBoard,ಲೀಡರ್ DocType: Sales Invoice Item,Rate With Margin (Company Currency),ಮಾರ್ಜಿನ್ ಜೊತೆ ದರ (ಕಂಪನಿ ಕರೆನ್ಸಿ) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,ವರ್ಗಗಳು apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,ಸಿಂಕ್ ಆಫ್ಲೈನ್ ಇನ್ವಾಯ್ಸ್ಗಳು DocType: Payment Request,Paid,ಹಣ DocType: Service Level,Default Priority,ಡೀಫಾಲ್ಟ್ ಆದ್ಯತೆ @@ -1732,11 +1761,11 @@ 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,ಪರೋಕ್ಷ ಆದಾಯ DocType: Student Attendance Tool,Student Attendance Tool,ವಿದ್ಯಾರ್ಥಿ ಅಟೆಂಡೆನ್ಸ್ ಉಪಕರಣ DocType: Restaurant Menu,Price List (Auto created),ಬೆಲೆ ಪಟ್ಟಿ (ಸ್ವಯಂ ರಚಿಸಲಾಗಿದೆ) +DocType: Pick List Item,Picked Qty,Qty ಆಯ್ಕೆ ಮಾಡಲಾಗಿದೆ DocType: Cheque Print Template,Date Settings,ದಿನಾಂಕ ಸೆಟ್ಟಿಂಗ್ಗಳು 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,ಉದ್ಯೋಗಿ ಪ್ರಚಾರ ವಿವರ -,Company Name,ಕಂಪನಿ ಹೆಸರು DocType: SMS Center,Total Message(s),ಒಟ್ಟು ಸಂದೇಶ (ಗಳು) DocType: Share Balance,Purchased,ಖರೀದಿಸಿದೆ DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,ಐಟಂ ಲಕ್ಷಣದಲ್ಲಿ ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯವನ್ನು ಮರುಹೆಸರಿಸು. @@ -1755,7 +1784,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,ಇತ್ತೀಚಿನ ಪ್ರಯತ್ನ 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} ಗೆ ಕಡ್ಡಾಯವಾಗಿದೆ. -DocType: BOM,Raw Material Cost(Company Currency),ರಾ ಮೆಟೀರಿಯಲ್ ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ) 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,ಮೀಟರ್ @@ -1821,6 +1849,7 @@ DocType: Travel Itinerary,Train,ರೈಲು ,Delayed Item Report,ವಿಳಂಬವಾದ ಐಟಂ ವರದಿ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ಅರ್ಹ ಐಟಿಸಿ DocType: Healthcare Service Unit,Inpatient Occupancy,ಇನ್ಪೋಷಿಯಂಟ್ ಆಕ್ಯುಪೆನ್ಸಿ +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,ನಿಮ್ಮ ಮೊದಲ ವಸ್ತುಗಳನ್ನು ಪ್ರಕಟಿಸಿ DocType: Sample Collection,HLC-SC-.YYYY.-,ಎಚ್ಎಲ್ಸಿ-ಎಸ್ಸಿ .YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,ಶಿಫ್ಟ್ ಮುಗಿದ ನಂತರ ಚೆಕ್- out ಟ್ ಅನ್ನು ಹಾಜರಾತಿಗಾಗಿ ಪರಿಗಣಿಸಲಾಗುತ್ತದೆ. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},ದಯವಿಟ್ಟು ಸೂಚಿಸಿ ಒಂದು {0} @@ -1939,6 +1968,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,ಎಲ್ಲಾ B apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,ಇಂಟರ್ ಕಂಪನಿ ಜರ್ನಲ್ ನಮೂದನ್ನು ರಚಿಸಿ DocType: Company,Parent Company,ಮೂಲ ಕಂಪನಿ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},ಹೋಟೆಲ್ ಕೊಠಡಿಗಳು {0} {1} ನಲ್ಲಿ ಲಭ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,ಕಚ್ಚಾ ವಸ್ತುಗಳು ಮತ್ತು ಕಾರ್ಯಾಚರಣೆಗಳಲ್ಲಿನ ಬದಲಾವಣೆಗಳಿಗಾಗಿ BOM ಗಳನ್ನು ಹೋಲಿಕೆ ಮಾಡಿ DocType: Healthcare Practitioner,Default Currency,ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ 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}% @@ -1972,6 +2002,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,ಸಿ ಆಕಾರ ಸರಕುಪಟ್ಟಿ ವಿವರ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ಪಾವತಿ ಸಾಮರಸ್ಯ ಸರಕುಪಟ್ಟಿ DocType: Clinical Procedure,Procedure Template,ಕಾರ್ಯವಿಧಾನ ಟೆಂಪ್ಲೇಟು +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,ವಸ್ತುಗಳನ್ನು ಪ್ರಕಟಿಸಿ apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,ಕೊಡುಗೆ% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ಆರ್ಡರ್ ಖರೀದಿಸಿ ಅಗತ್ಯವಿದೆ ವೇಳೆ == 'ಹೌದು', ನಂತರ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು, ಬಳಕೆದಾರ ಐಟಂ ಮೊದಲ ಆರ್ಡರ್ ಖರೀದಿಸಿ ರಚಿಸಬೇಕಾಗಿದೆ ಬೈಯಿಂಗ್ ಸೆಟ್ಟಿಂಗ್ಗಳು ಪ್ರಕಾರ {0}" ,HSN-wise-summary of outward supplies,ಬಾಹ್ಯ ಪೂರೈಕೆಗಳ HSN- ಬುದ್ಧಿವಂತ-ಸಾರಾಂಶ @@ -1983,7 +2014,6 @@ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ಶಾಪಿಂ apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',ಸೆಟ್ 'ಹೆಚ್ಚುವರಿ ರಿಯಾಯಿತಿ ಅನ್ವಯಿಸು' ದಯವಿಟ್ಟು DocType: Party Tax Withholding Config,Applicable Percent,ಅನ್ವಯಿಸುವ ಶೇಕಡಾ ,Ordered Items To Be Billed,ಖ್ಯಾತವಾದ ಐಟಂಗಳನ್ನು ಆದೇಶ -DocType: Employee Checkin,Exit Grace Period Consequence,ಗ್ರೇಸ್ ಅವಧಿಯ ಪರಿಣಾಮವಾಗಿ ನಿರ್ಗಮಿಸಿ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,ರೇಂಜ್ ಕಡಿಮೆ ಎಂದು ಹೊಂದಿದೆ ಹೆಚ್ಚಾಗಿ ಶ್ರೇಣಿಗೆ DocType: Global Defaults,Global Defaults,ಜಾಗತಿಕ ಪೂರ್ವನಿಯೋಜಿತಗಳು apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,ಪ್ರಾಜೆಕ್ಟ್ ಸಹಯೋಗ ಆಮಂತ್ರಣ @@ -1991,13 +2021,11 @@ DocType: Salary Slip,Deductions,ನಿರ್ಣಯಗಳಿಂದ DocType: Setup Progress Action,Action Name,ಆಕ್ಷನ್ ಹೆಸರು apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ಪ್ರಾರಂಭ ವರ್ಷ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ಸಾಲವನ್ನು ರಚಿಸಿ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,ಪ್ರಸ್ತುತ ಅವಧಿಯ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪ್ರಾರಂಭಿಸಿ DocType: Shift Type,Process Attendance After,ಪ್ರಕ್ರಿಯೆಯ ಹಾಜರಾತಿ ನಂತರ ,IRS 1099,ಐಆರ್ಎಸ್ 1099 DocType: Salary Slip,Leave Without Pay,ಪೇ ಇಲ್ಲದೆ ಬಿಡಿ DocType: Payment Request,Outward,ಹೊರಗಡೆ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,ಸಾಮರ್ಥ್ಯವನ್ನು ಯೋಜನೆ ದೋಷ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,ರಾಜ್ಯ / ಯುಟಿ ತೆರಿಗೆ ,Trial Balance for Party,ಪಕ್ಷದ ಟ್ರಯಲ್ ಬ್ಯಾಲೆನ್ಸ್ ,Gross and Net Profit Report,ಒಟ್ಟು ಮತ್ತು ನಿವ್ವಳ ಲಾಭ ವರದಿ @@ -2015,7 +2043,6 @@ DocType: Bank Statement Transaction Entry,Payment Invoice Items,ಪಾವತಿ DocType: Payroll Entry,Employee Details,ನೌಕರರ ವಿವರಗಳು DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,ಸೃಷ್ಟಿ ಸಮಯದಲ್ಲಿ ಮಾತ್ರ ಜಾಗವನ್ನು ನಕಲಿಸಲಾಗುತ್ತದೆ. -DocType: Setup Progress Action,Domains,ಡೊಮೇನ್ಗಳ 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,ಪಾವತಿಸುವ ಸೆಟ್ಟಿಂಗ್ಗಳು @@ -2056,7 +2083,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,ಒಟ್ 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.",ಪಾವತಿ ಮೋಡ್ ಸಂರಚಿತವಾಗಿರುವುದಿಲ್ಲ. ಖಾತೆ ಪಾವತಿ ವಿಧಾನ ಮೇಲೆ ಅಥವಾ ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಹೊಂದಿಸಲಾಗಿದೆ ಎಂಬುದನ್ನು ದಯವಿಟ್ಟು ಪರಿಶೀಲಿಸಿ. apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,ಅದೇ ಐಟಂ ಅನೇಕ ಬಾರಿ ಪ್ರವೇಶಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","ಮತ್ತಷ್ಟು ಖಾತೆಗಳನ್ನು ಗುಂಪುಗಳು ಅಡಿಯಲ್ಲಿ ಮಾಡಬಹುದು, ಆದರೆ ನಮೂದುಗಳನ್ನು ಅಲ್ಲದ ಗುಂಪುಗಳ ವಿರುದ್ಧ ಮಾಡಬಹುದು" -DocType: Email Campaign,Lead,ಲೀಡ್ +DocType: Call Log,Lead,ಲೀಡ್ DocType: Email Digest,Payables,ಸಂದಾಯಗಳು DocType: Amazon MWS Settings,MWS Auth Token,MWS ಪ್ರಮಾಣ ಟೋಕನ್ DocType: Email Campaign,Email Campaign For ,ಇದಕ್ಕಾಗಿ ಇಮೇಲ್ ಪ್ರಚಾರ @@ -2068,6 +2095,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,ಪಾವತಿಸಬೇಕಾಗುತ್ತದೆ ಖರೀದಿ ಆದೇಶವನ್ನು ಐಟಂಗಳು 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,ಸಾಲ ಮಿತಿಗಳು DocType: Purchase Invoice Item,Net Rate,ನೆಟ್ ದರ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,ದಯವಿಟ್ಟು ಗ್ರಾಹಕರನ್ನು ಆಯ್ಕೆ ಮಾಡಿ DocType: Leave Policy,Leave Allocations,ಹಂಚಿಕೆಗಳನ್ನು ಬಿಡಿ @@ -2081,6 +2109,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,ದಿನಗಳ ಸಂಚಿಕೆ ಮುಚ್ಚಿ ,Eway Bill,ಎವೇ ಬಿಲ್ apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,ಬಳಕೆದಾರರನ್ನು ಮಾರುಕಟ್ಟೆ ಸ್ಥಳಕ್ಕೆ ಸೇರಿಸಲು ಸಿಸ್ಟಮ್ ಮ್ಯಾನೇಜರ್ ಮತ್ತು ಐಟಂ ಮ್ಯಾನೇಜರ್ ರೋಲ್ಗಳೊಂದಿಗೆ ನೀವು ಬಳಕೆದಾರರಾಗಿರಬೇಕು. +DocType: Attendance,Early Exit,ಆರಂಭಿಕ ನಿರ್ಗಮನ DocType: Job Opening,Staffing Plan,ಸಿಬ್ಬಂದಿ ಯೋಜನೆ apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,ಇ-ವೇ ಬಿಲ್ JSON ಅನ್ನು ಸಲ್ಲಿಸಿದ ಡಾಕ್ಯುಮೆಂಟ್‌ನಿಂದ ಮಾತ್ರ ರಚಿಸಬಹುದು apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ನೌಕರರ ತೆರಿಗೆ ಮತ್ತು ಲಾಭಗಳು @@ -2103,6 +2132,7 @@ DocType: Maintenance Team Member,Maintenance Role,ನಿರ್ವಹಣೆ ಪ apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},ನಕಲು ಸಾಲು {0} {1} ಒಂದೇ ಜೊತೆ DocType: Marketplace Settings,Disable Marketplace,ಮಾರುಕಟ್ಟೆ ಸ್ಥಳವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ DocType: Quality Meeting,Minutes,ನಿಮಿಷಗಳು +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,ನಿಮ್ಮ ವೈಶಿಷ್ಟ್ಯಗೊಳಿಸಿದ ವಸ್ತುಗಳು ,Trial Balance,ಟ್ರಯಲ್ ಬ್ಯಾಲೆನ್ಸ್ apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,ಪ್ರದರ್ಶನ ಪೂರ್ಣಗೊಂಡಿದೆ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ಹಣಕಾಸಿನ ವರ್ಷ {0} ಕಂಡುಬಂದಿಲ್ಲ @@ -2112,8 +2142,8 @@ 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,ಮೊದಲ ಪೂರ್ವಪ್ರತ್ಯಯ ಆಯ್ಕೆ ಮಾಡಿ DocType: Contract,Fulfilment Deadline,ಪೂರೈಸುವ ಗಡುವು +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,ನಿನ್ನ ಹತ್ತಿರ DocType: Student,O-,O- -DocType: Shift Type,Consequence,ಪರಿಣಾಮ DocType: Subscription Settings,Subscription Settings,ಚಂದಾದಾರಿಕೆ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Purchase Invoice,Update Auto Repeat Reference,ಆಟೋ ರಿಪೀಟ್ ರೆಫರೆನ್ಸ್ ಅನ್ನು ನವೀಕರಿಸಿ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},ಐಚ್ಛಿಕ ಹಾಲಿಡೇ ಪಟ್ಟಿ ರಜೆಯ ಅವಧಿಯನ್ನು ಹೊಂದಿಸುವುದಿಲ್ಲ {0} @@ -2124,7 +2154,6 @@ DocType: Maintenance Visit Purpose,Work Done,ಕೆಲಸ ನಡೆದಿದೆ apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,ಗುಣಲಕ್ಷಣಗಳು ಕೋಷ್ಟಕದಲ್ಲಿ ಕನಿಷ್ಠ ಒಂದು ಗುಣಲಕ್ಷಣ ಸೂಚಿಸಿ DocType: Announcement,All Students,ಎಲ್ಲಾ ವಿದ್ಯಾರ್ಥಿಗಳು apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,ಐಟಂ {0} ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ಇರಬೇಕು -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ಬ್ಯಾಂಕ್ ಡೀಟಿಲ್ಸ್ apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,ವೀಕ್ಷಿಸು ಲೆಡ್ಜರ್ DocType: Grading Scale,Intervals,ಮಧ್ಯಂತರಗಳು DocType: Bank Statement Transaction Entry,Reconciled Transactions,ಹೊಂದಾಣಿಕೆಯ ವಹಿವಾಟುಗಳು @@ -2160,6 +2189,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",ಮಾರಾಟದ ಆದೇಶಗಳನ್ನು ರಚಿಸಲು ಈ ಗೋದಾಮನ್ನು ಬಳಸಲಾಗುತ್ತದೆ. ಫಾಲ್‌ಬ್ಯಾಕ್ ಗೋದಾಮು "ಮಳಿಗೆಗಳು". DocType: Work Order,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,ಖರೀದಿ ಪ್ರಕ್ರಿಯೆಯ ಉದ್ದಕ್ಕೂ ಅದೇ ದರವನ್ನು ಕಾಯ್ದುಕೊಳ್ಳಲು DocType: Opportunity Item,Opportunity Item,ಅವಕಾಶ ಐಟಂ DocType: Quality Action,Quality Review,ಗುಣಮಟ್ಟದ ವಿಮರ್ಶೆ @@ -2186,7 +2216,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,ಮಹೋನ್ನತ ಇನ್ವಾಯ್ಸಸ್ ಪಡೆಯಿರಿ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಮಾನ್ಯವಾಗಿಲ್ಲ +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,ಉಲ್ಲೇಖಗಳಿಗಾಗಿ ಹೊಸ ವಿನಂತಿಗಾಗಿ ಎಚ್ಚರಿಕೆ ನೀಡಿ apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,ಖರೀದಿ ಆದೇಶ ನೀವು ಯೋಜನೆ ಸಹಾಯ ಮತ್ತು ನಿಮ್ಮ ಖರೀದಿ ಮೇಲೆ ಅನುಸರಿಸಿ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಪ್ರಿಸ್ಕ್ರಿಪ್ಷನ್ಗಳು @@ -2210,6 +2240,7 @@ DocType: Employee Onboarding,Notify users by email,ಇಮೇಲ್ ಮೂಲಕ DocType: Travel Request,International,ಅಂತಾರಾಷ್ಟ್ರೀಯ DocType: Training Event,Training Event,ತರಬೇತಿ ಈವೆಂಟ್ DocType: Item,Auto re-order,ಆಟೋ ಪುನಃ ಸಲುವಾಗಿ +DocType: Attendance,Late Entry,ತಡವಾಗಿ ಪ್ರವೇಶ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,ಒಟ್ಟು ಸಾಧಿಸಿದ DocType: Employee,Place of Issue,ಸಂಚಿಕೆ ಪ್ಲೇಸ್ DocType: Promotional Scheme,Promotional Scheme Price Discount,ಪ್ರಚಾರ ಯೋಜನೆ ಬೆಲೆ ರಿಯಾಯಿತಿ @@ -2255,6 +2286,7 @@ DocType: Serial No,Serial No Details,ಯಾವುದೇ ಸೀರಿಯಲ DocType: Purchase Invoice Item,Item Tax Rate,ಐಟಂ ತೆರಿಗೆ ದರ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,ಪಕ್ಷದ ಹೆಸರು apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,ನಿವ್ವಳ ಸಂಬಳ ಮೊತ್ತ +DocType: Pick List,Delivery against Sales Order,ಮಾರಾಟ ಆದೇಶದ ವಿರುದ್ಧ ವಿತರಣೆ DocType: Student Group Student,Group Roll Number,ಗುಂಪು ರೋಲ್ ಸಂಖ್ಯೆ DocType: Student Group Student,Group Roll Number,ಗುಂಪು ರೋಲ್ ಸಂಖ್ಯೆ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","{0}, ಮಾತ್ರ ಕ್ರೆಡಿಟ್ ಖಾತೆಗಳನ್ನು ಮತ್ತೊಂದು ಡೆಬಿಟ್ ಪ್ರವೇಶ ವಿರುದ್ಧ ಲಿಂಕ್ ಮಾಡಬಹುದು ಫಾರ್" @@ -2328,7 +2360,6 @@ DocType: Contract,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,ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ -DocType: Asset Settings,This value is used for pro-rata temporis calculation,ಈ ಮೌಲ್ಯವನ್ನು ಪ್ರೊ-ರೇಟಾ ಟೆಂಪೊರಿಸ್ ಲೆಕ್ಕಕ್ಕೆ ಬಳಸಲಾಗುತ್ತದೆ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,ನೀವು ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಶಕ್ತಗೊಳಿಸಬೇಕಾಗುತ್ತದೆ DocType: Payment Entry,Writeoff,Writeoff DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS -YYYY.- @@ -2351,7 +2382,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,ನಿಷ್ಕ್ರಿಯ ಮಾರಾಟ ವಸ್ತುಗಳು DocType: Quality Review,Additional Information,ಹೆಚ್ಚುವರಿ ಮಾಹಿತಿ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,ಒಟ್ಟು ಆರ್ಡರ್ ಮೌಲ್ಯ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,ಸೇವಾ ಮಟ್ಟದ ಒಪ್ಪಂದ ಮರುಹೊಂದಿಸಿ. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ಆಹಾರ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,ಏಜಿಂಗ್ ರೇಂಜ್ 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,ಪಿಒಎಸ್ ವೂಚರ್ ವಿವರಗಳನ್ನು ಮುಚ್ಚುವುದು @@ -2396,6 +2426,7 @@ 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,ದಂಡಯಾತ್ರೆ 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',ಅನುಮೋದನೆ ಸ್ಥಿತಿ 'ಅಂಗೀಕಾರವಾದ' ಅಥವಾ ' ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ' ಮಾಡಬೇಕು DocType: Healthcare Practitioner,Contacts and Address,ಸಂಪರ್ಕಗಳು ಮತ್ತು ವಿಳಾಸ DocType: Shift Type,Determine Check-in and Check-out,ಚೆಕ್-ಇನ್ ಮತ್ತು ಚೆಕ್- .ಟ್ ಅನ್ನು ನಿರ್ಧರಿಸಿ @@ -2415,7 +2446,6 @@ DocType: Student Admission,Eligibility and Details,ಅರ್ಹತೆ ಮತ್ apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,ಒಟ್ಟು ಲಾಭದಲ್ಲಿ ಸೇರಿಸಲಾಗಿದೆ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,ಸ್ಥಿರ ಸಂಪತ್ತಾದ ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,ರೆಕ್ಡ್ ಕ್ವಿಟಿ -DocType: Company,Client Code,ಗ್ರಾಹಕ ಕೋಡ್ apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ಮಾದರಿ ಸಾಲು {0} ನಲ್ಲಿ 'ವಾಸ್ತವಿಕ' ಉಸ್ತುವಾರಿ ಐಟಂ ದರದಲ್ಲಿ ಸೇರಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},ಮ್ಯಾಕ್ಸ್: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Datetime ಗೆ @@ -2484,6 +2514,7 @@ DocType: Journal Entry Account,Account Balance,ಖಾತೆ ಬ್ಯಾಲೆ apps/erpnext/erpnext/config/accounting.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 (%),ಓವರ್ ಟ್ರಾನ್ಸ್ಫರ್ ಭತ್ಯೆ (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ಗ್ರಾಹಕ ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಯನ್ನು ವಿರುದ್ಧ ಅಗತ್ಯವಿದೆ {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ಒಟ್ಟು ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) DocType: Weather,Weather Parameter,ಹವಾಮಾನ ನಿಯತಾಂಕ @@ -2544,6 +2575,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,ಗೈರುಹಾಜರ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,ಒಟ್ಟು ವೆಚ್ಚದ ಆಧಾರದ ಮೇಲೆ ಬಹು ಶ್ರೇಣೀಕೃತ ಸಂಗ್ರಹ ಅಂಶವಿದೆ. ಆದರೆ ವಿಮೋಚನೆಯ ಪರಿವರ್ತನೆ ಅಂಶವು ಯಾವಾಗಲೂ ಎಲ್ಲಾ ಶ್ರೇಣಿಗಳಿಗೆ ಒಂದೇ ಆಗಿರುತ್ತದೆ. apps/erpnext/erpnext/config/help.py,Item Variants,ಐಟಂ ಮಾರ್ಪಾಟುಗಳು apps/erpnext/erpnext/public/js/setup_wizard.js,Services,ಸೇವೆಗಳು +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,ನೌಕರರ ಇಮೇಲ್ ಸಂಬಳ ಸ್ಲಿಪ್ DocType: Cost Center,Parent Cost Center,ಪೋಷಕ ವೆಚ್ಚ ಸೆಂಟರ್ @@ -2554,7 +2586,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields", DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,ಸಾಗಣೆಗೆಯಲ್ಲಿ Shopify ನಿಂದ ಆಮದು ವಿತರಣೆ ಟಿಪ್ಪಣಿಗಳು apps/erpnext/erpnext/templates/pages/projects.html,Show closed,ಮುಚ್ಚಲಾಗಿದೆ ಶೋ DocType: Issue Priority,Issue Priority,ಸಂಚಿಕೆ ಆದ್ಯತೆ -DocType: Leave Type,Is Leave Without Pay,ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ಇದೆ +DocType: Leave Ledger Entry,Is Leave Without Pay,ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ಇದೆ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,ಜಿಎಸ್ಟಿಎನ್ apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,ಆಸ್ತಿ ವರ್ಗ ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ಕಡ್ಡಾಯವಾಗಿದೆ DocType: Fee Validity,Fee Validity,ಶುಲ್ಕ ಮಾನ್ಯತೆ @@ -2602,6 +2634,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,ವೇರ್ಹ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,ಅಪ್ಡೇಟ್ ಪ್ರಿಂಟ್ ಫಾರ್ಮ್ಯಾಟ್ DocType: Bank Account,Is Company Account,ಕಂಪನಿ ಖಾತೆ apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,ಬಿಡಿ ಕೌಟುಂಬಿಕತೆ {0} ಎನ್ಕಸಾಬಲ್ ಆಗಿಲ್ಲ +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಈಗಾಗಲೇ ಕಂಪನಿಗೆ ವ್ಯಾಖ್ಯಾನಿಸಲಾಗಿದೆ {0} DocType: Landed Cost Voucher,Landed Cost Help,ಇಳಿಯಿತು ವೆಚ್ಚ ಸಹಾಯ DocType: Vehicle Log,HR-VLOG-.YYYY.-,ಮಾನವ ಸಂಪನ್ಮೂಲ-. YYYY.- DocType: Purchase Invoice,Select Shipping Address,ಶಿಪ್ಪಿಂಗ್ ವಿಳಾಸ ಆಯ್ಕೆ @@ -2626,6 +2659,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,ಎರಡು ರೀತಿಯಲ್ಲಿ DocType: Item,Manufacturers,ತಯಾರಕರು @@ -2662,7 +2696,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ ಹೇಳಿಕೆ DocType: Patient Encounter,Medical Coding,ವೈದ್ಯಕೀಯ ಕೋಡಿಂಗ್ DocType: Healthcare Settings,Reminder Message,ಜ್ಞಾಪನೆ ಸಂದೇಶ -,Lead Name,ಲೀಡ್ ಹೆಸರು +DocType: Call Log,Lead Name,ಲೀಡ್ ಹೆಸರು ,POS,ಪಿಓಎಸ್ DocType: C-Form,III,III ನೇ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,ನಿರೀಕ್ಷಿಸುತ್ತಿದೆ @@ -2694,12 +2728,14 @@ DocType: Purchase Invoice,Supplier Warehouse,ಸರಬರಾಜುದಾರ ವ DocType: Opportunity,Contact Mobile No,ಸಂಪರ್ಕಿಸಿ ಮೊಬೈಲ್ ನಂ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,ಕಂಪನಿ ಆಯ್ಕೆಮಾಡಿ ,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: Student Report Generation Tool,Print Section,ವಿಭಾಗ ಮುದ್ರಿಸು DocType: Staffing Plan Detail,Estimated Cost Per Position,ಸ್ಥಾನಕ್ಕನುಗುಣವಾಗಿ ಅಂದಾಜು ವೆಚ್ಚ DocType: Employee,HR-EMP-,ಮಾನವ ಸಂಪನ್ಮೂಲ- EMP- 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} ಡೀಫಾಲ್ಟ್ ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಅನ್ನು ಹೊಂದಿಲ್ಲ. ಈ ಬಳಕೆದಾರರಿಗಾಗಿ ಸಾಲು {1} ನಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಅನ್ನು ಪರಿಶೀಲಿಸಿ. DocType: Quality Meeting Minutes,Quality Meeting Minutes,ಗುಣಮಟ್ಟದ ಸಭೆ ನಿಮಿಷಗಳು +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಪ್ರಕಾರ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,ಉದ್ಯೋಗಿ ಉಲ್ಲೇಖ DocType: Student Group,Set 0 for no limit,ಯಾವುದೇ ಮಿತಿ ಹೊಂದಿಸಿ 0 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,ನೀವು ರಜೆ ಹಾಕುತ್ತಿವೆ ಮೇಲೆ ದಿನ (ಗಳು) ರಜಾದಿನಗಳು. ನೀವು ರಜೆ ಅನ್ವಯಿಸುವುದಿಲ್ಲ ಅಗತ್ಯವಿದೆ. @@ -2731,12 +2767,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,ನಗದು ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ DocType: Assessment Plan,Grading Scale,ಗ್ರೇಡಿಂಗ್ ಸ್ಕೇಲ್ apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ಅಳತೆಯ ಘಟಕ {0} ಹೆಚ್ಚು ಪರಿವರ್ತಿಸುವುದರ ಟೇಬಲ್ ಒಮ್ಮೆ ಹೆಚ್ಚು ನಮೂದಿಸಲಾದ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,ಈಗಾಗಲೇ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,ಹ್ಯಾಂಡ್ ರಲ್ಲಿ ಸ್ಟಾಕ್ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",ದಯವಿಟ್ಟು \ pro-rata ಘಟಕವಾಗಿ ಅಪ್ಲಿಕೇಶನ್ಗೆ ಉಳಿದ ಪ್ರಯೋಜನಗಳನ್ನು {0} ಸೇರಿಸಿ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',ಸಾರ್ವಜನಿಕ ಆಡಳಿತ '% s' ಗಾಗಿ ದಯವಿಟ್ಟು ಹಣಕಾಸಿನ ಸಂಹಿತೆಯನ್ನು ಹೊಂದಿಸಿ -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},ಪಾವತಿ ವಿನಂತಿ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,ನೀಡಲಾಗಿದೆ ಐಟಂಗಳು ವೆಚ್ಚ DocType: Healthcare Practitioner,Hospital,ಆಸ್ಪತ್ರೆ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},ಪ್ರಮಾಣ ಹೆಚ್ಚು ಇರಬಾರದು {0} @@ -2780,6 +2814,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,ಮಾನವ ಸಂಪನ್ಮೂಲ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,ಮೇಲ್ ವರಮಾನ DocType: Item Manufacturer,Item Manufacturer,ಐಟಂ ತಯಾರಕ +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,ಹೊಸ ಲೀಡ್ ರಚಿಸಿ DocType: BOM Operation,Batch Size,ಬ್ಯಾಚ್ ಗಾತ್ರ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,ರಿಜೆಕ್ಟ್ DocType: Journal Entry Account,Debit in Company Currency,ಕಂಪನಿ ಕರೆನ್ಸಿ ಡೆಬಿಟ್ @@ -2799,9 +2834,11 @@ DocType: Bank Transaction,Reconciled,ರಾಜಿ ಮಾಡಿಕೊಳ್ಳಲ DocType: Expense Claim,Total Amount Reimbursed,ಒಟ್ಟು ಪ್ರಮಾಣ ಮತ್ತೆ apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,ಈ ವಾಹನ ವಿರುದ್ಧ ದಾಖಲೆಗಳು ಆಧರಿಸಿದೆ. ಮಾಹಿತಿಗಾಗಿ ಕೆಳಗೆ ಟೈಮ್ಲೈನ್ ನೋಡಿ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,ವೇತನದಾರರ ದಿನಾಂಕವು ಉದ್ಯೋಗಿ ಸೇರುವ ದಿನಾಂಕಕ್ಕಿಂತ ಕಡಿಮೆಯಿರಬಾರದು +DocType: Pick List,Item Locations,ಐಟಂ ಸ್ಥಳಗಳು apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} ದಾಖಲಿಸಿದವರು apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",ಉದ್ಯೋಗಿಗಾಗಿ ಜಾಬ್ ಓಪನಿಂಗ್ಸ್ {0} ಈಗಾಗಲೇ ತೆರೆದಿದೆ ಅಥವಾ ನೇಮಕಾತಿ ಸಿಬ್ಬಂದಿ ಯೋಜನೆಯ ಪ್ರಕಾರ ಪೂರ್ಣಗೊಂಡಿದೆ {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,ನೀವು 200 ವಸ್ತುಗಳನ್ನು ಪ್ರಕಟಿಸಬಹುದು. DocType: Vital Signs,Constipated,ಕಾಲಿಪೇಟೆಡ್ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},ಸರಬರಾಜುದಾರ ವಿರುದ್ಧ ಸರಕುಪಟ್ಟಿ {0} ರ {1} DocType: Customer,Default Price List,ಡೀಫಾಲ್ಟ್ ಬೆಲೆ ಪಟ್ಟಿ @@ -2894,6 +2931,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,ನಿಜವಾದ ಪ್ರಾರಂಭವನ್ನು ಬದಲಾಯಿಸಿ DocType: Tally Migration,Is Day Book Data Imported,ದಿನ ಪುಸ್ತಕ ಡೇಟಾವನ್ನು ಆಮದು ಮಾಡಲಾಗಿದೆ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,ಮಾರ್ಕೆಟಿಂಗ್ ವೆಚ್ಚಗಳು +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{1} ನ {0} ಘಟಕಗಳು ಲಭ್ಯವಿಲ್ಲ. ,Item Shortage Report,ಐಟಂ ಕೊರತೆ ವರದಿ 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,ಪ್ರಮಾಣಿತ ಮಾನದಂಡವನ್ನು ರಚಿಸಲಾಗುವುದಿಲ್ಲ. ದಯವಿಟ್ಟು ಮಾನದಂಡವನ್ನು ಮರುಹೆಸರಿಸಿ @@ -2917,6 +2955,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,ನಿವೃತ್ತಿ ದಿನಾಂಕ DocType: Upload Attendance,Get Template,ಟೆಂಪ್ಲೆಟ್ ಪಡೆಯಿರಿ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ಪಟ್ಟಿ ಆರಿಸಿ ,Sales Person Commission Summary,ಮಾರಾಟಗಾರರ ಆಯೋಗದ ಸಾರಾಂಶ DocType: Material Request,Transferred,ವರ್ಗಾಯಿಸಲ್ಪಟ್ಟ DocType: Vehicle,Doors,ಡೋರ್ಸ್ @@ -2997,7 +3036,7 @@ DocType: Sales Invoice Item,Customer's Item Code,ಗ್ರಾಹಕರ ಐಟಂ DocType: Stock Reconciliation,Stock Reconciliation,ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ DocType: Territory,Territory Name,ಪ್ರದೇಶ ಹೆಸರು DocType: Email Digest,Purchase Orders to Receive,ಖರೀದಿ ಆದೇಶಗಳನ್ನು ಸ್ವೀಕರಿಸಿ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,ಕೆಲಸ ಪ್ರಗತಿಯಲ್ಲಿರುವ ವೇರ್ಹೌಸ್ ಸಲ್ಲಿಸಿ ಮೊದಲು ಅಗತ್ಯವಿದೆ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,ಕೆಲಸ ಪ್ರಗತಿಯಲ್ಲಿರುವ ವೇರ್ಹೌಸ್ ಸಲ್ಲಿಸಿ ಮೊದಲು ಅಗತ್ಯವಿದೆ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,ನೀವು ಚಂದಾದಾರಿಕೆಯಲ್ಲಿ ಅದೇ ಬಿಲ್ಲಿಂಗ್ ಚಕ್ರವನ್ನು ಹೊಂದಿರುವ ಯೋಜನೆಗಳನ್ನು ಮಾತ್ರ ಹೊಂದಬಹುದು DocType: Bank Statement Transaction Settings Item,Mapped Data,ಮ್ಯಾಪ್ ಮಾಡಲಾದ ಡೇಟಾ DocType: Purchase Order Item,Warehouse and Reference,ವೇರ್ಹೌಸ್ ಮತ್ತು ರೆಫರೆನ್ಸ್ @@ -3072,6 +3111,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,ವಿತರಣೆ ಸೆಟ್ಟಿಂಗ್ಗಳು apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ಡೇಟಾವನ್ನು ಪಡೆದುಕೊಳ್ಳಿ apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},ರಜೆ ವಿಧದಲ್ಲಿ ಅನುಮತಿಸಲಾದ ಗರಿಷ್ಠ ರಜೆ {0} {1} ಆಗಿದೆ +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 ಐಟಂ ಅನ್ನು ಪ್ರಕಟಿಸಿ DocType: SMS Center,Create Receiver List,ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ರಚಿಸಿ DocType: Student Applicant,LMS Only,ಎಲ್ಎಂಎಸ್ ಮಾತ್ರ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,ಲಭ್ಯವಿರುವ ದಿನಾಂಕದಂದು ಖರೀದಿ ದಿನಾಂಕದ ನಂತರ ಇರಬೇಕು @@ -3105,6 +3145,7 @@ DocType: Serial No,Delivery Document No,ಡೆಲಿವರಿ ಡಾಕ್ಯು DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ಉತ್ಪಾದನೆ ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಆಧರಿಸಿ ವಿತರಣೆ ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ DocType: Vital Signs,Furry,ರೋಮದಿಂದ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ಕಂಪನಿಯಲ್ಲಿ 'ಆಸ್ತಿ ವಿಲೇವಾರಿ ಮೇಲೆ ಗಳಿಕೆ / ನಷ್ಟ ಖಾತೆ' ಸೆಟ್ ಮಾಡಿ {0} +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} ಗೆ ಗುರಿ ಸ್ಥಳ ಅಗತ್ಯವಿದೆ @@ -3126,9 +3167,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,ಮಾಸಿಕ DocType: Quality Procedure Process,Quality Procedure Process,ಗುಣಮಟ್ಟದ ಕಾರ್ಯವಿಧಾನ ಪ್ರಕ್ರಿಯೆ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ಬ್ಯಾಚ್ ID ಕಡ್ಡಾಯ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ಬ್ಯಾಚ್ ID ಕಡ್ಡಾಯ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,ದಯವಿಟ್ಟು ಮೊದಲು ಗ್ರಾಹಕರನ್ನು ಆಯ್ಕೆ ಮಾಡಿ DocType: Sales Person,Parent Sales Person,ಪೋಷಕ ಮಾರಾಟಗಾರ್ತಿ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,ಸ್ವೀಕರಿಸಬೇಕಾದ ಯಾವುದೇ ಐಟಂಗಳು ಮಿತಿಮೀರಿದವು apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,ಮಾರಾಟಗಾರ ಮತ್ತು ಖರೀದಿದಾರರು ಒಂದೇ ಆಗಿರುವುದಿಲ್ಲ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,ಇನ್ನೂ ವೀಕ್ಷಣೆಗಳು ಇಲ್ಲ DocType: Project,Collect Progress,ಪ್ರೋಗ್ರೆಸ್ ಸಂಗ್ರಹಿಸಿ DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN -YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,ಮೊದಲು ಪ್ರೋಗ್ರಾಂ ಅನ್ನು ಆಯ್ಕೆ ಮಾಡಿ @@ -3150,11 +3193,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,ಸಾಧಿಸಿದ DocType: Student Admission,Application Form Route,ಅಪ್ಲಿಕೇಶನ್ ಫಾರ್ಮ್ ಮಾರ್ಗ apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,ಒಪ್ಪಂದದ ಅಂತಿಮ ದಿನಾಂಕವು ಇಂದಿಗಿಂತ ಕಡಿಮೆಯಿರಬಾರದು. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,ಸಲ್ಲಿಸಲು Ctrl + ನಮೂದಿಸಿ DocType: Healthcare Settings,Patient Encounters in valid days,ಮಾನ್ಯ ದಿನಗಳಲ್ಲಿ ರೋಗಿಯ ಎನ್ಕೌಂಟರ್ಸ್ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,ಕೌಟುಂಬಿಕತೆ {0} ಇದು ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ರಿಂದ ಮಾಡಬಹುದು ಹಂಚಿಕೆ ಆಗುವುದಿಲ್ಲ 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ನೀವು ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ. DocType: Lead,Follow Up,ಅನುಸರಿಸು +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,ವೆಚ್ಚ ಕೇಂದ್ರ: {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ DocType: Item,Is Sales Item,ಮಾರಾಟದ ಐಟಂ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,ಐಟಂ ಗುಂಪು ಟ್ರೀ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,ಐಟಂ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಸ್ಥಾಪನೆಯ ಅಲ್ಲ ಐಟಂ ಮಾಸ್ಟರ್ ಪರಿಶೀಲಿಸಿ @@ -3199,9 +3244,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,ಸರಬರಾಜು ಪ್ರಮಾಣ DocType: Clinical Procedure,HLC-CPR-.YYYY.-,ಹೆಚ್ಎಲ್ಸಿ-ಸಿಪಿಆರ್ - .YYYY.- DocType: Purchase Order Item,Material Request Item,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಐಟಂ -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,ಖರೀದಿಯ ರಸೀದಿ {0} ಅನ್ನು ಮೊದಲು ರದ್ದುಮಾಡಿ apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,ಐಟಂ ಗುಂಪುಗಳು ಟ್ರೀ . DocType: Production Plan,Total Produced Qty,ಒಟ್ಟು ಉತ್ಪಾದಿತ ಕ್ಯೂಟಿ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,ಇನ್ನೂ ಯಾವುದೇ ವಿಮರ್ಶೆಗಳಿಲ್ಲ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,ಈ ಬ್ಯಾಚ್ ಮಾದರಿ ಸಾಲು ಸಂಖ್ಯೆ ಹೆಚ್ಚಿನ ಅಥವಾ ಪ್ರಸ್ತುತ ಸಾಲಿನ ಸಂಖ್ಯೆ ಸಮಾನವಾಗಿರುತ್ತದೆ ಸೂಚಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Asset,Sold,ಮಾರಾಟ ,Item-wise Purchase History,ಐಟಂ ಬುದ್ಧಿವಂತ ಖರೀದಿ ಇತಿಹಾಸ @@ -3220,7 +3265,7 @@ DocType: Designation,Required Skills,ಅಗತ್ಯ ಕೌಶಲ್ಯಗಳು DocType: Inpatient Record,O Positive,ಓ ಧನಾತ್ಮಕ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,ಇನ್ವೆಸ್ಟ್ಮೆಂಟ್ಸ್ DocType: Issue,Resolution Details,ರೆಸಲ್ಯೂಶನ್ ವಿವರಗಳು -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,ವಹಿವಾಟಿನ ಪ್ರಕಾರ +DocType: Leave Ledger Entry,Transaction Type,ವಹಿವಾಟಿನ ಪ್ರಕಾರ DocType: Item Quality Inspection Parameter,Acceptance Criteria,ಒಪ್ಪಿಕೊಳ್ಳುವ ಅಳತೆಗೋಲುಗಳನ್ನು apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,ದಯವಿಟ್ಟು ಮೇಲಿನ ಕೋಷ್ಟಕದಲ್ಲಿ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ನಮೂದಿಸಿ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ಜರ್ನಲ್ ಎಂಟ್ರಿಗೆ ಮರುಪಾವತಿ ಇಲ್ಲ @@ -3262,6 +3307,7 @@ DocType: Bank Account,Bank Account No,ಬ್ಯಾಂಕ್ ಖಾತೆ ಸಂ DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ನೌಕರರ ತೆರಿಗೆ ವಿನಾಯಿತಿ ಪ್ರೂಫ್ ಸಲ್ಲಿಕೆ DocType: Patient,Surgical History,ಸರ್ಜಿಕಲ್ ಹಿಸ್ಟರಿ DocType: Bank Statement Settings Item,Mapped Header,ಮ್ಯಾಪ್ಡ್ ಹೆಡರ್ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ದಯವಿಟ್ಟು ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ನೌಕರರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಹೊಂದಿಸಿ DocType: Employee,Resignation Letter Date,ರಾಜೀನಾಮೆ ಪತ್ರ ದಿನಾಂಕ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,ಬೆಲೆ ನಿಯಮಗಳಲ್ಲಿ ಮತ್ತಷ್ಟು ಪ್ರಮಾಣವನ್ನು ಆಧರಿಸಿ ಫಿಲ್ಟರ್. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ನೌಕರ ಸೇರುವ ದಿನಾಂಕ ದಯವಿಟ್ಟು {0} @@ -3327,7 +3373,6 @@ DocType: Student Report Generation Tool,Add Letterhead,ಲೆಟರ್ಹೆಡ 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ಒಟ್ಟು ಹಂಚಿಕೆ ಎಲೆಗಳು {0} ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ ಕಾಲ ಈಗಾಗಲೇ ಅನುಮೋದನೆ ಎಲೆಗಳು {1} ಹೆಚ್ಚು DocType: Contract Fulfilment Checklist,Requirement,ಅವಶ್ಯಕತೆ DocType: Journal Entry,Accounts Receivable,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಗಳು DocType: Quality Goal,Objectives,ಉದ್ದೇಶಗಳು @@ -3350,7 +3395,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,ಏಕ ವಹಿವ DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ಈ ಮೌಲ್ಯವನ್ನು ಡೀಫಾಲ್ಟ್ ಮಾರಾಟದ ಬೆಲೆ ಪಟ್ಟಿನಲ್ಲಿ ನವೀಕರಿಸಲಾಗಿದೆ. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,ನಿಮ್ಮ ಕಾರ್ಟ್ ಖಾಲಿಯಾಗಿದೆ DocType: Email Digest,New Expenses,ಹೊಸ ವೆಚ್ಚಗಳು -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC ಪ್ರಮಾಣ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,ಚಾಲಕ ವಿಳಾಸ ಕಾಣೆಯಾದ ಕಾರಣ ಮಾರ್ಗವನ್ನು ಅತ್ಯುತ್ತಮವಾಗಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. DocType: Shareholder,Shareholder,ಷೇರುದಾರ DocType: Purchase Invoice,Additional Discount Amount,ಹೆಚ್ಚುವರಿ ರಿಯಾಯಿತಿ ಪ್ರಮಾಣ @@ -3385,6 +3429,7 @@ DocType: Asset Maintenance Task,Maintenance Task,ನಿರ್ವಹಣೆ ಕಾ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,ದಯವಿಟ್ಟು ಜಿಎಸ್ಟಿ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ B2C ಮಿತಿಯನ್ನು ಹೊಂದಿಸಿ. 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} ಈಗ ಡೀಫಾಲ್ಟ್ ಹಣಕಾಸಿನ ವರ್ಷ ಆಗಿದೆ . ಕಾರ್ಯಗತವಾಗಲು ಬದಲಾವಣೆಗೆ ನಿಮ್ಮ ಬ್ರೌಸರ್ ರಿಫ್ರೆಶ್ ಮಾಡಿ . @@ -3420,6 +3465,7 @@ DocType: Salary Component,Deduction,ವ್ಯವಕಲನ DocType: Item,Retain Sample,ಮಾದರಿ ಉಳಿಸಿಕೊಳ್ಳಿ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,ರೋ {0}: ಸಮಯ ಮತ್ತು ಟೈಮ್ ಕಡ್ಡಾಯ. DocType: Stock Reconciliation Item,Amount Difference,ಪ್ರಮಾಣ ವ್ಯತ್ಯಾಸ +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,ಈ ಪುಟವು ನೀವು ಮಾರಾಟಗಾರರಿಂದ ಖರೀದಿಸಲು ಬಯಸುವ ವಸ್ತುಗಳನ್ನು ಟ್ರ್ಯಾಕ್ ಮಾಡುತ್ತದೆ. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},ಐಟಂ ಬೆಲೆ ಸೇರ್ಪಡೆ {0} ದರ ಪಟ್ಟಿ ರಲ್ಲಿ {1} DocType: Delivery Stop,Order Information,ಆರ್ಡರ್ ಮಾಹಿತಿ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,ಈ ಮಾರಾಟಗಾರನ ಉದ್ಯೋಗಿ ಅನ್ನು ನಮೂದಿಸಿ @@ -3448,6 +3494,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ಹಣಕಾಸಿನ ವರ್ಷ ** ಒಂದು ಹಣಕಾಸು ವರ್ಷದ ಪ್ರತಿನಿಧಿಸುತ್ತದೆ. ಎಲ್ಲಾ ಲೆಕ್ಕ ನಮೂದುಗಳನ್ನು ಮತ್ತು ಇತರ ಪ್ರಮುಖ ವ್ಯವಹಾರಗಳ ** ** ಹಣಕಾಸಿನ ವರ್ಷ ವಿರುದ್ಧ ಕಂಡುಕೊಳ್ಳಲಾಯಿತು. DocType: Opportunity,Customer / Lead Address,ಗ್ರಾಹಕ / ಲೀಡ್ ವಿಳಾಸ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,ಪೂರೈಕೆದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಸೆಟಪ್ +DocType: Customer Credit Limit,Customer Credit Limit,ಗ್ರಾಹಕ ಸಾಲ ಮಿತಿ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,ಅಸೆಸ್ಮೆಂಟ್ ಪ್ಲಾನ್ ಹೆಸರು apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ಗುರಿ ವಿವರಗಳು apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","ಕಂಪನಿಯು ಎಸ್‌ಪಿಎ, ಎಸ್‌ಪಿಎ ಅಥವಾ ಎಸ್‌ಆರ್‌ಎಲ್ ಆಗಿದ್ದರೆ ಅನ್ವಯವಾಗುತ್ತದೆ" @@ -3500,7 +3547,6 @@ DocType: Company,Transactions Annual History,ಟ್ರಾನ್ಸಾಕ್ಷ 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,ಬ್ಯಾಂಕ್ ಹೆಸರು -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Above 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,ದ್ರವ @@ -3554,6 +3600,7 @@ 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,ವೈಶಿಷ್ಟ್ಯಗೊಳಿಸಿದ ಐಟಂಗಳಿಗೆ ಸೇರಿಸಲಾಗಿದೆ apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,ವರ್ಷದ ಲಾಭ 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,ಪ್ರಕ್ರಿಯೆಯಲ್ಲಿ @@ -3608,12 +3655,10 @@ 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,ಒಂದೇ ಐಟಂ ಬಹು ಸಮಯಗಳನ್ನು ಅನುಮತಿಸಿ -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,ಕಂಪನಿಗೆ ಯಾವುದೇ ಜಿಎಸ್ಟಿ ಸಂಖ್ಯೆ ಕಂಡುಬಂದಿಲ್ಲ. 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,ನೌಕರರು DocType: Question,Single Correct Answer,ಒಂದೇ ಸರಿಯಾದ ಉತ್ತರ -DocType: Employee,Contact Details,ಸಂಪರ್ಕ ವಿವರಗಳು DocType: C-Form,Received Date,ಸ್ವೀಕರಿಸಲಾಗಿದೆ ದಿನಾಂಕ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","ನೀವು ಮಾರಾಟ ತೆರಿಗೆ ಮತ್ತು ಶುಲ್ಕಗಳು ಟೆಂಪ್ಲೇಟು ಮಾದರಿಯಲ್ಲಿ ಸೃಷ್ಟಿಸಿದ್ದರೆ, ಒಂದು ಆಯ್ಕೆ ಮತ್ತು ಕೆಳಗಿನ ಬಟನ್ ಮೇಲೆ ಕ್ಲಿಕ್ ಮಾಡಿ." DocType: BOM Scrap Item,Basic Amount (Company Currency),ಬೇಸಿಕ್ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ) @@ -3643,12 +3688,13 @@ DocType: BOM Website Operation,BOM Website Operation,ಬಿಒಎಮ್ ವೆ DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,ಪೂರೈಕೆದಾರ ಸ್ಕೋರ್ apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,ಪ್ರವೇಶವನ್ನು ನಿಗದಿಪಡಿಸಿ +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,ಒಟ್ಟು ಪಾವತಿ ವಿನಂತಿ ಮೊತ್ತವು {0} ಮೊತ್ತಕ್ಕಿಂತ ಹೆಚ್ಚಿರಬಾರದು DocType: Tax Withholding Rate,Cumulative Transaction Threshold,ಸಂಚಿತ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ತ್ರೆಶೋಲ್ಡ್ DocType: Promotional Scheme Price Discount,Discount Type,ರಿಯಾಯಿತಿ ಪ್ರಕಾರ -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,ಒಟ್ಟು ಸರಕುಪಟ್ಟಿ ಆಮ್ಟ್ DocType: Purchase Invoice Item,Is Free Item,ಉಚಿತ ಐಟಂ ಆಗಿದೆ +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,ಆದೇಶಿಸಿದ ಪ್ರಮಾಣಕ್ಕೆ ವಿರುದ್ಧವಾಗಿ ಹೆಚ್ಚಿನದನ್ನು ವರ್ಗಾಯಿಸಲು ನಿಮಗೆ ಅನುಮತಿಸಲಾಗಿದೆ. ಉದಾಹರಣೆಗೆ: ನೀವು 100 ಘಟಕಗಳನ್ನು ಆದೇಶಿಸಿದ್ದರೆ. ಮತ್ತು ನಿಮ್ಮ ಭತ್ಯೆ 10% ಆಗಿದ್ದರೆ 110 ಘಟಕಗಳನ್ನು ವರ್ಗಾಯಿಸಲು ನಿಮಗೆ ಅನುಮತಿ ಇದೆ. DocType: Supplier,Warn RFQs,ಎಚ್ಚರಿಕೆ RFQ ಗಳು -apps/erpnext/erpnext/templates/pages/home.html,Explore,ಅನ್ವೇಷಿಸಿ +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,ಅನ್ವೇಷಿಸಿ DocType: BOM,Conversion Rate,ಪರಿವರ್ತನೆ ದರ apps/erpnext/erpnext/www/all-products/index.html,Product Search,ಉತ್ಪನ್ನ ಹುಡುಕಾಟ ,Bank Remittance,ಬ್ಯಾಂಕ್ ರವಾನೆ @@ -3660,6 +3706,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,ಒಟ್ಟು ಮೊತ್ತ ಪಾವತಿಸಿದೆ DocType: Asset,Insurance End Date,ವಿಮಾ ಮುಕ್ತಾಯ ದಿನಾಂಕ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,ಪಾವತಿಸಿದ ವಿದ್ಯಾರ್ಥಿ ಅರ್ಜಿದಾರರಿಗೆ ಕಡ್ಡಾಯವಾಗಿ ವಿದ್ಯಾರ್ಥಿ ಪ್ರವೇಶವನ್ನು ಆಯ್ಕೆಮಾಡಿ +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,ಬಜೆಟ್ ಪಟ್ಟಿ DocType: Campaign,Campaign Schedules,ಪ್ರಚಾರದ ವೇಳಾಪಟ್ಟಿಗಳು DocType: Job Card Time Log,Completed Qty,ಪೂರ್ಣಗೊಂಡಿದೆ ಪ್ರಮಾಣ @@ -3682,6 +3729,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,ಹೊ DocType: Quality Inspection,Sample Size,ಸ್ಯಾಂಪಲ್ ಸೈಜ್ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,ದಯವಿಟ್ಟು ರಸೀತಿ ಡಾಕ್ಯುಮೆಂಟ್ ನಮೂದಿಸಿ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಈಗಾಗಲೇ ಸರಕುಪಟ್ಟಿ ಮಾಡಲಾಗಿದೆ +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,ತೆಗೆದುಕೊಂಡ ಎಲೆಗಳು apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',ಮಾನ್ಯ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು ' ಕೇಸ್ ನಂ ಗೆ . ' 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,ಮತ್ತಷ್ಟು ವೆಚ್ಚ ಕೇಂದ್ರಗಳು ಗುಂಪುಗಳು ಅಡಿಯಲ್ಲಿ ಮಾಡಬಹುದು ಆದರೆ ನಮೂದುಗಳನ್ನು ಅಲ್ಲದ ಗುಂಪುಗಳ ವಿರುದ್ಧ ಮಾಡಬಹುದು 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,ಒಟ್ಟು ನಿಯೋಜಿಸಲಾದ ಎಲೆಗಳು ಈ ಅವಧಿಯಲ್ಲಿ ಉದ್ಯೋಗಿ {1} ಗೆ {0} ರಜೆ ವಿಧದ ಗರಿಷ್ಠ ಹಂಚಿಕೆಗಿಂತ ಹೆಚ್ಚು ದಿನಗಳು @@ -3782,6 +3830,8 @@ 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: Call Log,Received By,ಇವರಿಂದ ಸ್ವೀಕರಿಸಲಾಗಿದೆ 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.,ಪ್ರತ್ಯೇಕ ಆದಾಯ ಟ್ರ್ಯಾಕ್ ಮತ್ತು ಉತ್ಪನ್ನ ಸಂಸ್ಥಾ ಅಥವಾ ವಿಭಾಗಗಳು ಖರ್ಚು. @@ -3835,6 +3885,7 @@ DocType: Support Search Source,Result Title Field,ಫಲಿತಾಂಶ ಶೀ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,ಕರೆ ಸಾರಾಂಶ DocType: Sample Collection,Collected Time,ಕಲೆಕ್ಟೆಡ್ ಟೈಮ್ DocType: Employee Skill Map,Employee Skills,ನೌಕರರ ಕೌಶಲ್ಯಗಳು +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,ಇಂಧನ ವೆಚ್ಚ DocType: Company,Sales Monthly History,ಮಾರಾಟದ ಮಾಸಿಕ ಇತಿಹಾಸ apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,ತೆರಿಗೆ ಮತ್ತು ಶುಲ್ಕ ಕೋಷ್ಟಕದಲ್ಲಿ ಕನಿಷ್ಠ ಒಂದು ಸಾಲಿನನ್ನಾದರೂ ಹೊಂದಿಸಿ DocType: Asset Maintenance Task,Next Due Date,ಮುಂದಿನ ದಿನಾಂಕ @@ -3868,11 +3919,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,ಉದ್ಯೋಗಿ ಸಂಬಳ ಸ್ಲಿಪ್ {0} ಈಗಾಗಲೇ ಈ ಅವಧಿಯಲ್ಲಿ ರಚಿಸಿದ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,ಔಷಧೀಯ apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,ಮಾನ್ಯವಾದ ಎನ್ಕಶ್ಮೆಂಟ್ ಮೊತ್ತಕ್ಕಾಗಿ ನೀವು ಲೀವ್ ಎನ್ಕ್ಯಾಶ್ಮೆಂಟ್ ಅನ್ನು ಮಾತ್ರ ಸಲ್ಲಿಸಬಹುದು +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,ಐಟಂಗಳು apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,ಖರೀದಿಸಿದ ವಸ್ತುಗಳ ವೆಚ್ಚ DocType: Employee Separation,Employee Separation Template,ಉದ್ಯೋಗಿ ಪ್ರತ್ಯೇಕಿಸುವಿಕೆ ಟೆಂಪ್ಲೇಟು DocType: Selling Settings,Sales Order Required,ಮಾರಾಟದ ಆದೇಶ ಅಗತ್ಯವಿರುವ apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,ಮಾರಾಟಗಾರರಾಗಿ -DocType: Shift Type,The number of occurrence after which the consequence is executed.,ಪರಿಣಾಮವನ್ನು ಕಾರ್ಯಗತಗೊಳಿಸಿದ ನಂತರ ಸಂಭವಿಸಿದ ಸಂಖ್ಯೆ. ,Procurement Tracker,ಖರೀದಿ ಟ್ರ್ಯಾಕರ್ DocType: Purchase Invoice,Credit To,ಕ್ರೆಡಿಟ್ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ಐಟಿಸಿ ರಿವರ್ಸ್ಡ್ @@ -3885,6 +3936,7 @@ DocType: Quality Meeting,Agenda,ಕಾರ್ಯಸೂಚಿ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ ವಿವರ DocType: Supplier Scorecard,Warn for new Purchase Orders,ಹೊಸ ಖರೀದಿಯ ಆದೇಶಗಳಿಗೆ ಎಚ್ಚರಿಕೆ ನೀಡಿ DocType: Quality Inspection Reading,Reading 9,9 ಓದುವಿಕೆ +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,ನಿಮ್ಮ ಎಕ್ಸೊಟೆಲ್ ಖಾತೆಯನ್ನು ERPNext ಗೆ ಸಂಪರ್ಕಪಡಿಸಿ ಮತ್ತು ಕರೆ ಲಾಗ್‌ಗಳನ್ನು ಟ್ರ್ಯಾಕ್ ಮಾಡಿ DocType: Supplier,Is Frozen,ಹೆಪ್ಪುಗಟ್ಟಿರುವ DocType: Tally Migration,Processed Files,ಸಂಸ್ಕರಿಸಿದ ಫೈಲ್‌ಗಳು apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,ಗ್ರೂಪ್ ನೋಡ್ ಗೋದಾಮಿನ ವ್ಯವಹಾರಗಳಿಗೆ ಆಯ್ಕೆ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ @@ -3893,6 +3945,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,ಯಾವುದೆ DocType: Upload Attendance,Attendance To Date,ದಿನಾಂಕ ಹಾಜರಿದ್ದ 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,ಸೂಚನೆಗಳು @@ -3917,7 +3970,6 @@ DocType: Room,Room Number,ಕೋಣೆ ಸಂಖ್ಯೆ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,ವಿನಂತಿ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},ಅಮಾನ್ಯವಾದ ಉಲ್ಲೇಖ {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,ವಿಭಿನ್ನ ಪ್ರಚಾರ ಯೋಜನೆಗಳನ್ನು ಅನ್ವಯಿಸುವ ನಿಯಮಗಳು. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ಯೋಜನೆ quanitity ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ ({2}) ಉತ್ಪಾದನೆಯಲ್ಲಿನ ಆರ್ಡರ್ {3} DocType: Shipping Rule,Shipping Rule Label,ಶಿಪ್ಪಿಂಗ್ ಲೇಬಲ್ ರೂಲ್ DocType: Journal Entry Account,Payroll Entry,ವೇತನದಾರರ ನಮೂದು apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,ಫೀಸ್ ರೆಕಾರ್ಡ್ಸ್ ವೀಕ್ಷಿಸಿ @@ -3929,6 +3981,7 @@ DocType: Contract,Fulfilment Status,ಪೂರೈಸುವ ಸ್ಥಿತಿ DocType: Lab Test Sample,Lab Test Sample,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಮಾದರಿ DocType: Item Variant Settings,Allow Rename Attribute Value,ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯವನ್ನು ಮರುಹೆಸರಿಸಲು ಅನುಮತಿಸಿ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,ತ್ವರಿತ ಜರ್ನಲ್ ಎಂಟ್ರಿ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,ಭವಿಷ್ಯದ ಪಾವತಿ ಮೊತ್ತ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,BOM ಯಾವುದೇ ಐಟಂ agianst ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ ವೇಳೆ ನೀವು ದರ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Restaurant,Invoice Series Prefix,ಸರಕುಪಟ್ಟಿ ಪೂರ್ವಪ್ರತ್ಯಯ DocType: Employee,Previous Work Experience,ಹಿಂದಿನ ಅನುಭವ @@ -3958,6 +4011,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,ಸ್ಥಿತಿ DocType: UOM,Check this to disallow fractions. (for Nos),ಭಿನ್ನರಾಶಿಗಳನ್ನು ಅವಕಾಶ ಈ ಪರಿಶೀಲಿಸಿ . ( ಸೂಲ ಫಾರ್ ) DocType: Student Admission Program,Naming Series (for Student Applicant),ಸರಣಿ ಹೆಸರಿಸುವ (ವಿದ್ಯಾರ್ಥಿ ಅರ್ಜಿದಾರರಿಂದ) +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/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,ಪ್ರಾಕ್ಟೀಷನರ್ ಸರ್ವೀಸ್ ಯುನಿಟ್ ವೇಳಾಪಟ್ಟಿ @@ -3973,6 +4027,7 @@ DocType: Fiscal Year,Year End Date,ವರ್ಷಾಂತ್ಯದ ದಿನಾ 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} ಮುಚ್ಚಲ್ಪಟ್ಟಿದೆ @@ -3981,6 +4036,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,ಪ್ರಸ್ತುತ ಸ್ಟಾಕ್ ಪಡೆಯಿರಿ DocType: Purchase Invoice,ineligible,ಅನರ್ಹ apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ವಸ್ತುಗಳ ಬಿಲ್ ಟ್ರೀ +DocType: BOM,Exploded Items,ಸ್ಫೋಟಗೊಂಡ ವಸ್ತುಗಳು DocType: Student,Joining Date,ಸೇರುವ ದಿನಾಂಕ ,Employees working on a holiday,ಒಂದು ರಜಾ ಕೆಲಸ ನೌಕರರು ,TDS Computation Summary,ಟಿಡಿಎಸ್ ಕಂಪ್ಯೂಟೇಶನ್ ಸಾರಾಂಶ @@ -4013,6 +4069,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),ಮೂಲ ದರದ ( DocType: SMS Log,No of Requested SMS,ವಿನಂತಿಸಲಾಗಿದೆ SMS ನ ನಂ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ರಜೆ ಅನುಮೋದನೆ ಅಪ್ಲಿಕೇಶನ್ ದಾಖಲೆಗಳು ಹೊಂದುವುದಿಲ್ಲ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,ಮುಂದಿನ ಕ್ರಮಗಳು +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,ಉಳಿಸಿದ ವಸ್ತುಗಳು DocType: Travel Request,Domestic,ಗೃಹಬಳಕೆಯ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,ದಯವಿಟ್ಟು ಸಾಧ್ಯವಾದಷ್ಟು ದರಗಳಲ್ಲಿ ನಿರ್ದಿಷ್ಟಪಡಿಸಿದ ಐಟಂಗಳನ್ನು ಸರಬರಾಜು apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,ವರ್ಗಾವಣೆ ದಿನಾಂಕದ ಮೊದಲು ಉದ್ಯೋಗಿ ವರ್ಗಾವಣೆ ಸಲ್ಲಿಸಲಾಗುವುದಿಲ್ಲ @@ -4085,7 +4142,7 @@ 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,ಆಸ್ತಿ ವರ್ಗ ಖಾತೆ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,ಸಾಲು # {0} (ಪಾವತಿ ಪಟ್ಟಿ): ಪ್ರಮಾಣ ಧನಾತ್ಮಕವಾಗಿರಬೇಕು -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},ಹೆಚ್ಚು ಐಟಂ ಉತ್ಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ {0} ಹೆಚ್ಚು ಮಾರಾಟದ ಆರ್ಡರ್ ಪ್ರಮಾಣ {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},ಹೆಚ್ಚು ಐಟಂ ಉತ್ಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ {0} ಹೆಚ್ಚು ಮಾರಾಟದ ಆರ್ಡರ್ ಪ್ರಮಾಣ {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,ಒಟ್ಟಾರೆಯಾಗಿ ಯಾವುದನ್ನೂ ಸೇರಿಸಲಾಗಿಲ್ಲ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,ಈ ಡಾಕ್ಯುಮೆಂಟ್‌ಗಾಗಿ ಇ-ವೇ ಬಿಲ್ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ @@ -4120,12 +4177,10 @@ 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,ಸೆಟಪ್ ಕಂಪನಿ -DocType: Shift Type,Enable Different Consequence for Early Exit,ಆರಂಭಿಕ ನಿರ್ಗಮನಕ್ಕಾಗಿ ವಿಭಿನ್ನ ಪರಿಣಾಮಗಳನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿ ,Lab Test Report,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ವರದಿ DocType: Employee Benefit Application,Employee Benefit Application,ಉದ್ಯೋಗಿ ಲಾಭದ ಅಪ್ಲಿಕೇಶನ್ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,ಹೆಚ್ಚುವರಿ ಸಂಬಳ ಘಟಕ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. DocType: Purchase Invoice,Unregistered,ನೋಂದಾಯಿಸದ -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,ದಯವಿಟ್ಟು ಡೆಲಿವರಿ ಗಮನಿಸಿ ಮೊದಲ DocType: Student Applicant,Application Date,ಅಪ್ಲಿಕೇಶನ್ ದಿನಾಂಕ DocType: Salary Component,Amount based on formula,ಪ್ರಮಾಣ ಸೂತ್ರವನ್ನು ಆಧರಿಸಿ DocType: Purchase Invoice,Currency and Price List,ಕರೆನ್ಸಿ ಮತ್ತು ಬೆಲೆ ಪಟ್ಟಿ @@ -4154,6 +4209,7 @@ DocType: Purchase Receipt,Time at which materials were received,ವಸ್ತು DocType: Products Settings,Products per Page,ಪ್ರತಿ ಪುಟಕ್ಕೆ ಉತ್ಪನ್ನಗಳು 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,ಬಿಲ್ಲಿಂಗ್ ದಿನಾಂಕ apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,ನಿಗದಿಪಡಿಸಿದ ಮೊತ್ತವು .ಣಾತ್ಮಕವಾಗಿರಬಾರದು DocType: Sales Order,Billing Status,ಬಿಲ್ಲಿಂಗ್ ಸ್ಥಿತಿ apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ಸಮಸ್ಯೆಯನ್ನು ವರದಿಮಾಡಿ @@ -4169,6 +4225,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},ಸಾಲು {0}: ಆಸ್ತಿ ಐಟಂಗಾಗಿ ಸ್ಥಳವನ್ನು ನಮೂದಿಸಿ {1} DocType: Employee Checkin,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.","ಇತ್ಯಾದಿ ಕಂಪನಿ, ಕರೆನ್ಸಿ , ಪ್ರಸಕ್ತ ಆರ್ಥಿಕ ವರ್ಷದ , ಹಾಗೆ ಹೊಂದಿಸಿ ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯಗಳು" DocType: Payment Entry,Payment Type,ಪಾವತಿ ಪ್ರಕಾರ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ಐಟಂ ಒಂದು ಬ್ಯಾಚ್ ಆಯ್ಕೆಮಾಡಿ {0}. ಈ ಅವಶ್ಯಕತೆಯನ್ನು ಪೂರೈಸುವ ಒಂದು ಬ್ಯಾಚ್ ಸಿಗಲಿಲ್ಲವಾದ್ದರಿಂದ @@ -4197,6 +4254,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,ಶಾಪಿಂಗ್ ಕ DocType: Journal Entry,Accounting Entries,ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳು 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.","'ರೇಟ್' ಗಾಗಿ ಬೆಲೆ ನಿಗದಿಪಡಿಸಿದರೆ ಅದು ಬೆಲೆ ಪಟ್ಟಿ ಅನ್ನು ಬದಲಿಸಿರುತ್ತದೆ. ಬೆಲೆ ದರ ದರವು ಅಂತಿಮ ದರವಾಗಿರುತ್ತದೆ, ಆದ್ದರಿಂದ ಯಾವುದೇ ರಿಯಾಯಿತಿಗಳನ್ನು ಅನ್ವಯಿಸಬಾರದು. ಆದ್ದರಿಂದ, ಸೇಲ್ಸ್ ಆರ್ಡರ್, ಕೊಳ್ಳುವ ಆದೇಶ ಮುಂತಾದ ವಹಿವಾಟುಗಳಲ್ಲಿ 'ಬೆಲೆ ಪಟ್ಟಿ ದರ' ಕ್ಷೇತ್ರಕ್ಕಿಂತ ಹೆಚ್ಚಾಗಿ 'ದರ' ಕ್ಷೇತ್ರದಲ್ಲಿ ಅದನ್ನು ತರಲಾಗುತ್ತದೆ." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ಶಿಕ್ಷಣ> ಶಿಕ್ಷಣ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ಬೋಧಕ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ದಯವಿಟ್ಟು ಹೊಂದಿಸಿ DocType: Journal Entry,Paid Loan,ಪಾವತಿಸಿದ ಸಾಲ 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,ಉಲ್ಲೇಖ ದಿನಾಂಕ ಕಾರಣ @@ -4213,12 +4271,14 @@ DocType: Shopify Settings,Webhooks Details,ವೆಬ್ಹೂಕ್ಸ್ ವಿ apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,ಯಾವುದೇ ಸಮಯ ಹಾಳೆಗಳನ್ನು DocType: GoCardless Mandate,GoCardless Customer,ಗೋಕಾರ್ಡ್ಲೆಸ್ ಗ್ರಾಹಕ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} ಸಾಗಿಸುವ-ಫಾರ್ವರ್ಡ್ ಸಾಧ್ಯವಿಲ್ಲ ಕೌಟುಂಬಿಕತೆ ಬಿಡಿ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗುಂಪು> ಬ್ರಾಂಡ್ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಉತ್ಪತ್ತಿಯಾಗುವುದಿಲ್ಲ. ವೇಳಾಪಟ್ಟಿ ' ' ರಚಿಸಿ 'ಅನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ ,To Produce,ಉತ್ಪಾದಿಸಲು DocType: Leave Encashment,Payroll,ವೇತನದಾರರ 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} ಸಹ ಸೇರಿಸಲೇಬೇಕು" DocType: Healthcare Service Unit,Parent Service Unit,ಪೋಷಕ ಸೇವಾ ಘಟಕ DocType: Packing Slip,Identification of the package for the delivery (for print),( ಮುದ್ರಣ ) ವಿತರಣಾ ಪ್ಯಾಕೇಜ್ ಗುರುತಿನ +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,ಸೇವಾ ಮಟ್ಟದ ಒಪ್ಪಂದವನ್ನು ಮರುಹೊಂದಿಸಲಾಗಿದೆ. DocType: Bin,Reserved Quantity,ರಿಸರ್ವ್ಡ್ ಪ್ರಮಾಣ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,ದಯವಿಟ್ಟು ಮಾನ್ಯವಾದ ಇಮೇಲ್ ವಿಳಾಸವನ್ನು ನಮೂದಿಸಿ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,ದಯವಿಟ್ಟು ಮಾನ್ಯವಾದ ಇಮೇಲ್ ವಿಳಾಸವನ್ನು ನಮೂದಿಸಿ @@ -4240,7 +4300,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,ಬೆಲೆ ಅಥವಾ ಉತ್ಪನ್ನ ರಿಯಾಯಿತಿ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,ಸಾಲು {0}: ಯೋಜಿತ qty ಯನ್ನು ನಮೂದಿಸಿ DocType: Account,Income Account,ಆದಾಯ ಖಾತೆ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕ ಗುಂಪು> ಪ್ರದೇಶ DocType: Payment Request,Amount in customer's currency,ಗ್ರಾಹಕರ ಕರೆನ್ಸಿ ಪ್ರಮಾಣ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,ಡೆಲಿವರಿ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,ರಚನೆಗಳನ್ನು ನಿಯೋಜಿಸುವುದು ... @@ -4263,6 +4322,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,ತೀರ್ಪುಗಾರ 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?,ನೀವು ಹಿಂದೆ ರಚಿಸಿದ ಇನ್ವಾಯ್ಸ್ಗಳ ದಾಖಲೆಗಳನ್ನು ಕಳೆದುಕೊಳ್ಳುತ್ತೀರಿ. ಈ ಚಂದಾದಾರಿಕೆಯನ್ನು ಮರುಪ್ರಾರಂಭಿಸಲು ನೀವು ಖಚಿತವಾಗಿ ಬಯಸುವಿರಾ? @@ -4317,11 +4377,10 @@ DocType: Additional Salary,HR User,ಮಾನವ ಸಂಪನ್ಮೂಲ ಬಳ DocType: Bank Guarantee,Reference Document Name,ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಹೆಸರು DocType: Purchase Invoice,Taxes and Charges Deducted,ಕಡಿತಗೊಳಿಸಲಾಗುತ್ತದೆ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು DocType: Support Settings,Issues,ತೊಂದರೆಗಳು -DocType: Shift Type,Early Exit Consequence after,ಆರಂಭಿಕ ನಿರ್ಗಮನ ಪರಿಣಾಮ DocType: Loyalty Program,Loyalty Program Name,ಲಾಯಲ್ಟಿ ಪ್ರೋಗ್ರಾಂ ಹೆಸರು apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},ಸ್ಥಿತಿ ಒಂದು ಇರಬೇಕು {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,GSTIN ಕಳುಹಿಸಿದ ನವೀಕರಿಸಲು ಜ್ಞಾಪನೆ -DocType: Sales Invoice,Debit To,ಡೆಬಿಟ್ +DocType: Discounted Invoice,Debit To,ಡೆಬಿಟ್ DocType: Restaurant Menu Item,Restaurant Menu Item,ರೆಸ್ಟೋರೆಂಟ್ ಮೆನು ಐಟಂ DocType: Delivery Note,Required only for sample item.,ಕೇವಲ ಮಾದರಿ ಐಟಂ ಅಗತ್ಯವಿದೆ . DocType: Stock Ledger Entry,Actual Qty After Transaction,ವ್ಯವಹಾರದ ನಂತರ ನಿಜವಾದ ಪ್ರಮಾಣ @@ -4404,6 +4463,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,ನಿಯತಾಂ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,ಮಾತ್ರ ಸ್ಥಿತಿಯನ್ನು ಅನ್ವಯಗಳಲ್ಲಿ ಬಿಡಿ 'ಅಂಗೀಕಾರವಾದ' ಮತ್ತು 'ತಿರಸ್ಕರಿಸಲಾಗಿದೆ' ಸಲ್ಲಿಸಿದ ಮಾಡಬಹುದು apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,ಆಯಾಮಗಳನ್ನು ರಚಿಸಲಾಗುತ್ತಿದೆ ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಹೆಸರು ಸತತವಾಗಿ ಕಡ್ಡಾಯ {0} +DocType: Customer Credit Limit,Bypass credit limit_check,ಬೈಪಾಸ್ ಕ್ರೆಡಿಟ್ ಮಿತಿ_ ಪರಿಶೀಲನೆ DocType: Homepage,Products to be shown on website homepage,ಉತ್ಪನ್ನಗಳು ವೆಬ್ಸೈಟ್ ಮುಖಪುಟದಲ್ಲಿ ತೋರಿಸಲಾಗುತ್ತದೆ DocType: HR Settings,Password Policy,ಪಾಸ್ವರ್ಡ್ ನೀತಿ apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,ಈ ಗ್ರಾಹಕ ಗುಂಪಿನ ಮೂಲ ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ . @@ -4463,10 +4523,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),ವ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,ದಯವಿಟ್ಟು ರೆಸ್ಟೋರೆಂಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಗ್ರಾಹಕರನ್ನು ಹೊಂದಿಸಿ ,Salary Register,ಸಂಬಳ ನೋಂದಣಿ DocType: Company,Default warehouse for Sales Return,ಮಾರಾಟ ರಿಟರ್ನ್‌ಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಗೋದಾಮು -DocType: Warehouse,Parent Warehouse,ಪೋಷಕ ವೇರ್ಹೌಸ್ +DocType: Pick List,Parent Warehouse,ಪೋಷಕ ವೇರ್ಹೌಸ್ DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},ಡೀಫಾಲ್ಟ್ ಬಿಒಎಮ್ ಐಟಂ ಕಂಡುಬಂದಿಲ್ಲ {0} ಮತ್ತು ಪ್ರಾಜೆಕ್ಟ್ {1} +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}: ದಯವಿಟ್ಟು ಪಾವತಿ ವೇಳಾಪಟ್ಟಿಯಲ್ಲಿ ಪಾವತಿ ಮೋಡ್ ಅನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/config/non_profit.py,Define various loan types,ವಿವಿಧ ಸಾಲ ರೀತಿಯ ವಿವರಿಸಿ DocType: Bin,FCFS Rate,FCFS ದರ @@ -4503,6 +4563,7 @@ DocType: Travel Itinerary,Lodging Required,ವಸತಿ ಅಗತ್ಯವಿದ DocType: Promotional Scheme,Price Discount Slabs,ಬೆಲೆ ರಿಯಾಯಿತಿ ಚಪ್ಪಡಿಗಳು DocType: Stock Reconciliation Item,Current Serial No,ಪ್ರಸ್ತುತ ಸರಣಿ ಸಂಖ್ಯೆ DocType: Employee,Attendance and Leave Details,ಹಾಜರಾತಿ ಮತ್ತು ವಿವರಗಳನ್ನು ಬಿಡಿ +,BOM Comparison Tool,BOM ಹೋಲಿಕೆ ಸಾಧನ ,Requested,ವಿನಂತಿಸಲಾಗಿದೆ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,ಯಾವುದೇ ಟೀಕೆಗಳನ್ನು DocType: Asset,In Maintenance,ನಿರ್ವಹಣೆ @@ -4524,6 +4585,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Include UOM,UOM apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Material Request No,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ನಂ DocType: Service Level Agreement,Default Service Level Agreement,ಡೀಫಾಲ್ಟ್ ಸೇವಾ ಮಟ್ಟದ ಒಪ್ಪಂದ DocType: SG Creation Tool Course,Course Code,ಕೋರ್ಸ್ ಕೋಡ್ +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,ಮುಗಿದ ಸರಕುಗಳ ವಸ್ತುವಿನ ಆಧಾರದ ಮೇಲೆ ಕಚ್ಚಾ ವಸ್ತುಗಳ ಪ್ರಮಾಣವನ್ನು ನಿರ್ಧರಿಸಲಾಗುತ್ತದೆ DocType: Location,Parent Location,ಪೋಷಕ ಸ್ಥಳ DocType: POS Settings,Use POS in Offline Mode,ಆಫ್ಲೈನ್ ಮೋಡ್ನಲ್ಲಿ ಪಿಓಎಸ್ ಬಳಸಿ apps/erpnext/erpnext/accounts/page/pos/pos.js,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} ಕಡ್ಡಾಯವಾಗಿದೆ. ಬಹುಶಃ {1} ಗೆ {2} ಗೆ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆಯನ್ನು ರಚಿಸಲಾಗಿಲ್ಲ @@ -4541,7 +4603,7 @@ DocType: Stock Settings,Sample Retention Warehouse,ಮಾದರಿ ಧಾರಣ DocType: Company,Default Receivable Account,ಡೀಫಾಲ್ಟ್ ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,ಯೋಜಿತ ಪ್ರಮಾಣ ಸೂತ್ರ DocType: Sales Invoice,Deemed Export,ಸ್ವಾಮ್ಯದ ರಫ್ತು -DocType: Stock Entry,Material Transfer for Manufacture,ತಯಾರಿಕೆಗೆ ವಸ್ತು ವರ್ಗಾವಣೆ +DocType: Pick List,Material Transfer for Manufacture,ತಯಾರಿಕೆಗೆ ವಸ್ತು ವರ್ಗಾವಣೆ 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.,ರಿಯಾಯಿತಿ ಶೇಕಡಾವಾರು ಬೆಲೆ ಪಟ್ಟಿ ವಿರುದ್ಧ ಅಥವಾ ಎಲ್ಲಾ ಬೆಲೆ ಪಟ್ಟಿ ಎರಡೂ ಅನ್ವಯಿಸಬಹುದು. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,ಸ್ಟಾಕ್ ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ DocType: Lab Test,LabTest Approver,ಲ್ಯಾಬ್ಟೆಸ್ಟ್ ಅಪ್ರೋವರ್ @@ -4583,7 +4645,6 @@ DocType: Training Event,Theory,ಥಿಯರಿ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,ಎಚ್ಚರಿಕೆ : ಪ್ರಮಾಣ ವಿನಂತಿಸಿದ ವಸ್ತು ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ ಕಡಿಮೆ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,ಖಾತೆ {0} ಹೆಪ್ಪುಗಟ್ಟಿರುವ DocType: Quiz Question,Quiz Question,ರಸಪ್ರಶ್ನೆ ಪ್ರಶ್ನೆ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಪೂರೈಕೆದಾರ ಪ್ರಕಾರ 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","ಆಹಾರ , ಪಾನೀಯ ಮತ್ತು ತಂಬಾಕು" @@ -4612,6 +4673,7 @@ 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,ಪ್ರಕಟಿತ ವಸ್ತುಗಳು DocType: Account,Expense Account,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,ತಂತ್ರಾಂಶ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,ಬಣ್ಣದ @@ -4650,6 +4712,7 @@ 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,ಎಲ್ಲಾ ಬ್ಯಾಂಕ್ ವಹಿವಾಟುಗಳನ್ನು ರಚಿಸಲಾಗಿದೆ DocType: Fee Validity,Visited yet,ಇನ್ನೂ ಭೇಟಿ ನೀಡಲಾಗಿದೆ +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,ನೀವು 8 ಐಟಂಗಳವರೆಗೆ ವೈಶಿಷ್ಟ್ಯಗೊಳಿಸಬಹುದು. 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.,ಮಾರಾಟದ ವಹಿವಾಟುಗಳನ್ನು ಆಧರಿಸಿ ಎಷ್ಟು ಬಾರಿ ಯೋಜನೆ ಮತ್ತು ಕಂಪನಿ ನವೀಕರಿಸಬೇಕು. @@ -4657,7 +4720,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,ಶೇಖರಣಾ ತಾಪಮಾನ @@ -4682,7 +4744,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,ಗಂಟೆಗಳ DocType: Contract,Signee Details,Signee ವಿವರಗಳು apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} ಪ್ರಸ್ತುತ ಒಂದು {1} ಪೂರೈಕೆದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಸ್ಟ್ಯಾಂಡಿಂಗ್ ಅನ್ನು ಹೊಂದಿದೆ, ಮತ್ತು ಈ ಸರಬರಾಜುದಾರರಿಗೆ RFQ ಗಳನ್ನು ಎಚ್ಚರಿಕೆಯಿಂದ ನೀಡಬೇಕು." DocType: Certified Consultant,Non Profit Manager,ಲಾಭರಹಿತ ಮ್ಯಾನೇಜರ್ -DocType: BOM,Total Cost(Company Currency),ಒಟ್ಟು ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ದಾಖಲಿಸಿದವರು DocType: Homepage,Company Description for website homepage,ವೆಬ್ಸೈಟ್ ಮುಖಪುಟಕ್ಕೆ ಕಂಪನಿ ವಿವರಣೆ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ಗ್ರಾಹಕರ ಅನುಕೂಲಕ್ಕಾಗಿ, ಪ್ರಬಂಧ ಸಂಕೇತಗಳು ಇನ್ವಾಯ್ಸ್ ಮತ್ತು ಡೆಲಿವರಿ ಟಿಪ್ಪಣಿಗಳು ರೀತಿಯ ಮುದ್ರಣ ಸ್ವರೂಪಗಳು ಬಳಸಬಹುದು" @@ -4711,7 +4772,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,ಖರಿ DocType: Amazon MWS Settings,Enable Scheduled Synch,ಪರಿಶಿಷ್ಟ ಸಿಂಕ್ ಸಕ್ರಿಯಗೊಳಿಸಿ apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Datetime ಗೆ apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,SMS ಡೆಲಿವರಿ ಸ್ಥಾನಮಾನ ಕಾಯ್ದುಕೊಳ್ಳುವುದು ದಾಖಲೆಗಳು -DocType: Shift Type,Early Exit Consequence,ಆರಂಭಿಕ ನಿರ್ಗಮನ ಪರಿಣಾಮ DocType: Accounts Settings,Make Payment via Journal Entry,ಜರ್ನಲ್ ಎಂಟ್ರಿ ಮೂಲಕ ಪಾವತಿ ಮಾಡಲು apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,ದಯವಿಟ್ಟು ಒಂದು ಸಮಯದಲ್ಲಿ 500 ಕ್ಕೂ ಹೆಚ್ಚು ವಸ್ತುಗಳನ್ನು ರಚಿಸಬೇಡಿ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,ಮುದ್ರಿಸಲಾಗಿತ್ತು @@ -4767,6 +4827,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,ಮಿತಿ 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,ಸೀಕ್ರೆಟ್ +DocType: Plaid Settings,Plaid Secret,ಪ್ಲೈಡ್ ಸೀಕ್ರೆಟ್ DocType: Company,Date of Establishment,ಸ್ಥಾಪನೆಯ ದಿನಾಂಕ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,ಸಾಹಸೋದ್ಯಮ ಬಂಡವಾಳ apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,ಈ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ ಶೈಕ್ಷಣಿಕ ಪದವನ್ನು {0} ಮತ್ತು 'ಟರ್ಮ್ ಹೆಸರು' {1} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. ದಯವಿಟ್ಟು ಈ ನಮೂದುಗಳನ್ನು ಮಾರ್ಪಡಿಸಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ. @@ -4828,6 +4889,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,ಗ್ರಾಹಕ ಪ್ರಕಾರ DocType: Compensatory Leave Request,Leave Allocation,ಅಲೋಕೇಶನ್ ಬಿಡಿ DocType: Payment Request,Recipient Message And Payment Details,ಸ್ವೀಕರಿಸುವವರ ಸಂದೇಶ ಮತ್ತು ಪಾವತಿ ವಿವರಗಳು +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,ದಯವಿಟ್ಟು ವಿತರಣಾ ಟಿಪ್ಪಣಿ ಆಯ್ಕೆಮಾಡಿ DocType: Support Search Source,Source DocType,ಮೂಲ ಡಾಕ್ಟೈಪ್ apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,ಹೊಸ ಟಿಕೆಟ್ ತೆರೆಯಿರಿ DocType: Training Event,Trainer Email,ತರಬೇತುದಾರ ಇಮೇಲ್ @@ -4948,6 +5010,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,ಫಾರ್ವರ್ಡ್ ಎಲೆಗಳು ಕ್ಯಾರಿ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"ಇಂದ ದಿನಾಂಕ, ಗೆ ದಿನಾಂಕದ ಆಮೇಲೆ ಬರಬೇಕು" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,ಈ ಸ್ಥಾನೀಕರಣಕ್ಕಾಗಿ ಯಾವುದೇ ಸಿಬ್ಬಂದಿ ಯೋಜನೆಗಳು ಕಂಡುಬಂದಿಲ್ಲ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,ಐಟಂ {1} ದ ಬ್ಯಾಚ್ {0} ಅನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ. @@ -4969,7 +5032,7 @@ DocType: Clinical Procedure,Patient,ರೋಗಿಯ apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,ಮಾರಾಟದ ಆರ್ಡರ್ನಲ್ಲಿ ಕ್ರೆಡಿಟ್ ಚೆಕ್ ಬೈಪಾಸ್ DocType: Employee Onboarding Activity,Employee Onboarding Activity,ಉದ್ಯೋಗಿ ಆನ್ಬೋರ್ಡಿಂಗ್ ಚಟುವಟಿಕೆ DocType: Location,Check if it is a hydroponic unit,ಅದು ಜಲಕೃಷಿಯ ಘಟಕವಾಗಿದೆಯೇ ಎಂದು ಪರಿಶೀಲಿಸಿ -DocType: Stock Reconciliation Item,Serial No and Batch,ಸೀರಿಯಲ್ ಯಾವುದೇ ಮತ್ತು ಬ್ಯಾಚ್ +DocType: Pick List Item,Serial No and Batch,ಸೀರಿಯಲ್ ಯಾವುದೇ ಮತ್ತು ಬ್ಯಾಚ್ DocType: Warranty Claim,From Company,ಕಂಪನಿ DocType: GSTR 3B Report,January,ಜನವರಿ apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,ಅಸೆಸ್ಮೆಂಟ್ ಕ್ರೈಟೀರಿಯಾ ಅಂಕಗಳು ಮೊತ್ತ {0} ಎಂದು ಅಗತ್ಯವಿದೆ. @@ -4994,7 +5057,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ಇಂಟರ್ ಕಂಪೆನಿ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ಗೆ ಯಾವುದೇ {0} ಕಂಡುಬಂದಿಲ್ಲ. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,ಕ್ರೆಡಿಟ್_ನೋಟ್_ಅಮ್ಟ್ DocType: Travel Itinerary,Rented Car,ಬಾಡಿಗೆ ಕಾರು apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ನಿಮ್ಮ ಕಂಪನಿ ಬಗ್ಗೆ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಕ್ರೆಡಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು @@ -5026,6 +5088,7 @@ apps/erpnext/erpnext/config/accounting.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,ಸಿಆರ್ಎಂ 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,ಎನ್ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,ಉಳಿದ DocType: Appraisal,Appraisal,ಬೆಲೆಕಟ್ಟುವಿಕೆ @@ -5093,6 +5156,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ಪ್ಯಾಕೇಜ್ ಒಟ್ಟಾರೆ ತೂಕದ . ಸಾಮಾನ್ಯವಾಗಿ ನಿವ್ವಳ ತೂಕ + ಪ್ಯಾಕೇಜಿಂಗ್ ವಸ್ತುಗಳ ತೂಕ . ( ಮುದ್ರಣ ) DocType: Assessment Plan,Program,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ಈ ಪಾತ್ರವನ್ನು ಬಳಕೆದಾರರು ಹೆಪ್ಪುಗಟ್ಟಿದ ಖಾತೆಗಳ ವಿರುದ್ಧ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಮಾರ್ಪಡಿಸಲು / ಹೆಪ್ಪುಗಟ್ಟಿದ ಖಾತೆಗಳನ್ನು ಸೆಟ್ ಮತ್ತು ರಚಿಸಲು ಅವಕಾಶ +DocType: Plaid Settings,Plaid Environment,ಪ್ಲೈಡ್ ಪರಿಸರ ,Project Billing Summary,ಪ್ರಾಜೆಕ್ಟ್ ಬಿಲ್ಲಿಂಗ್ ಸಾರಾಂಶ DocType: Vital Signs,Cuts,ಕಡಿತ DocType: Serial No,Is Cancelled,ರದ್ದುಗೊಳಿಸಲಾಗಿದೆ ಇದೆ @@ -5154,7 +5218,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ಗಮನಿಸಿ : ಸಿಸ್ಟಮ್ ಐಟಂ ಡೆಲಿವರಿ ಮೇಲೆ ಮತ್ತು ಅತಿ ಬುಕಿಂಗ್ ಪರೀಕ್ಷಿಸುವುದಿಲ್ಲ {0} ಪ್ರಮಾಣ ಅಥವಾ ಪ್ರಮಾಣದ 0 DocType: Issue,Opening Date,ದಿನಾಂಕ ತೆರೆಯುವ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,ದಯವಿಟ್ಟು ಮೊದಲು ರೋಗಿಯನ್ನು ಉಳಿಸಿ -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,ಹೊಸ ಸಂಪರ್ಕವನ್ನು ಮಾಡಿ apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,ಅಟೆಂಡೆನ್ಸ್ ಯಶಸ್ವಿಯಾಗಿ ಗುರುತಿಸಲಾಗಿದೆ. DocType: Program Enrollment,Public Transport,ಸಾರ್ವಜನಿಕ ಸಾರಿಗೆ DocType: Sales Invoice,GST Vehicle Type,ಜಿಎಸ್ಟಿ ವಾಹನ ಪ್ರಕಾರ @@ -5181,6 +5244,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,ಪೂರ DocType: POS Profile,Write Off Account,ಖಾತೆ ಆಫ್ ಬರೆಯಿರಿ DocType: Patient Appointment,Get prescribed procedures,ನಿಗದಿತ ಕಾರ್ಯವಿಧಾನಗಳನ್ನು ಪಡೆಯಿರಿ DocType: Sales Invoice,Redemption Account,ರಿಡೆಂಪ್ಶನ್ ಖಾತೆ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,ಐಟಂ ಸ್ಥಳಗಳ ಕೋಷ್ಟಕದಲ್ಲಿ ಮೊದಲು ವಸ್ತುಗಳನ್ನು ಸೇರಿಸಿ DocType: Pricing Rule,Discount Amount,ರಿಯಾಯಿತಿ ಪ್ರಮಾಣ DocType: Pricing Rule,Period Settings,ಅವಧಿ ಸೆಟ್ಟಿಂಗ್‌ಗಳು DocType: Purchase Invoice,Return Against Purchase Invoice,ವಿರುದ್ಧ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಹಿಂತಿರುಗಿ @@ -5212,7 +5276,6 @@ DocType: Assessment Plan,Assessment Plan,ಅಸೆಸ್ಮೆಂಟ್ ಯೆ DocType: Travel Request,Fully Sponsored,ಸಂಪೂರ್ಣವಾಗಿ ಪ್ರಾಯೋಜಿತ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,ರಿವರ್ಸ್ ಜರ್ನಲ್ ಎಂಟ್ರಿ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,ಜಾಬ್ ಕಾರ್ಡ್ ರಚಿಸಿ -DocType: Shift Type,Consequence after,ನಂತರದ ಪರಿಣಾಮ DocType: Quality Procedure Process,Process Description,ಪ್ರಕ್ರಿಯೆಯ ವಿವರಣೆ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ಗ್ರಾಹಕ {0} ರಚಿಸಲಾಗಿದೆ. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,ಪ್ರಸ್ತುತ ಯಾವುದೇ ವೇರಾಹೌಸ್‌ನಲ್ಲಿ ಸ್ಟಾಕ್ ಲಭ್ಯವಿಲ್ಲ @@ -5246,6 +5309,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,ಕ್ಲಿಯರೆನ್ DocType: Delivery Settings,Dispatch Notification Template,ಅಧಿಸೂಚನೆ ಟೆಂಪ್ಲೇಟು ರವಾನಿಸು apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,ಅಸೆಸ್ಮೆಂಟ್ ವರದಿ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,ನೌಕರರನ್ನು ಪಡೆಯಿರಿ +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 ವಿಳಾಸ @@ -5371,7 +5435,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಮಾರಾಟಗಾರ ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ . DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ಆಯ್ಕೆ, ಈ ಘಟಕವನ್ನು ನಿರ್ದಿಷ್ಟಪಡಿಸಿದ ಅಥವಾ ಲೆಕ್ಕಾಚಾರ ಮೌಲ್ಯವನ್ನು ಗಳಿಕೆಗಳು ಅಥವಾ ತೀರ್ಮಾನಗಳನ್ನು ಕೊಡುಗೆ ಮಾಡುವುದಿಲ್ಲ. ಆದಾಗ್ಯೂ, ಇದು ಮೌಲ್ಯವನ್ನು ಸೇರಿಸಲಾಗಿದೆ ಅಥವಾ ಕಡಿತಗೊಳಿಸಲಾಗುತ್ತದೆ ಇತರ ಭಾಗಗಳನ್ನು ಉಲ್ಲೇಖಿಸಲಾಗುತ್ತದೆ ಇಲ್ಲಿದೆ." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ಆಯ್ಕೆ, ಈ ಘಟಕವನ್ನು ನಿರ್ದಿಷ್ಟಪಡಿಸಿದ ಅಥವಾ ಲೆಕ್ಕಾಚಾರ ಮೌಲ್ಯವನ್ನು ಗಳಿಕೆಗಳು ಅಥವಾ ತೀರ್ಮಾನಗಳನ್ನು ಕೊಡುಗೆ ಮಾಡುವುದಿಲ್ಲ. ಆದಾಗ್ಯೂ, ಇದು ಮೌಲ್ಯವನ್ನು ಸೇರಿಸಲಾಗಿದೆ ಅಥವಾ ಕಡಿತಗೊಳಿಸಲಾಗುತ್ತದೆ ಇತರ ಭಾಗಗಳನ್ನು ಉಲ್ಲೇಖಿಸಲಾಗುತ್ತದೆ ಇಲ್ಲಿದೆ." -DocType: Asset Settings,Number of Days in Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷದ ದಿನಗಳು ,Stock Ledger,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್ DocType: Company,Exchange Gain / Loss Account,ವಿನಿಮಯ ಗಳಿಕೆ / ನಷ್ಟ ಖಾತೆ DocType: Amazon MWS Settings,MWS Credentials,MWS ರುಜುವಾತುಗಳು @@ -5407,6 +5470,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,ಬ್ಯಾಂಕ್ ಫೈಲ್‌ನಲ್ಲಿ ಕಾಲಮ್ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},ವಿದ್ಯಾರ್ಥಿ {1} ವಿರುದ್ಧ ಈಗಾಗಲೇ {0} ಅಪ್ಲಿಕೇಶನ್ ಅನ್ನು ಬಿಡಿ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,ಎಲ್ಲಾ ಬಿಲ್ ಮೆಟೀರಿಯಲ್ಸ್ನಲ್ಲಿ ಇತ್ತೀಚಿನ ಬೆಲೆಯನ್ನು ನವೀಕರಿಸಲು ಸರದಿಯಿದೆ. ಇದು ಕೆಲವು ನಿಮಿಷಗಳನ್ನು ತೆಗೆದುಕೊಳ್ಳಬಹುದು. +DocType: Pick List,Get Item Locations,ಐಟಂ ಸ್ಥಳಗಳನ್ನು ಪಡೆಯಿರಿ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,ಹೊಸ ಖಾತೆ ಶಾಲೆಯ ಹೆಸರು. ಗಮನಿಸಿ: ಗ್ರಾಹಕರ ಹಾಗೂ ವಿತರಕರ ಖಾತೆಗಳನ್ನು ರಚಿಸಲು ದಯವಿಟ್ಟು DocType: POS Profile,Display Items In Stock,ಸ್ಟಾಕ್ನಲ್ಲಿ ಐಟಂಗಳನ್ನು ಪ್ರದರ್ಶಿಸಿ apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,ದೇಶದ ಬುದ್ಧಿವಂತ ಡೀಫಾಲ್ಟ್ ವಿಳಾಸ ಟೆಂಪ್ಲೇಟ್ಗಳು @@ -5430,6 +5494,7 @@ DocType: Crop,Materials Required,ಸಾಮಗ್ರಿಗಳು ಅಗತ್ಯ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿಗಳು ಕಂಡುಬಂದಿಲ್ಲ DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,ಮಾಸಿಕ HRA ವಿನಾಯಿತಿ DocType: Clinical Procedure,Medical Department,ವೈದ್ಯಕೀಯ ಇಲಾಖೆ +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,ಒಟ್ಟು ಆರಂಭಿಕ ನಿರ್ಗಮನಗಳು DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,ಸರಬರಾಜುದಾರ ಸ್ಕೋರ್ಕಾರ್ಡ್ ಸ್ಕೋರಿಂಗ್ ಮಾನದಂಡ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,ಸರಕುಪಟ್ಟಿ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,ಮಾರಾಟ @@ -5441,11 +5506,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ರದ್ದುಗೊಳಿಸಲು ದಯವಿಟ್ಟು ನೌಕರ {0} delete ಅನ್ನು ಅಳಿಸಿ" DocType: Program Enrollment,School House,ಸ್ಕೂಲ್ ಹೌಸ್ DocType: Serial No,Out of AMC,ಎಎಂಸಿ ಔಟ್ DocType: Opportunity,Opportunity Amount,ಅವಕಾಶ ಮೊತ್ತ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,ನಿಮ್ಮ ಪ್ರೊಫೈಲ್ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ಬುಕ್ಡ್ Depreciations ಸಂಖ್ಯೆ ಒಟ್ಟು ಸಂಖ್ಯೆ Depreciations ಕ್ಕೂ ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ DocType: Purchase Order,Order Confirmation Date,ಆರ್ಡರ್ ದೃಢೀಕರಣ ದಿನಾಂಕ DocType: Driver,HR-DRI-.YYYY.-,ಎಚ್ಆರ್-ಡಿಆರ್ಐ .YYYY.- @@ -5539,7 +5603,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","ದರ, ಷೇರುಗಳ ಸಂಖ್ಯೆ ಮತ್ತು ಲೆಕ್ಕ ಹಾಕಿದ ಮೊತ್ತದ ನಡುವಿನ ಅಸಮಂಜಸತೆಗಳಿವೆ" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,ನೀವು ಪರಿಹಾರದ ರಜೆ ವಿನಂತಿಯ ದಿನಗಳ ನಡುವೆ ಎಲ್ಲಾ ದಿನ (ರು) ಇಲ್ಲ apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,ಮರು ಮಾದರಿ ಕಂಪನಿ ಹೆಸರು ದೃಢೀಕರಿಸಿ ದಯವಿಟ್ಟು -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,ಒಟ್ಟು ಅತ್ಯುತ್ತಮ ಆಮ್ಟ್ DocType: Journal Entry,Printing Settings,ಮುದ್ರಣ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Payment Order,Payment Order Type,ಪಾವತಿ ಆದೇಶ ಪ್ರಕಾರ DocType: Employee Advance,Advance Account,ಅಡ್ವಾನ್ಸ್ ಖಾತೆ @@ -5628,7 +5691,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,ವರ್ಷದ ಹೆಸರು apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,ಈ ತಿಂಗಳ ದಿನಗಳ ಕೆಲಸ ಹೆಚ್ಚು ರಜಾದಿನಗಳಲ್ಲಿ ಇವೆ . apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,ಕೆಳಗಿನ ಐಟಂಗಳನ್ನು {0} {1} ಐಟಂ ಎಂದು ಗುರುತಿಸಲಾಗಿಲ್ಲ. ನೀವು ಅದರ ಐಟಂ ಮಾಸ್ಟರ್ನಿಂದ {1} ಐಟಂ ಅನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಬಹುದು -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC ಉಲ್ಲೇಖ DocType: Production Plan Item,Product Bundle Item,ಉತ್ಪನ್ನ ಕಟ್ಟು ಐಟಂ DocType: Sales Partner,Sales Partner Name,ಮಾರಾಟದ ಸಂಗಾತಿ ಹೆಸರು apps/erpnext/erpnext/hooks.py,Request for Quotations,ಉಲ್ಲೇಖಗಳು ವಿನಂತಿ @@ -5637,7 +5699,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,ಸಾಮಾನ್ಯ ಟೆಸ್ಟ್ ಐಟಂಗಳು DocType: QuickBooks Migrator,Company Settings,ಕಂಪನಿ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Additional Salary,Overwrite Salary Structure Amount,ಸಂಬಳ ರಚನೆಯ ಮೊತ್ತವನ್ನು ಬದಲಿಸಿ -apps/erpnext/erpnext/config/hr.py,Leaves,ಎಲೆಗಳು +DocType: Leave Ledger Entry,Leaves,ಎಲೆಗಳು DocType: Student Language,Student Language,ವಿದ್ಯಾರ್ಥಿ ಭಾಷಾ DocType: Cash Flow Mapping,Is Working Capital,ಕೆಲಸದ ಬಂಡವಾಳ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,ಪುರಾವೆ ಸಲ್ಲಿಸಿ @@ -5645,7 +5707,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,ಆರ್ಡರ್ / quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,ರೋಗಿಯ ರೋಗಾಣುಗಳನ್ನು ರೆಕಾರ್ಡ್ ಮಾಡಿ DocType: Fee Schedule,Institution,ಇನ್ಸ್ಟಿಟ್ಯೂಷನ್ -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: Asset,Partially Depreciated,ಭಾಗಶಃ Depreciated DocType: Issue,Opening Time,ಆರಂಭಿಕ ಸಮಯ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,ಅಗತ್ಯವಿದೆ ದಿನಾಂಕ ಮತ್ತು ಮಾಡಲು @@ -5696,6 +5757,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,ಗರಿಷ್ಠ ಅನುಮತಿ ಮೌಲ್ಯ DocType: Journal Entry Account,Employee Advance,ಉದ್ಯೋಗಿ ಅಡ್ವಾನ್ಸ್ DocType: Payroll Entry,Payroll Frequency,ವೇತನದಾರರ ಆವರ್ತನ +DocType: Plaid Settings,Plaid Client ID,ಪ್ಲೈಡ್ ಕ್ಲೈಂಟ್ ಐಡಿ DocType: Lab Test Template,Sensitivity,ಸೂಕ್ಷ್ಮತೆ DocType: Plaid Settings,Plaid Settings,ಸರಳ ಸೆಟ್ಟಿಂಗ್‌ಗಳು apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,ಗರಿಷ್ಠ ಮರುಪ್ರಯತ್ನಗಳು ಮೀರಿರುವುದರಿಂದ ಸಿಂಕ್ ಅನ್ನು ತಾತ್ಕಾಲಿಕವಾಗಿ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ @@ -5713,6 +5775,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,ಮೊದಲ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಆಯ್ಕೆಮಾಡಿ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,ದಿನಾಂಕ ತೆರೆಯುವ ದಿನಾಂಕ ಮುಚ್ಚುವ ಮೊದಲು ಇರಬೇಕು DocType: Travel Itinerary,Flight,ಫ್ಲೈಟ್ +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,ಮರಳಿ ಮನೆಗೆ DocType: Leave Control Panel,Carry Forward,ಮುಂದಕ್ಕೆ ಸಾಗಿಸುವ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವ್ಯವಹಾರಗಳು ವೆಚ್ಚ ಸೆಂಟರ್ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ DocType: Budget,Applicable on booking actual expenses,ನಿಜವಾದ ವೆಚ್ಚಗಳನ್ನು ಕಾಯ್ದಿರಿಸುವಿಕೆಗೆ ಅನ್ವಯಿಸುತ್ತದೆ @@ -5814,6 +5877,7 @@ DocType: Batch,Source Document Name,ಮೂಲ ಡಾಕ್ಯುಮೆಂಟ್ DocType: Batch,Source Document Name,ಮೂಲ ಡಾಕ್ಯುಮೆಂಟ್ ಹೆಸರು DocType: Production Plan,Get Raw Materials For Production,ಉತ್ಪಾದನೆಗೆ ರಾ ಮೆಟೀರಿಯಲ್ಸ್ ಪಡೆಯಿರಿ DocType: Job Opening,Job Title,ಕೆಲಸದ ಶೀರ್ಷಿಕೆ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,ಭವಿಷ್ಯದ ಪಾವತಿ ರೆಫ್ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} {1} ಉದ್ಧರಣವನ್ನು ಒದಗಿಸುವುದಿಲ್ಲ ಎಂದು ಸೂಚಿಸುತ್ತದೆ, ಆದರೆ ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಉಲ್ಲೇಖಿಸಲಾಗಿದೆ. RFQ ಉಲ್ಲೇಖ ಸ್ಥಿತಿಯನ್ನು ನವೀಕರಿಸಲಾಗುತ್ತಿದೆ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ಗರಿಷ್ಠ ಸ್ಯಾಂಪಲ್ಸ್ - ಬ್ಯಾಚ್ {3} ನಲ್ಲಿ ಬ್ಯಾಚ್ {1} ಮತ್ತು ಐಟಂ {2} ಗಾಗಿ {0} ಈಗಾಗಲೇ ಉಳಿಸಿಕೊಂಡಿವೆ. @@ -5824,12 +5888,10 @@ 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: Company,Product Code,ಉತ್ಪನ್ನ ಕೋಡ್ DocType: Quality Review Table,Objective,ಉದ್ದೇಶ DocType: Supplier Scorecard,Per Month,ಪ್ರತಿ ತಿಂಗಳು DocType: Education Settings,Make Academic Term Mandatory,ಶೈಕ್ಷಣಿಕ ಅವಧಿ ಕಡ್ಡಾಯವಾಗಿ ಮಾಡಿ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,ತಯಾರಿಸಲು ಪ್ರಮಾಣ 0 ಹೆಚ್ಚು ಇರಬೇಕು. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷದ ಆಧಾರದ ಮೇಲೆ ಪ್ರೇರಿತ ಸವಕಳಿ ವೇಳಾಪಟ್ಟಿಯನ್ನು ಲೆಕ್ಕಹಾಕಿ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,ತಯಾರಿಸಲು ಪ್ರಮಾಣ 0 ಹೆಚ್ಚು ಇರಬೇಕು. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,ನಿರ್ವಹಣೆ ಕಾಲ್ ವರದಿ ಭೇಟಿ . DocType: Stock Entry,Update Rate and Availability,ಅಪ್ಡೇಟ್ ದರ ಮತ್ತು ಲಭ್ಯತೆ 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 ಘಟಕಗಳು ಆದೇಶ ಇದ್ದರೆ . ನಿಮ್ಮ ಸೇವನೆ ನೀವು 110 ಘಟಕಗಳು ಸ್ವೀಕರಿಸಲು 10% ಅವಕಾಶವಿರುತ್ತದೆ ಇದೆ . @@ -5841,7 +5903,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,ಬಿಡುಗಡೆ ದಿನಾಂಕ ಭವಿಷ್ಯದಲ್ಲಿರಬೇಕು DocType: BOM,Website Description,ವೆಬ್ಸೈಟ್ ವಿವರಣೆ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,ಇಕ್ವಿಟಿ ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ {0} ರದ್ದು ಮೊದಲು apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,ಅನುಮತಿಸಲಾಗಿಲ್ಲ. ದಯವಿಟ್ಟು ಸೇವೆಯ ಘಟಕ ಪ್ರಕಾರವನ್ನು ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","ಇಮೇಲ್ ವಿಳಾಸ, ಅನನ್ಯ ಇರಬೇಕು ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0}" DocType: Serial No,AMC Expiry Date,ಎಎಂಸಿ ಅಂತ್ಯ ದಿನಾಂಕ @@ -5884,6 +5945,7 @@ DocType: Pricing Rule,Price Discount Scheme,ಬೆಲೆ ರಿಯಾಯಿತ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,ನಿರ್ವಹಣೆ ಸ್ಥಿತಿಯನ್ನು ಸಲ್ಲಿಕೆಗೆ ರದ್ದುಪಡಿಸಬೇಕು ಅಥವಾ ಪೂರ್ಣಗೊಳಿಸಬೇಕು DocType: Amazon MWS Settings,US,ಯುಎಸ್ DocType: Holiday List,Add Weekly Holidays,ಸಾಪ್ತಾಹಿಕ ರಜಾದಿನಗಳನ್ನು ಸೇರಿಸಿ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,ಐಟಂ ವರದಿ ಮಾಡಿ DocType: Staffing Plan Detail,Vacancies,ಹುದ್ದೆಯ DocType: Hotel Room,Hotel Room,ಹೋಟೆಲ್ ಕೊಠಡಿ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},ಖಾತೆ {0} ಮಾಡುತ್ತದೆ ಕಂಪನಿ ಸೇರಿದೆ ಅಲ್ಲ {1} @@ -5934,12 +5996,15 @@ DocType: Email Digest,Open Quotations,ಓಪನ್ ಉಲ್ಲೇಖಗಳು 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ಈ ಡಾಕ್ಯುಮೆಂಟ್ ರದ್ದುಗೊಳಿಸಲು ದಯವಿಟ್ಟು ನೌಕರ {0} delete ಅನ್ನು ಅಳಿಸಿ" apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,ಸಮಯ ದಾಖಲೆಗಳು ಚಟುವಟಿಕೆಗಳನ್ನು ವಿಧಗಳು DocType: Opening Invoice Creation Tool,Sales,ಮಾರಾಟದ DocType: Stock Entry Detail,Basic Amount,ಬೇಸಿಕ್ ಪ್ರಮಾಣ @@ -5953,6 +6018,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,ಖಾಲಿ DocType: Patient,Alcohol Past Use,ಆಲ್ಕೊಹಾಲ್ ಪಾಸ್ಟ್ ಯೂಸ್ DocType: Fertilizer Content,Fertilizer Content,ರಸಗೊಬ್ಬರ ವಿಷಯ +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,ವಿವರಣೆಯಿಲ್ಲ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,ಕೋಟಿ DocType: Tax Rule,Billing State,ಬಿಲ್ಲಿಂಗ್ ರಾಜ್ಯ DocType: Quality Goal,Monitoring Frequency,ಮಾನಿಟರಿಂಗ್ ಆವರ್ತನ @@ -5970,6 +6036,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,ಎಂಡ್ಸ್ ದಿನಾಂಕದಂದು ಮುಂದಿನ ಸಂಪರ್ಕ ದಿನಾಂಕದ ಮೊದಲು ಇರುವಂತಿಲ್ಲ. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,ಬ್ಯಾಚ್ ನಮೂದುಗಳು DocType: Journal Entry,Pay To / Recd From,Recd ಗೆ / ಕಟ್ಟುವುದನ್ನು +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,ಐಟಂ ಅನ್ನು ಪ್ರಕಟಿಸಬೇಡಿ DocType: Naming Series,Setup Series,ಸೆಟಪ್ ಸರಣಿ DocType: Payment Reconciliation,To Invoice Date,ದಿನಾಂಕ ಸರಕುಪಟ್ಟಿ DocType: Bank Account,Contact HTML,ಸಂಪರ್ಕಿಸಿ ಎಚ್ಟಿಎಮ್ಎಲ್ @@ -5991,6 +6058,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,ಚಿಲ್ಲರೆ ವ DocType: Student Attendance,Absent,ಆಬ್ಸೆಂಟ್ DocType: Staffing Plan,Staffing Plan Detail,ಸಿಬ್ಬಂದಿ ಯೋಜನೆ ವಿವರ DocType: Employee Promotion,Promotion Date,ಪ್ರಚಾರ ದಿನಾಂಕ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,ರಜೆ ಹಂಚಿಕೆ% s ರಜೆ ಅಪ್ಲಿಕೇಶನ್% s ನೊಂದಿಗೆ ಸಂಪರ್ಕ ಹೊಂದಿದೆ 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} @@ -6028,6 +6096,7 @@ DocType: Volunteer,Availability,ಲಭ್ಯತೆ apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS ಇನ್ವಾಯ್ಸ್ಗಳಿಗಾಗಿ ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯಗಳನ್ನು ಹೊಂದಿಸಿ DocType: Employee Training,Training,ತರಬೇತಿ DocType: Project,Time to send,ಕಳುಹಿಸಲು ಸಮಯ +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,ಈ ಪುಟವು ಖರೀದಿದಾರರು ಸ್ವಲ್ಪ ಆಸಕ್ತಿ ತೋರಿಸಿದ ನಿಮ್ಮ ಐಟಂಗಳ ಜಾಡನ್ನು ಇರಿಸುತ್ತದೆ. 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 ಮೇಲ್ @@ -6128,11 +6197,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ಆರಂಭಿಕ ಮೌಲ್ಯ DocType: Salary Component,Formula,ಸೂತ್ರ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,ಸರಣಿ # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ದಯವಿಟ್ಟು ಮಾನವ ಸಂಪನ್ಮೂಲ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್‌ಗಳಲ್ಲಿ ನೌಕರರ ಹೆಸರಿಸುವ ವ್ಯವಸ್ಥೆಯನ್ನು ಹೊಂದಿಸಿ DocType: Material Request Plan Item,Required Quantity,ಅಗತ್ಯವಿರುವ ಪ್ರಮಾಣ DocType: Lab Test Template,Lab Test Template,ಲ್ಯಾಬ್ ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟು apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,ಮಾರಾಟದ ಖಾತೆ DocType: Purchase Invoice Item,Total Weight,ಒಟ್ಟು ತೂಕ +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}" @@ -6156,6 +6225,7 @@ DocType: Company,Default Employee Advance Account,ಡೀಫಾಲ್ಟ್ ಉ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),ಹುಡುಕಾಟ ಐಟಂ (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ಎಸಿಸಿ- ಸಿಎಫ್ - .YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಅಳಿಸಲಾಗಿಲ್ಲ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,ಈ ಐಟಂ ಅನ್ನು ತೆಗೆದುಹಾಕಬೇಕು ಎಂದು ಏಕೆ ಭಾವಿಸುತ್ತೀರಿ? DocType: Vehicle,Last Carbon Check,ಕೊನೆಯ ಕಾರ್ಬನ್ ಪರಿಶೀಲಿಸಿ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,ಕಾನೂನು ವೆಚ್ಚ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,ದಯವಿಟ್ಟು ಸಾಲಿನಲ್ಲಿ ಪ್ರಮಾಣ ಆಯ್ಕೆ @@ -6175,6 +6245,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,ಅನಾರೋಗ್ಯದಿಂದ ಕುಸಿತ DocType: Travel Itinerary,Vegetarian,ಸಸ್ಯಾಹಾರಿ DocType: Patient Encounter,Encounter Date,ಎನ್ಕೌಂಟರ್ ದಿನಾಂಕ +DocType: Work Order,Update Consumed Material Cost In Project,ಯೋಜನೆಯಲ್ಲಿ ಸೇವಿಸಿದ ವಸ್ತು ವೆಚ್ಚವನ್ನು ನವೀಕರಿಸಿ apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,ಖಾತೆ: {0} ಕರೆನ್ಸಿಗೆ: {1} ಆಯ್ಕೆ ಸಾಧ್ಯವಿಲ್ಲ DocType: Bank Statement Transaction Settings Item,Bank Data,ಬ್ಯಾಂಕ್ ಡೇಟಾ DocType: Purchase Receipt Item,Sample Quantity,ಮಾದರಿ ಪ್ರಮಾಣ @@ -6228,7 +6299,7 @@ DocType: GSTR 3B Report,April,ಏಪ್ರಿಲ್ DocType: Plant Analysis,Collection Datetime,ಸಂಗ್ರಹ ದಿನಾಂಕ DocType: Asset Repair,ACC-ASR-.YYYY.-,ಎಸಿಸಿ- ಎಎಸ್ಆರ್ - .YYYY.- DocType: Work Order,Total Operating Cost,ಒಟ್ಟು ವೆಚ್ಚವನ್ನು -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,ರೇಟಿಂಗ್ : ಐಟಂ {0} ಅನೇಕ ಬಾರಿ ಪ್ರವೇಶಿಸಿತು +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,ರೇಟಿಂಗ್ : ಐಟಂ {0} ಅನೇಕ ಬಾರಿ ಪ್ರವೇಶಿಸಿತು apps/erpnext/erpnext/config/buying.py,All Contacts.,ಎಲ್ಲಾ ಸಂಪರ್ಕಗಳು . DocType: Accounting Period,Closed Documents,ಮುಚ್ಚಿದ ಡಾಕ್ಯುಮೆಂಟ್ಸ್ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,ನೇಮಕಾತಿ ಸರಕುಪಟ್ಟಿ ನಿರ್ವಹಿಸಿ ಮತ್ತು ರೋಗಿಯ ಎನ್ಕೌಂಟರ್ಗಾಗಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ರದ್ದುಮಾಡಿ @@ -6308,7 +6379,6 @@ DocType: Member,Membership Type,ಸದಸ್ಯತ್ವ ಕೌಟುಂಬಿ ,Reqd By Date,ಬೇಕಾಗಿದೆ ದಿನಾಂಕ ಮೂಲಕ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,ಸಾಲ DocType: Assessment Plan,Assessment Name,ಅಸೆಸ್ಮೆಂಟ್ ಹೆಸರು -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,ಪ್ರಿಂಟ್ನಲ್ಲಿ ತೋರಿಸಿ PDC apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,ರೋ # {0}: ಸೀರಿಯಲ್ ಯಾವುದೇ ಕಡ್ಡಾಯ DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ಐಟಂ ವೈಸ್ ತೆರಿಗೆ ವಿವರ DocType: Employee Onboarding,Job Offer,ಉದ್ಯೋಗದ ಪ್ರಸ್ತಾಪ @@ -6369,6 +6439,7 @@ DocType: Serial No,Out of Warranty,ಖಾತರಿ ಹೊರಗೆ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,ಮ್ಯಾಪ್ ಮಾಡಲಾದ ಡೇಟಾ ಪ್ರಕಾರ DocType: BOM Update Tool,Replace,ಬದಲಾಯಿಸಿ apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,ಯಾವುದೇ ಉತ್ಪನ್ನಗಳು ಕಂಡುಬಂದಿಲ್ಲ. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,ಇನ್ನಷ್ಟು ವಸ್ತುಗಳನ್ನು ಪ್ರಕಟಿಸಿ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ {1} DocType: Antibiotic,Laboratory User,ಪ್ರಯೋಗಾಲಯ ಬಳಕೆದಾರ DocType: Request for Quotation Item,Project Name,ಪ್ರಾಜೆಕ್ಟ್ ಹೆಸರು @@ -6389,7 +6460,6 @@ DocType: Payment Order Reference,Bank Account Details,ಬ್ಯಾಂಕ್ ಖ DocType: Purchase Order Item,Blanket Order,ಬ್ಲ್ಯಾಂಕೆಟ್ ಆರ್ಡರ್ 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,ತೆರಿಗೆ ಸ್ವತ್ತುಗಳು -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಬಂದಿದೆ {0} DocType: BOM Item,BOM No,ಯಾವುದೇ BOM 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,ಸರಾಸರಿ ಮೂವಿಂಗ್ @@ -6463,6 +6533,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),ಹೊರಗಿನ ತೆರಿಗೆಗೆ ಒಳಪಡುವ ಸರಬರಾಜು (ಶೂನ್ಯ ರೇಟ್) DocType: BOM,Materials Required (Exploded),ಬೇಕಾದ ಸಾಮಗ್ರಿಗಳು (ಸ್ಫೋಟಿಸಿತು ) 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/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,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮುಂದಿನ ದಿನಾಂಕದಂದು ಸಾಧ್ಯವಿಲ್ಲ @@ -6520,7 +6591,6 @@ DocType: Pricing Rule,Same Item,ಅದೇ ಐಟಂ DocType: Stock Ledger Entry,Stock Ledger Entry,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್ ಎಂಟ್ರಿ DocType: Quality Action Resolution,Quality Action Resolution,ಗುಣಮಟ್ಟದ ಕ್ರಿಯಾ ನಿರ್ಣಯ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{1} ರಂದು ಅರ್ಧ ದಿನ ಬಿಟ್ಟುಹೋಗುವಾಗ {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,ಒಂದೇ ಐಟಂ ಅನ್ನು ಹಲವಾರು ಬಾರಿ ನಮೂದಿಸಲಾದ DocType: Department,Leave Block List,ಖಂಡ ಬಿಡಿ DocType: Purchase Invoice,Tax ID,ತೆರಿಗೆಯ ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,ಐಟಂ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಸ್ಥಾಪನೆಯ ಅಲ್ಲ ಅಂಕಣ ಖಾಲಿಯಾಗಿರಬೇಕು @@ -6557,7 +6627,7 @@ 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} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿದರೆ ಅಥವಾ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ DocType: Purchase Invoice,Return,ರಿಟರ್ನ್ -DocType: Accounting Dimension,Disable,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ +DocType: Account,Disable,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,ಪಾವತಿಸುವ ವಿಧಾನ ಪಾವತಿ ಮಾಡಬೇಕಿರುತ್ತದೆ DocType: Task,Pending Review,ಬಾಕಿ ರಿವ್ಯೂ apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","ಸ್ವತ್ತುಗಳು, ಸೀರಿಯಲ್ ನೋಸ್, ಬ್ಯಾಚ್ಗಳು ಮುಂತಾದ ಹೆಚ್ಚಿನ ಆಯ್ಕೆಗಳಿಗಾಗಿ ಪೂರ್ಣ ಪುಟದಲ್ಲಿ ಸಂಪಾದಿಸಿ." @@ -6669,7 +6739,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ಎಸಿಸಿ-ಎಸ್.ಹೆಚ್ .YYYY apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,ಸಂಯೋಜಿತ ಇನ್ವಾಯ್ಸ್ ಭಾಗವು 100% DocType: Item Default,Default Expense Account,ಡೀಫಾಲ್ಟ್ ಖರ್ಚು ಖಾತೆ DocType: GST Account,CGST Account,ಸಿಜಿಎಸ್ಟಿ ಖಾತೆ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗುಂಪು> ಬ್ರಾಂಡ್ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,ವಿದ್ಯಾರ್ಥಿ ಈಮೇಲ್ ಅಡ್ರೆಸ್ DocType: Employee,Notice (days),ಎಚ್ಚರಿಕೆ ( ದಿನಗಳು) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,ಪಿಓಎಸ್ ಚೀಟಿ ರಶೀದಿ ಇನ್ವಾಯ್ಸ್ಗಳನ್ನು ಮುಕ್ತಾಯಗೊಳಿಸುತ್ತದೆ @@ -6680,6 +6749,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಐಟಂಗಳನ್ನು ಆಯ್ಕೆ DocType: Employee,Encashment Date,ನಗದೀಕರಣ ದಿನಾಂಕ DocType: Training Event,Internet,ಇಂಟರ್ನೆಟ್ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,ಮಾರಾಟಗಾರರ ಮಾಹಿತಿ DocType: Special Test Template,Special Test Template,ವಿಶೇಷ ಟೆಸ್ಟ್ ಟೆಂಪ್ಲೇಟು DocType: Account,Stock Adjustment,ಸ್ಟಾಕ್ ಹೊಂದಾಣಿಕೆ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},ಡೀಫಾಲ್ಟ್ ಚಟುವಟಿಕೆ ವೆಚ್ಚ ಚಟುವಟಿಕೆ ಕೌಟುಂಬಿಕತೆ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ - {0} @@ -6692,7 +6762,6 @@ 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,ಪ್ರಾಯೋಗಿಕ ಅವಧಿಯ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಪ್ರಯೋಗ ಅವಧಿ ಅಂತ್ಯ ದಿನಾಂಕವನ್ನು ಹೊಂದಿಸಬೇಕು -DocType: Company,Bank Remittance Settings,ಬ್ಯಾಂಕ್ ರವಾನೆ ಸೆಟ್ಟಿಂಗ್‌ಗಳು apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ಸರಾಸರಿ ದರ 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","ಗ್ರಾಹಕ ಒದಗಿಸಿದ ಐಟಂ" ಮೌಲ್ಯಮಾಪನ ದರವನ್ನು ಹೊಂದಿರಬಾರದು @@ -6720,6 +6789,7 @@ DocType: Grading Scale Interval,Threshold,ಮಿತಿ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),ಉದ್ಯೋಗಿಗಳನ್ನು ಫಿಲ್ಟರ್ ಮಾಡಿ (ಐಚ್ al ಿಕ) DocType: BOM Update Tool,Current BOM,ಪ್ರಸ್ತುತ BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),ಬ್ಯಾಲೆನ್ಸ್ (ಡಾ - ಕ್ರ) +DocType: Pick List,Qty of Finished Goods Item,ಮುಗಿದ ಸರಕುಗಳ ಐಟಂ apps/erpnext/erpnext/public/js/utils.js,Add Serial No,ಸೀರಿಯಲ್ ನಂ ಸೇರಿಸಿ DocType: Work Order Item,Available Qty at Source Warehouse,ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ ಮೂಲ ಕೋಠಿಯಲ್ಲಿ apps/erpnext/erpnext/config/support.py,Warranty,ಖಾತರಿ @@ -6796,7 +6866,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ಇಲ್ಲಿ ನೀವು ಎತ್ತರ, ತೂಕ, ಅಲರ್ಜಿ , ವೈದ್ಯಕೀಯ ಇತ್ಯಾದಿ ಕನ್ಸರ್ನ್ಸ್ ಕಾಯ್ದುಕೊಳ್ಳಬಹುದು" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,ಖಾತೆಗಳನ್ನು ರಚಿಸಲಾಗುತ್ತಿದೆ ... DocType: Leave Block List,Applies to Company,ಕಂಪನಿ ಅನ್ವಯಿಸುತ್ತದೆ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,ಸಲ್ಲಿಸಿದ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಏಕೆಂದರೆ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,ಸಲ್ಲಿಸಿದ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಏಕೆಂದರೆ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Loan,Disbursement Date,ವಿತರಣೆ ದಿನಾಂಕ DocType: Service Level Agreement,Agreement Details,ಒಪ್ಪಂದದ ವಿವರಗಳು apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,ಒಪ್ಪಂದದ ಪ್ರಾರಂಭ ದಿನಾಂಕವು ಅಂತಿಮ ದಿನಾಂಕಕ್ಕಿಂತ ದೊಡ್ಡದಾಗಿದೆ ಅಥವಾ ಸಮನಾಗಿರಬಾರದು. @@ -6805,6 +6875,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,ವೈದ್ಯಕೀಯ ವರದಿ DocType: Vehicle,Vehicle,ವಾಹನ DocType: Purchase Invoice,In Words,ವರ್ಡ್ಸ್ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,ಇಲ್ಲಿಯವರೆಗೆ ದಿನಾಂಕದಿಂದ ಮೊದಲು ಇರಬೇಕು apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,ಸಲ್ಲಿಸುವ ಮೊದಲು ಬ್ಯಾಂಕ್ ಅಥವಾ ಸಾಲ ನೀಡುವ ಸಂಸ್ಥೆಯ ಹೆಸರನ್ನು ನಮೂದಿಸಿ. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} ಸಲ್ಲಿಸಬೇಕು DocType: POS Profile,Item Groups,ಐಟಂ ಗುಂಪುಗಳು @@ -6877,7 +6948,6 @@ DocType: Customer,Sales Team Details,ಮಾರಾಟ ತಂಡದ ವಿವರ apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಿ? DocType: Expense Claim,Total Claimed Amount,ಹಕ್ಕು ಪಡೆದ ಒಟ್ಟು ಪ್ರಮಾಣ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,ಮಾರಾಟ ಸಮರ್ಥ ಅವಕಾಶಗಳನ್ನು . -DocType: Plaid Settings,Link a new bank account,ಹೊಸ ಬ್ಯಾಂಕ್ ಖಾತೆಯನ್ನು ಲಿಂಕ್ ಮಾಡಿ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,}} ಅಮಾನ್ಯ ಹಾಜರಾತಿ ಸ್ಥಿತಿ. DocType: Shareholder,Folio no.,ಫೋಲಿಯೊ ಸಂಖ್ಯೆ. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},ಅಮಾನ್ಯವಾದ {0} @@ -6893,7 +6963,6 @@ DocType: Production Plan,Material Requested,ಮೆಟೀರಿಯಲ್ ವಿ DocType: Warehouse,PIN,ಪಿನ್ DocType: Bin,Reserved Qty for sub contract,ಉಪ ಒಪ್ಪಂದಕ್ಕೆ ಕಾಯ್ದಿರಿಸಲಾಗಿದೆ DocType: Patient Service Unit,Patinet Service Unit,ಪ್ಯಾಟಿನೆಟ್ ಸೇವಾ ಘಟಕ -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,ಪಠ್ಯ ಫೈಲ್ ರಚಿಸಿ DocType: Sales Invoice,Base Change Amount (Company Currency),ಬೇಸ್ ಬದಲಾಯಿಸಬಹುದು ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,ನಂತರ ಗೋದಾಮುಗಳು ಯಾವುದೇ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},ಐಟಂಗಾಗಿ ಸ್ಟಾಕ್ನಲ್ಲಿ ಮಾತ್ರ {0} {1} @@ -6907,6 +6976,7 @@ DocType: Item,No of Months,ತಿಂಗಳುಗಳ ಸಂಖ್ಯೆ DocType: Item,Max Discount (%),ಮ್ಯಾಕ್ಸ್ ಡಿಸ್ಕೌಂಟ್ ( % ) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,ಕ್ರೆಡಿಟ್ ಡೇಸ್ ಋಣಾತ್ಮಕ ಸಂಖ್ಯೆಯಂತಿಲ್ಲ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,ಹೇಳಿಕೆಯನ್ನು ಅಪ್‌ಲೋಡ್ ಮಾಡಿ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,ಈ ಐಟಂ ಅನ್ನು ವರದಿ ಮಾಡಿ DocType: Purchase Invoice Item,Service Stop Date,ಸೇವೆ ನಿಲ್ಲಿಸಿ ದಿನಾಂಕ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,ಕೊನೆಯ ಆರ್ಡರ್ ಪ್ರಮಾಣ DocType: Cash Flow Mapper,e.g Adjustments for:,ಉದಾಹರಣೆಗೆ ಹೊಂದಾಣಿಕೆಗಳು: @@ -6998,16 +7068,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,ಉದ್ಯೋಗಿ ತೆರಿಗೆ ವಿನಾಯಿತಿ ವರ್ಗ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,ಮೊತ್ತ ಶೂನ್ಯಕ್ಕಿಂತ ಕಡಿಮೆಯಿರಬಾರದು. DocType: Sales Invoice,C-Form Applicable,ಅನ್ವಯಿಸುವ ಸಿ ಆಕಾರ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},ಆಪರೇಷನ್ ಟೈಮ್ ಆಪರೇಷನ್ 0 ಹೆಚ್ಚು ಇರಬೇಕು {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},ಆಪರೇಷನ್ ಟೈಮ್ ಆಪರೇಷನ್ 0 ಹೆಚ್ಚು ಇರಬೇಕು {0} DocType: Support Search Source,Post Route String,ಪೋಸ್ಟ್ ಮಾರ್ಗ ಸ್ಟ್ರಿಂಗ್ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,ವೇರ್ಹೌಸ್ ಕಡ್ಡಾಯ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,ವೆಬ್ಸೈಟ್ ರಚಿಸಲು ವಿಫಲವಾಗಿದೆ DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ಪರಿವರ್ತನೆ ವಿವರಗಳು apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,ಪ್ರವೇಶ ಮತ್ತು ದಾಖಲಾತಿ -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,ಈಗಾಗಲೇ ರಚಿಸಲಾದ ಧಾರಣ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ಅಥವಾ ಮಾದರಿ ಪ್ರಮಾಣವನ್ನು ಒದಗಿಸಲಾಗಿಲ್ಲ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,ಈಗಾಗಲೇ ರಚಿಸಲಾದ ಧಾರಣ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ಅಥವಾ ಮಾದರಿ ಪ್ರಮಾಣವನ್ನು ಒದಗಿಸಲಾಗಿಲ್ಲ DocType: Program,Program Abbreviation,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಸಂಕ್ಷೇಪಣ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಒಂದು ಐಟಂ ಟೆಂಪ್ಲೇಟು ವಿರುದ್ಧ ಬೆಳೆದ ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),ಚೀಟಿ ಮೂಲಕ ಗುಂಪು (ಏಕೀಕೃತ) DocType: HR Settings,Encrypt Salary Slips in Emails,ಇಮೇಲ್‌ಗಳಲ್ಲಿ ಸಂಬಳ ಸ್ಲಿಪ್‌ಗಳನ್ನು ಎನ್‌ಕ್ರಿಪ್ಟ್ ಮಾಡಿ DocType: Question,Multiple Correct Answer,ಬಹು ಸರಿಯಾದ ಉತ್ತರ @@ -7054,7 +7123,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,ನಿಲ್ ರೇಟ DocType: Employee,Educational Qualification,ಶೈಕ್ಷಣಿಕ ಅರ್ಹತೆ DocType: Workstation,Operating Costs,ವೆಚ್ಚದ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},ಕರೆನ್ಸಿ {0} ಇರಬೇಕು {1} -DocType: Employee Checkin,Entry Grace Period Consequence,ಪ್ರವೇಶ ಗ್ರೇಸ್ ಅವಧಿ ಪರಿಣಾಮ DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,ಈ ಶಿಫ್ಟ್‌ಗೆ ನಿಯೋಜಿಸಲಾದ ಉದ್ಯೋಗಿಗಳಿಗೆ 'ಉದ್ಯೋಗಿ ಚೆಕ್ಇನ್' ಆಧರಿಸಿ ಹಾಜರಾತಿಯನ್ನು ಗುರುತಿಸಿ. DocType: Asset,Disposal Date,ವಿಲೇವಾರಿ ದಿನಾಂಕ DocType: Service Level,Response and Resoution Time,ಪ್ರತಿಕ್ರಿಯೆ ಮತ್ತು ಮರುಹೊಂದಿಸುವ ಸಮಯ @@ -7103,6 +7171,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,ಪೂರ್ಣಗೊಳ್ಳುವ ದಿನಾಂಕ DocType: Purchase Invoice Item,Amount (Company Currency),ಪ್ರಮಾಣ ( ಕರೆನ್ಸಿ ಕಂಪನಿ ) DocType: Program,Is Featured,ವೈಶಿಷ್ಟ್ಯಗೊಂಡಿದೆ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ಪಡೆಯಲಾಗುತ್ತಿದೆ ... DocType: Agriculture Analysis Criteria,Agriculture User,ವ್ಯವಸಾಯ ಬಳಕೆದಾರ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,ದಿನಾಂಕದಂದು ಮಾನ್ಯವಾಗಿರುವುದು ವ್ಯವಹಾರದ ದಿನಾಂಕದ ಮೊದಲು ಇರುವಂತಿಲ್ಲ 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} ಈ ವ್ಯವಹಾರವನ್ನು ಪೂರ್ಣಗೊಳಿಸಲು ಮೇಲೆ ಘಟಕಗಳು. @@ -7135,7 +7204,6 @@ DocType: Student,B+,ಬಿ + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,ಒಟ್ಟು ಪಾವತಿಸಿದ ಆಮ್ಟ್ 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 ಮಾರಾಟದ ನೋಂದಣಿ @@ -7159,6 +7227,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,ಅನಾಮ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ಸ್ವೀಕರಿಸಿದ DocType: Lead,Converted,ಪರಿವರ್ತಿತ DocType: Item,Has Serial No,ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ಹೊಂದಿದೆ +DocType: Stock Entry Detail,PO Supplied Item,ಪಿಒ ಸರಬರಾಜು ಮಾಡಿದ ವಸ್ತು 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} @@ -7269,7 +7338,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,ಸಿಂಕ್ ತೆರ 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,ಫಾರ್ {0} ಕಂಡುಬಂದಿಲ್ಲ ಡೀಫಾಲ್ಟ್ ಬಿಒಎಮ್ +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}: ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರಮಾಣ ಹೊಂದಿಸಿ apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,ಅವುಗಳನ್ನು ಇಲ್ಲಿ ಸೇರಿಸಲು ಐಟಂಗಳನ್ನು ಟ್ಯಾಪ್ @@ -7305,7 +7374,6 @@ DocType: Purchase Invoice,Y,ವೈ DocType: Maintenance Visit,Maintenance Date,ನಿರ್ವಹಣೆ ದಿನಾಂಕ DocType: Purchase Invoice Item,Rejected Serial No,ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ಅನುಕ್ರಮ ಸಂಖ್ಯೆ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,ವರ್ಷದ ಆರಂಭದ ದಿನಾಂಕ ಅಥವಾ ಅಂತಿಮ ದಿನಾಂಕ {0} ಜೊತೆ ಅತಿಕ್ರಮಿಸುವ. ತಪ್ಪಿಸಲು ಕಂಪನಿ ಸೆಟ್ ಮಾಡಿ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್> ಸಂಖ್ಯೆಯ ಸರಣಿಯ ಮೂಲಕ ಹಾಜರಾತಿಗಾಗಿ ದಯವಿಟ್ಟು ಸಂಖ್ಯೆಯ ಸರಣಿಯನ್ನು ಹೊಂದಿಸಿ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},ಲೀಡ್ನಲ್ಲಿರುವ ಲೀಡ್ ಹೆಸರು {0} ಅನ್ನು ದಯವಿಟ್ಟು ಗಮನಿಸಿ. apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},ಪ್ರಾರಂಭ ದಿನಾಂಕ ಐಟಂ ಅಂತಿಮ ದಿನಾಂಕವನ್ನು ಕಡಿಮೆ Shoulderstand {0} DocType: Shift Type,Auto Attendance Settings,ಸ್ವಯಂ ಹಾಜರಾತಿ ಸೆಟ್ಟಿಂಗ್‌ಗಳು @@ -7364,6 +7432,7 @@ DocType: Fees,Student Details,ವಿದ್ಯಾರ್ಥಿ ವಿವರಗಳ DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",ಇದು ವಸ್ತುಗಳು ಮತ್ತು ಮಾರಾಟ ಆದೇಶಗಳಿಗಾಗಿ ಬಳಸುವ ಡೀಫಾಲ್ಟ್ UOM ಆಗಿದೆ. ಫಾಲ್‌ಬ್ಯಾಕ್ UOM "ಸಂಖ್ಯೆ" ಆಗಿದೆ. DocType: Purchase Invoice Item,Stock Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ DocType: Purchase Invoice Item,Stock Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ +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,ಡೀಫಾಲ್ಟ್ ಶಿಪ್ಪಿಂಗ್ ಖಾತೆ DocType: Loan,Repayment Period in Months,ತಿಂಗಳಲ್ಲಿ ಮರುಪಾವತಿಯ ಅವಧಿಯ @@ -7392,6 +7461,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ಡಿಸ್ಕ apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,ಕಾರ್ಯಗಳಿಗಾಗಿ timesheet. DocType: Purchase Invoice,Against Expense Account,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ವಿರುದ್ಧ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ಅನುಸ್ಥಾಪನೆ ಸೂಚನೆ {0} ಈಗಾಗಲೇ ಸಲ್ಲಿಸಲಾಗಿದೆ +DocType: BOM,Raw Material Cost (Company Currency),ಕಚ್ಚಾ ವಸ್ತು ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ) DocType: GSTR 3B Report,October,ಅಕ್ಟೋಬರ್ DocType: Bank Reconciliation,Get Payment Entries,ಪಾವತಿ ನಮೂದುಗಳು ಪಡೆಯಿರಿ DocType: Quotation Item,Against Docname,docName ವಿರುದ್ಧ @@ -7438,15 +7508,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,ಬಳಕೆ ದಿನಾಂಕಕ್ಕೆ ಲಭ್ಯವಿದೆ DocType: Request for Quotation,Supplier Detail,ಸರಬರಾಜುದಾರ ವಿವರ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},ಸೂತ್ರ ಅಥವಾ ಸ್ಥಿತಿಯಲ್ಲಿ ದೋಷ: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,ಮಾನದಂಡದ ತೂಕವು 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,ಅಟೆಂಡೆನ್ಸ್ apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,ಸ್ಟಾಕ್ ವಸ್ತುಗಳು DocType: Sales Invoice,Update Billed Amount in Sales Order,ಮಾರಾಟದ ಆರ್ಡರ್ನಲ್ಲಿ ಬಿಲ್ ಮಾಡಿದ ಮೊತ್ತವನ್ನು ನವೀಕರಿಸಿ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,ಸಂಪರ್ಕ ಮಾರಾಟಗಾರ 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,ಈ ಐಟಂ ಅನ್ನು ವರದಿ ಮಾಡಲು ದಯವಿಟ್ಟು ಮಾರುಕಟ್ಟೆ ಬಳಕೆದಾರರಾಗಿ ಲಾಗಿನ್ ಮಾಡಿ. ,Sales Partner Commission Summary,ಮಾರಾಟ ಪಾಲುದಾರ ಆಯೋಗದ ಸಾರಾಂಶ ,Item Prices,ಐಟಂ ಬೆಲೆಗಳು DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,ನೀವು ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ. @@ -7459,6 +7531,7 @@ DocType: Dosage Form,Dosage Form,ಡೋಸೇಜ್ ಫಾರ್ಮ್ apps/erpnext/erpnext/config/buying.py,Price List master.,ಬೆಲೆ ಪಟ್ಟಿ ಮಾಸ್ಟರ್ . DocType: Task,Review Date,ರಿವ್ಯೂ ದಿನಾಂಕ DocType: BOM,Allow Alternative Item,ಪರ್ಯಾಯ ವಸ್ತುವನ್ನು ಅನುಮತಿಸಿ +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ಖರೀದಿ ರಶೀದಿಯಲ್ಲಿ ಉಳಿಸಿಕೊಳ್ಳುವ ಮಾದರಿಯನ್ನು ಸಕ್ರಿಯಗೊಳಿಸಿದ ಯಾವುದೇ ಐಟಂ ಇಲ್ಲ. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ಸರಕುಪಟ್ಟಿ ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು DocType: Company,Series for Asset Depreciation Entry (Journal Entry),ಆಸ್ತಿ ಸವಕಳಿ ಪ್ರವೇಶಕ್ಕಾಗಿ ಸರಣಿ (ಜರ್ನಲ್ ಎಂಟ್ರಿ) DocType: Membership,Member Since,ಸದಸ್ಯರು @@ -7467,6 +7540,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,ನೆಟ್ ಒಟ್ಟು ರಂದು 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: Pricing Rule,Product Discount Scheme,ಉತ್ಪನ್ನ ರಿಯಾಯಿತಿ ಯೋಜನೆ +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,ಕರೆ ಮಾಡಿದವರು ಯಾವುದೇ ಸಮಸ್ಯೆಯನ್ನು ಎತ್ತಿಲ್ಲ. DocType: Restaurant Reservation,Waitlisted,ನಿರೀಕ್ಷಿತ ಪಟ್ಟಿ DocType: Employee Tax Exemption Declaration Category,Exemption Category,ವಿನಾಯಿತಿ ವರ್ಗ apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,ಕರೆನ್ಸಿ ಕೆಲವು ಇತರ ಕರೆನ್ಸಿ ಬಳಸಿಕೊಂಡು ನಮೂದುಗಳನ್ನು ಮಾಡಿದ ನಂತರ ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ @@ -7480,7 +7554,6 @@ DocType: Customer Group,Parent Customer Group,ಪೋಷಕ ಗ್ರಾಹ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ಇ-ವೇ ಬಿಲ್ JSON ಅನ್ನು ಮಾರಾಟ ಸರಕುಪಟ್ಟಿಗಳಿಂದ ಮಾತ್ರ ಉತ್ಪಾದಿಸಬಹುದು apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ಈ ರಸಪ್ರಶ್ನೆಗಾಗಿ ಗರಿಷ್ಠ ಪ್ರಯತ್ನಗಳು ತಲುಪಿದೆ! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,ಚಂದಾದಾರಿಕೆ -DocType: Purchase Invoice,Contact Email,ಇಮೇಲ್ ಮೂಲಕ ಸಂಪರ್ಕಿಸಿ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ಶುಲ್ಕ ಸೃಷ್ಟಿ ಬಾಕಿ ಉಳಿದಿದೆ DocType: Project Template Task,Duration (Days),ಅವಧಿ (ದಿನಗಳು) DocType: Appraisal Goal,Score Earned,ಸ್ಕೋರ್ ಗಳಿಸಿದರು @@ -7505,7 +7578,6 @@ DocType: Landed Cost Item,Landed Cost Item,ಇಳಿಯಿತು ವೆಚ್ಚ 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,ಕಚ್ಚಾ ವಸ್ತುಗಳ givenName ಪ್ರಮಾಣದಲ್ಲಿ repacking / ತಯಾರಿಕಾ ನಂತರ ಪಡೆದುಕೊಂಡು ಐಟಂ ಪ್ರಮಾಣ DocType: Lab Test,Test Group,ಟೆಸ್ಟ್ ಗುಂಪು -apps/erpnext/erpnext/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","ಒಂದೇ ವಹಿವಾಟಿನ ಮೊತ್ತವು ಅನುಮತಿಸಲಾದ ಗರಿಷ್ಠ ಮೊತ್ತವನ್ನು ಮೀರಿದೆ, ವಹಿವಾಟುಗಳನ್ನು ವಿಭಜಿಸುವ ಮೂಲಕ ಪ್ರತ್ಯೇಕ ಪಾವತಿ ಆದೇಶವನ್ನು ರಚಿಸಿ" DocType: Service Level Agreement,Entity,ಅಸ್ತಿತ್ವ DocType: Payment Reconciliation,Receivable / Payable Account,ಸ್ವೀಕರಿಸುವಂತಹ / ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ DocType: Delivery Note Item,Against Sales Order Item,ಮಾರಾಟದ ಆರ್ಡರ್ ಐಟಂ ವಿರುದ್ಧ @@ -7675,6 +7747,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,ಲ DocType: Quality Inspection Reading,Reading 3,3 ಓದುವಿಕೆ DocType: Stock Entry,Source Warehouse Address,ಮೂಲ ವೇರ್ಹೌಸ್ ವಿಳಾಸ DocType: GL Entry,Voucher Type,ಚೀಟಿ ಪ್ರಕಾರ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,ಭವಿಷ್ಯದ ಪಾವತಿಗಳು 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 ,ಕೊನೆಯ ಚಟುವಟಿಕೆ @@ -7701,6 +7774,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,ಮೈದಾನದಲ್ಲಿ ಪತ್ತೆಯಾದ ರೋಗಗಳ ಪಟ್ಟಿ. ಆಯ್ಕೆಮಾಡಿದಾಗ ಅದು ರೋಗದೊಂದಿಗೆ ವ್ಯವಹರಿಸಲು ಕಾರ್ಯಗಳ ಪಟ್ಟಿಯನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸೇರಿಸುತ್ತದೆ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,ಇದು ಮೂಲ ಆರೋಗ್ಯ ಸೇವೆ ಘಟಕವಾಗಿದೆ ಮತ್ತು ಸಂಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. DocType: Asset Repair,Repair Status,ದುರಸ್ತಿ ಸ್ಥಿತಿ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","ವಿನಂತಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ: ಪ್ರಮಾಣ ಆದೇಶ ಖರೀದಿಗಾಗಿ ವಿನಂತಿಸಿದ , ಆದರೆ ." @@ -7715,6 +7789,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,ಪ್ರಮಾಣ ಚೇಂಜ್ ಖಾತೆ DocType: QuickBooks Migrator,Connecting to QuickBooks,ಕ್ವಿಕ್ಬುಕ್ಸ್ನಲ್ಲಿ ಸಂಪರ್ಕಿಸಲಾಗುತ್ತಿದೆ DocType: Exchange Rate Revaluation,Total Gain/Loss,ಒಟ್ಟು ಲಾಭ / ನಷ್ಟ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,ಆಯ್ಕೆ ಪಟ್ಟಿಯನ್ನು ರಚಿಸಿ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ಸಾಲು {0}: ಪಕ್ಷದ / ಖಾತೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ {1} / {2} ನಲ್ಲಿ {3} {4} DocType: Employee Promotion,Employee Promotion,ನೌಕರರ ಪ್ರಚಾರ DocType: Maintenance Team Member,Maintenance Team Member,ನಿರ್ವಹಣೆ ತಂಡದ ಸದಸ್ಯರು @@ -7798,6 +7873,7 @@ 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,ಆಸ್ತಿ ವರ್ಗ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ನಿವ್ವಳ ವೇತನ ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ @@ -7829,7 +7905,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,ಗುಣಮಟ್ಟದ ಗುರಿ DocType: BOM,Item to be manufactured or repacked,ಉತ್ಪಾದಿತ ಅಥವಾ repacked ಎಂದು ಐಟಂ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},ಷರತ್ತಿನಲ್ಲಿ ಸಿಂಟ್ಯಾಕ್ಸ್ ದೋಷ: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,ಗ್ರಾಹಕರಿಂದ ಯಾವುದೇ ಸಮಸ್ಯೆ ಎದ್ದಿಲ್ಲ. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST - .YYYY.- DocType: Employee Education,Major/Optional Subjects,ಮೇಜರ್ / ಐಚ್ಛಿಕ ವಿಷಯಗಳ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,ದಯವಿಟ್ಟು ಸೆಟ್ಟಿಂಗ್ಸ್ ಬೈಯಿಂಗ್ನಲ್ಲಿ ಸರಬರಾಜುದಾರ ಗುಂಪನ್ನು ಹೊಂದಿಸಿ. @@ -7921,8 +7996,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,ಕ್ರೆಡಿಟ್ ಡೇಸ್ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,ಲ್ಯಾಬ್ ಪರೀಕ್ಷೆಗಳನ್ನು ಪಡೆಯಲು ರೋಗಿಯನ್ನು ಆಯ್ಕೆಮಾಡಿ DocType: Exotel Settings,Exotel Settings,ಎಕ್ಸೊಟೆಲ್ ಸೆಟ್ಟಿಂಗ್‌ಗಳು -DocType: Leave Type,Is Carry Forward,ಮುಂದಕ್ಕೆ ಸಾಗಿಸುವ ಇದೆ +DocType: Leave Ledger Entry,Is Carry Forward,ಮುಂದಕ್ಕೆ ಸಾಗಿಸುವ ಇದೆ DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ಆಬ್ಸೆಂಟ್ ಅನ್ನು ಗುರುತಿಸಿರುವ ಕೆಲಸದ ಸಮಯಕ್ಕಿಂತ ಕಡಿಮೆ. (ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲು ಶೂನ್ಯ) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,ಸಂದೇಶ ಕಳುಹಿಸಿ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,BOM ಐಟಂಗಳು ಪಡೆಯಿರಿ 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,ಆದಾಯ ತೆರಿಗೆ ಖರ್ಚು diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv index 9ca23aa600..c089e5eaa2 100644 --- a/erpnext/translations/ko.csv +++ b/erpnext/translations/ko.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,공급자에게 알린다. apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,첫 번째 파티 유형을 선택하십시오 DocType: Item,Customer Items,고객 항목 +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,부채 DocType: Project,Costing and Billing,원가 계산 및 결제 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},선금 계정 통화는 회사 통화 {0}과 같아야합니다. DocType: QuickBooks Migrator,Token Endpoint,토큰 엔드 포인트 @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,측정의 기본 단위 DocType: SMS Center,All Sales Partner Contact,모든 판매 파트너 문의 DocType: Department,Leave Approvers,승인자를 남겨 DocType: Employee,Bio / Cover Letter,바이오 / 커버 레터 +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,아이템 검색 ... DocType: Patient Encounter,Investigations,수사 DocType: Restaurant Order Entry,Click Enter To Add,추가하려면 Enter를 클릭하십시오. apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","비밀번호, API 키 또는 Shopify URL 값 누락" DocType: Employee,Rented,대여 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,모든 계정 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,상태가 왼쪽 인 직원을 이전 할 수 없습니다. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","중지 생산 주문이 취소 될 수 없으며, 취소 먼저 ...의 마개를 따다" DocType: Vehicle Service,Mileage,사용량 apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,당신은 정말이 자산을 스크랩 하시겠습니까? DocType: Drug Prescription,Update Schedule,일정 업데이트 @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,고객 DocType: Purchase Receipt Item,Required By,에 의해 필요한 DocType: Delivery Note,Return Against Delivery Note,납품서에 대해 반환 DocType: Asset Category,Finance Book Detail,금융 도서 세부 사항 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,모든 감가 상각이 예약되었습니다 DocType: Purchase Order,% Billed,% 청구 apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,급여 번호 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),환율은 동일해야합니다 {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,일괄 상품 만료 상태 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,은행 어음 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,총 늦은 항목 DocType: Mode of Payment Account,Mode of Payment Account,지불 계정의 모드 apps/erpnext/erpnext/config/healthcare.py,Consultation,상의 DocType: Accounts Settings,Show Payment Schedule in Print,인쇄시 지불 일정 표시 @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,기본 연락처 세부 정보 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,알려진 문제 DocType: Production Plan Item,Production Plan Item,생산 계획 항목 +DocType: Leave Ledger Entry,Leave Ledger Entry,원장 출국 apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},사용자 {0}이 (가) 이미 직원에 할당 된 {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} 필드는 크기 {1}로 제한됩니다. DocType: Lab Test Groups,Add new line,새 줄 추가 apps/erpnext/erpnext/utilities/activation.py,Create Lead,리드 생성 DocType: Production Plan,Projected Qty Formula,예상 수량 공식 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,최 DocType: Purchase Invoice Item,Item Weight Details,품목 무게 세부 사항 DocType: Asset Maintenance Log,Periodicity,주기성 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,회계 연도는 {0} 필요 +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,순이익 / 손실 DocType: Employee Group Table,ERPNext User ID,ERPNext 사용자 ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,최적 성장을위한 식물의 줄 사이의 최소 거리 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,규정 된 절차를 받으려면 환자를 선택하십시오. @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,판매 가격리스트 DocType: Patient,Tobacco Current Use,담배 현재 사용 apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,판매율 -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,새 계정을 추가하기 전에 문서를 저장하십시오. 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 ...,무엇이든 검색 ... DocType: Company,Phone No,전화 번호 DocType: Delivery Trip,Initial Email Notification Sent,보낸 초기 전자 메일 알림 DocType: Bank Statement Settings,Statement Header Mapping,명령문 헤더 매핑 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,연 DocType: Exchange Rate Revaluation Account,Gain/Loss,손익 DocType: Crop,Perennial,다년생의 DocType: Program,Is Published,게시 됨 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,배송 메모 표시 apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",과금을 허용하려면 계정 설정 또는 항목에서 "청구 대금 초과"를 업데이트하십시오. DocType: Patient Appointment,Procedure,순서 DocType: Accounts Settings,Use Custom Cash Flow Format,맞춤형 현금 흐름 형식 사용 @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,정책 세부 정보 남김 DocType: BOM,Item Image (if not slideshow),상품의 이미지 (그렇지 않으면 슬라이드 쇼) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,행 # {0} : {2} 작업 주문 {3}의 완제품 수량에 대해 {1} 작업이 완료되지 않았습니다. 작업 카드 {4}를 통해 작업 상태를 업데이트하십시오. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","송금액을 생성하고, 필드를 설정하고 다시 시도하려면 {0}이 (가) 필수입니다." DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(시간 / 60) * 실제 작업 시간 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,행 번호 {0} : 참조 문서 유형은 경비 청구 또는 분개 중 하나 여야합니다. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,선택 BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,기간의 동안 수 상환 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,생산량은 0보다 작을 수 없습니다. DocType: Stock Entry,Additional Costs,추가 비용 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,기존 거래와 계정 그룹으로 변환 할 수 없습니다. DocType: Lead,Product Enquiry,제품 문의 DocType: Education Settings,Validate Batch for Students in Student Group,학생 그룹의 학생들을위한 배치 확인 @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,대학원에서 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,HR 설정에서 상태 알림 남기기에 대한 기본 템플릿을 설정하십시오. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,대상에 DocType: BOM,Total Cost,총 비용 +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,할당 만료! DocType: Soil Analysis,Ca/K,칼슘 / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,전달 된 최대 잎 DocType: Salary Slip,Employee Loan,직원 대출 DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,지불 요청 이메일 보내기 @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,부동 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,거래명세표 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,제약 DocType: Purchase Invoice Item,Is Fixed Asset,고정 자산입니다 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,향후 지불 표시 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT- .YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,은행 계좌가 이미 동기화되었습니다. DocType: Homepage,Homepage Section,홈페이지 섹션 @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,비료 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",\ Item {0}이 \ Serial No.로 배달 보장 여부와 함께 추가되므로 일련 번호로 배송 할 수 없습니다. -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,강사 네이밍 시스템> 교육 환경 설정 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,결제 적어도 하나의 모드는 POS 송장이 필요합니다. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},일괄 처리 된 항목 {0}에 배치 번호가 필요합니다. DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,은행 계좌 거래 송장 품목 @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,이용 약관 선택 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,제한 값 DocType: Bank Statement Settings Item,Bank Statement Settings Item,은행 계좌 명세서 설정 항목 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce 설정 +DocType: Leave Ledger Entry,Transaction Name,거래 명 DocType: Production Plan,Sales Orders,판매 주문 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,고객을 위해 여러 로열티 프로그램이 있습니다. 수동으로 선택하십시오. DocType: Purchase Taxes and Charges,Valuation,평가 @@ -461,6 +469,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: 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,업데이트 이메일 그룹 DocType: POS Profile,Only show Customer of these Customer Groups,이 고객 그룹의 고객에게만 표시하십시오. DocType: Sales Invoice,Is Opening Entry,개시 항목 @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,표준이 아닌 채권 계정 (해당되는 경우) 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,이 피킹리스트에 대해 재고 입력이 이미 생성되었습니다. DocType: Supplier Scorecard,Criteria Setup,기준 설정 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,창고가 필요한 내용은 이전에 제출 +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,에 수신 DocType: Codification Table,Medical Code,의료 코드 apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Amazon과 ERPNext 연결 @@ -486,7 +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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,은행 계좌가 추가되었습니다. -DocType: Delivery Stop,Contact Name,담당자 이름 +DocType: Call Log,Contact Name,담당자 이름 DocType: Plaid Settings,Synchronize all accounts every hour,매 시간마다 모든 계정 동기화 DocType: Course Assessment Criteria,Course Assessment Criteria,코스 평가 기준 DocType: Pricing Rule Detail,Rule Applied,규칙 적용 @@ -530,7 +540,6 @@ 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,판매 송장 번호 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,알 수없는 번호 DocType: Website Filter Field,Website Filter Field,웹 사이트 필터 입력란 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,공급 유형 DocType: Material Request Item,Min Order Qty,최소 주문 수량 @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,총 교장 금액 DocType: Student Guardian,Relation,관계 DocType: Quiz Result,Correct,옳은 DocType: Student Guardian,Mother,어머니 -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,site_config.json에 유효한 Plaid API 키를 먼저 추가하십시오. DocType: Restaurant Reservation,Reservation End Time,예약 종료 시간 DocType: Crop,Biennial,비엔날레 ,BOM Variance Report,BOM 차이 리포트 @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,격자 무늬 공개 키 DocType: Payment Term,Payment Term Name,지불 기간 이름 DocType: Healthcare Settings,Create documents for sample collection,샘플 수집을위한 문서 작성 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},에 대한 지불은 {0} {1} 뛰어난 금액보다 클 수 없습니다 {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,오프라인 POS 설정 DocType: Stock Entry Detail,Reference Purchase Receipt,구매 영수증 참조 DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,매트 - 리코 - .YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,의 변형 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',보다 '수량 제조하는'완료 수량은 클 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',보다 '수량 제조하는'완료 수량은 클 수 없습니다 +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,기준 기간 DocType: Period Closing Voucher,Closing Account Head,마감 계정 헤드 DocType: Employee,External Work History,외부 작업의 역사 apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,순환 참조 오류 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,학생 성적표 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,핀 코드에서 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,영업 사원 표시 DocType: Appointment Type,Is Inpatient,입원 환자인가 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 이름 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,당신은 배달 주를 저장 한 단어에서 (수출) 표시됩니다. @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,측정 기준 이름 apps/erpnext/erpnext/healthcare/setup.py,Resistant,저항하는 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{}에 호텔 객실 요금을 설정하십시오. +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,설정> 넘버링 시리즈를 통해 출석 용 넘버링 시리즈를 설정하십시오 DocType: Journal Entry,Multi Currency,멀티 통화 DocType: Bank Statement Transaction Invoice Item,Invoice Type,송장 유형 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,날짜 유효 기간은 날짜까지 유효해야합니다. @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,인정 DocType: Workstation,Rent Cost,임대 비용 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,금액 감가 상각 후 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,다가오는 일정 이벤트 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,변형 특성 @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,견적 요청 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,판매원을 인쇄물에 표시하십시오. 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,힘 @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,새로운 고객을 만들기 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,만료 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","여러 가격의 규칙이 우선 계속되면, 사용자는 충돌을 해결하기 위해 수동으로 우선 순위를 설정하라는 메시지가 표시됩니다." -DocType: Purchase Invoice,Scan Barcode,바코드 스캔 apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,구매 오더를 생성 ,Purchase Register,회원에게 구매 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,환자를 찾을 수 없음 @@ -817,6 +828,7 @@ DocType: Account,Old Parent,이전 부모 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,필수 입력란 - Academic Year apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,필수 입력란 - Academic Year apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1}은 (는) {2} {3}과 관련이 없습니다. +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}에 대해 트랜잭션이 허용되지 않습니다. @@ -860,6 +872,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,작업 표 기반의 급여에 대한 급여의 구성 요소. DocType: Driver,Applicable for external driver,외부 드라이버에 적용 가능 DocType: Sales Order Item,Used for Production Plan,생산 계획에 사용 +DocType: BOM,Total Cost (Company Currency),총 비용 (회사 통화) DocType: Loan,Total Payment,총 결제 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,완료된 작업 주문에 대해서는 거래를 취소 할 수 없습니다. DocType: Manufacturing Settings,Time Between Operations (in mins),(분에) 작업 사이의 시간 @@ -881,6 +894,7 @@ DocType: Supplier Scorecard Standing,Notify Other,다른 사람에게 알리기 DocType: Vital Signs,Blood Pressure (systolic),혈압 (수축기) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1}은 (는) {2}입니다. DocType: Item Price,Valid Upto,유효한 개까지 +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.,고객의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다. @@ -899,6 +913,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0}의 변경 사항 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,회사를 선택하세요 DocType: Employee Skill,Employee Skill,직원 기술 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,차이 계정 @@ -943,6 +958,7 @@ DocType: Patient,Risk Factors,위험 요소 DocType: Patient,Occupational Hazards and Environmental Factors,직업 위험 및 환경 요인 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,작업 공정을 위해 이미 생성 된 재고 항목 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,지난 주문보기 +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} 대화 DocType: Vital Signs,Respiratory rate,호흡 apps/erpnext/erpnext/config/help.py,Managing Subcontracting,관리 하도급 DocType: Vital Signs,Body Temperature,체온 @@ -984,6 +1000,7 @@ DocType: Purchase Invoice,Registered Composition,등록 된 작문 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,안녕하세요 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,이동 항목 DocType: Employee Incentive,Incentive Amount,인센티브 금액 +,Employee Leave Balance Summary,직원 휴가 잔액 요약 DocType: Serial No,Warranty Period (Days),보증 기간 (일) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,총 크레딧 / 차변 금액은 연결된 분개와 동일해야합니다. DocType: Installation Note Item,Installation Note Item,설치 노트 항목 @@ -997,6 +1014,7 @@ DocType: Vital Signs,Bloated,부푼 DocType: Salary Slip,Salary Slip Timesheet,급여 슬립 표 apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,하청 구입 영수증 필수 공급 업체 창고 DocType: Item Price,Valid From,유효 +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,귀하의 평가 : DocType: Sales Invoice,Total Commission,전체위원회 DocType: Tax Withholding Account,Tax Withholding Account,세금 원천 징수 계정 DocType: Pricing Rule,Sales Partner,영업 파트너 @@ -1004,6 +1022,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,모든 공급자 DocType: Buying Settings,Purchase Receipt Required,필수 구입 영수증 DocType: Sales Invoice,Rail,레일 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,실제 비용 +DocType: Item,Website Image,웹 사이트 이미지 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,행 {0}의 대상웨어 하우스는 작업 공정과 동일해야합니다. apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,열기 재고 입력 한 경우 평가 비율은 필수입니다 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,송장 테이블에있는 레코드 없음 @@ -1038,8 +1057,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,계정을 동기화하기 전에 Plaid API 구성을 완료하십시오. apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,반나절 날짜는 필수 항목입니다. DocType: Sales Order,Billing and Delivery Status,결제 및 배송 상태 DocType: Job Applicant,Resume Attachment,이력서 첨부 @@ -1051,7 +1070,6 @@ DocType: Production Plan,Production Plan,생산 계획 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,개설 송장 생성 도구 DocType: Salary Component,Round to the Nearest Integer,가장 가까운 정수로 반올림 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,판매로 돌아 가기 -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,참고 : 총 할당 잎 {0} 이미 승인 나뭇잎 이상이어야한다 {1} 기간 동안 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,일련 번호가없는 입력을 기준으로 트랜잭션의 수량 설정 ,Total Stock Summary,총 주식 요약 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1080,6 +1098,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,재 apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,원금 DocType: Loan Application,Total Payable Interest,총 채무이자 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},총 미납금 : {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,연락처 열기 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} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},직렬화 된 항목 {0}에 필요한 일련 번호 @@ -1089,6 +1108,7 @@ 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,업데이트 프로세스 중에 오류가 발생했습니다. DocType: Restaurant Reservation,Restaurant Reservation,식당 예약 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,아이템 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,제안서 작성 DocType: Payment Entry Deduction,Payment Entry Deduction,결제 항목 공제 DocType: Service Level Priority,Service Level Priority,서비스 수준 우선 순위 @@ -1097,6 +1117,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,배치 번호 시리즈 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,또 다른 판매 사람 {0} 같은 직원 ID 존재 DocType: Employee Advance,Claimed Amount,청구 금액 +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,할당 만료 DocType: QuickBooks Migrator,Authorization Settings,권한 부여 설정 DocType: Travel Itinerary,Departure Datetime,출발 날짜 / 시간 apps/erpnext/erpnext/hub_node/api.py,No items to publish,게시 할 항목이 없습니다. @@ -1166,7 +1187,6 @@ DocType: Student Batch Name,Batch Name,배치 이름 DocType: Fee Validity,Max number of visit,최대 방문 횟수 DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,손익 계정 필수 ,Hotel Room Occupancy,호텔 객실 점유 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,작업 표 작성 : apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},지불 모드로 기본 현금 또는 은행 계정을 설정하십시오 {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,싸다 DocType: GST Settings,GST Settings,GST 설정 @@ -1299,6 +1319,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,프로그램을 선택하십시오. DocType: Project,Estimated Cost,예상 비용 DocType: Request for Quotation,Link to material requests,자료 요청에 대한 링크 +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,게시 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,항공 우주 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,신용 카드 입력 @@ -1325,6 +1346,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,유동 자산 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} 재고 상품이 아닌 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New','교육 피드백'을 클릭 한 다음 '새로 만들기'를 클릭하여 의견을 공유하십시오. +DocType: Call Log,Caller Information,발신자 정보 DocType: Mode of Payment Account,Default Account,기본 계정 apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,먼저 샘플 보관 창고 재고 설정을 선택하십시오. apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,둘 이상의 컬렉션 규칙에 대해 다중 등급 프로그램 유형을 선택하십시오. @@ -1349,6 +1371,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,자동 자료 요청 생성 DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),반나절이 표시된 근무 시간. (사용하지 않으려면 0으로 설정) DocType: Job Card,Total Completed Qty,총 완성 된 수량 +DocType: HR Settings,Auto Leave Encashment,자동 휴가 현금 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,상실 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,당신은 열 '저널 항목에 대하여'에서 현재의 바우처를 입력 할 수 없습니다 DocType: Employee Benefit Application Detail,Max Benefit Amount,최대 혜택 금액 @@ -1378,9 +1401,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,구독자 DocType: Item Attribute Value,Item Attribute Value,항목 속성 값 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,환전은 구매 또는 판매에 적용 할 수 있어야합니다. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,만료 된 할당 만 취소 할 수 있습니다 DocType: Item,Maximum sample quantity that can be retained,보존 할 수있는 최대 샘플 양 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},행 {0} # 구매 주문 {3}에 대해 {1} 항목을 {2} 이상으로 이전 할 수 없습니다. apps/erpnext/erpnext/config/crm.py,Sales campaigns.,판매 캠페인. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,알 수없는 발신자 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1431,6 +1456,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,건강 관 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,문서의 이름 DocType: Expense Claim Detail,Expense Claim Type,비용 청구 유형 DocType: Shopping Cart Settings,Default settings for Shopping Cart,쇼핑 카트에 대한 기본 설정 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,아이템 저장 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,새로운 경비 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,기존 주문 수량 무시 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,타임 슬롯 추가 @@ -1443,6 +1469,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,보낸 초대장 검토 DocType: Shift Assignment,Shift Assignment,시프트 지정 DocType: Employee Transfer Property,Employee Transfer Property,직원 이전 속성 +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,주식 / 책임 계정 필드는 비워 둘 수 없습니다 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,시간은 시간보다 짧아야 함 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,생명 공학 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1525,11 +1552,13 @@ 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,새 연락처 만들기 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,코스 일정 DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B 보고서 DocType: Request for Quotation Supplier,Quote Status,견적 상태 DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,완료 상태 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},총 결제 금액은 {}보다 클 수 없습니다. DocType: Daily Work Summary Group,Select Users,사용자 선택 DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,호텔 객실 가격 항목 DocType: Loyalty Program Collection,Tier Name,계층 이름 @@ -1567,6 +1596,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST 금 DocType: Lab Test Template,Result Format,결과 형식 DocType: Expense Claim,Expenses,비용 DocType: Service Level,Support Hours,지원 시간 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,배달 쪽지 DocType: Item Variant Attribute,Item Variant Attribute,항목 변형 특성 ,Purchase Receipt Trends,구매 영수증 동향 DocType: Payroll Entry,Bimonthly,격월 @@ -1589,7 +1619,6 @@ DocType: Sales Team,Incentives,장려책 DocType: SMS Log,Requested Numbers,신청 번호 DocType: Volunteer,Evening,저녁 DocType: Quiz,Quiz Configuration,퀴즈 구성 -DocType: Customer,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,7 +1665,6 @@ apps/erpnext/erpnext/config/accounting.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,총 영점 수량 필터 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},작업에 대한 다음 {0} 일 시간 슬롯을 찾을 수 없습니다 {1} DocType: Work Order,Plan material for sub-assemblies,서브 어셈블리 계획 물질 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,전송 가능한 항목이 없습니다. @@ -1651,9 +1679,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,재주문 레벨을 유지하려면 재고 설정에서 자동 재주문을 활성화해야합니다. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,"이 유지 보수 방문을 취소하기 전, 재질 방문 {0} 취소" DocType: Pricing Rule,Rate or Discount,요금 또는 할인 +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,은행 계좌 정보 DocType: Vital Signs,One Sided,한쪽 편 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},일련 번호 {0} 항목에 속하지 않는 {1} -DocType: Purchase Receipt Item Supplied,Required Qty,필요한 수량 +DocType: Purchase Order Item Supplied,Required Qty,필요한 수량 DocType: Marketplace Settings,Custom Data,맞춤 데이터 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,기존 거래와 창고가 원장으로 변환 할 수 없습니다. DocType: Service Day,Service Day,봉사의 날 @@ -1681,7 +1710,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,계정 통화 DocType: Lab Test,Sample ID,샘플 ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,회사에 라운드 오프 계정을 언급 해주십시오 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,범위 DocType: Supplier,Default Payable Accounts,기본 미지급금 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,직원 {0} 활성화되지 않거나 존재하지 않습니다 @@ -1722,8 +1750,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,정보 요청 DocType: Course Activity,Activity Date,활동 날짜 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} 의 {} -,LeaderBoard,리더 보드 DocType: Sales Invoice Item,Rate With Margin (Company Currency),마진율 (회사 통화) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,카테고리 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,동기화 오프라인 송장 DocType: Payment Request,Paid,지불 DocType: Service Level,Default Priority,기본 우선 순위 @@ -1758,11 +1786,11 @@ 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,간접 소득 DocType: Student Attendance Tool,Student Attendance Tool,학생 출석 도구 DocType: Restaurant Menu,Price List (Auto created),가격표 (자동 생성) +DocType: Pick List Item,Picked Qty,선택된 수량 DocType: Cheque Print Template,Date Settings,날짜 설정 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,직원 승진 세부 사항 -,Company Name,회사 명 DocType: SMS Center,Total Message(s),전체 메시지 (들) DocType: Share Balance,Purchased,구매 한 DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,항목 속성에서 속성 값의 이름을 바꿉니다. @@ -1781,7 +1809,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,최근 시도 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} 휴가 유형의 경우 필수입니다. -DocType: BOM,Raw Material Cost(Company Currency),원료 비용 (기업 통화) 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,미터 @@ -1850,6 +1877,7 @@ DocType: Travel Itinerary,Train,기차 ,Delayed Item Report,지연된 품목 신고 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,적격 ITC DocType: Healthcare Service Unit,Inpatient Occupancy,입원 환자 +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,첫 번째 항목 게시 DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC- .YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,체크 아웃이 출석으로 간주되는 이동 종료 후 시간. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},지정하여 주시기 바랍니다 {0} @@ -1968,6 +1996,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,모든 BOM을 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,회사 간판 항목 생성 DocType: Company,Parent Company,모회사 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},{1}에 {0} 유형의 호텔 객실을 사용할 수 없습니다. +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,원자재 및 운영 변경 사항에 대한 BOM 비교 apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,{0} 문서가 성공적으로 정리되었습니다. DocType: Healthcare Practitioner,Default Currency,기본 통화 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,이 계정 조정 @@ -2002,6 +2031,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-양식 송장 세부 정보 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,결제 조정 송장 DocType: Clinical Procedure,Procedure Template,프로 시저 템플릿 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,아이템 게시 apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,공헌 % apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","구매 주문이 필요한 경우 구매 설정에 따라 == '예', 구매 송장 작성시 사용자가 {0} 항목에 대해 먼저 구매 주문서를 작성해야합니다." ,HSN-wise-summary of outward supplies,외주 공급에 대한 HSN 방식 요약 @@ -2014,7 +2044,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',설정 '에 추가 할인을 적용'하세요 DocType: Party Tax Withholding Config,Applicable Percent,해당 백분율 ,Ordered Items To Be Billed,청구 항목을 주문한 -DocType: Employee Checkin,Exit Grace Period Consequence,유예 기간 종료 퇴장 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,범위이어야한다보다는에게 범위 DocType: Global Defaults,Global Defaults,글로벌 기본값 apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,프로젝트 협력 초대 @@ -2022,13 +2051,11 @@ DocType: Salary Slip,Deductions,공제 DocType: Setup Progress Action,Action Name,작업 이름 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,시작 년도 apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,융자 만들기 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,현재 송장의 기간의 시작 날짜 DocType: Shift Type,Process Attendance After,프로세스 출석 이후 ,IRS 1099,국세청 1099 DocType: Salary Slip,Leave Without Pay,지불하지 않고 종료 DocType: Payment Request,Outward,외부 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,용량 계획 오류 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,주 / UT 세금 ,Trial Balance for Party,파티를위한 시산표 ,Gross and Net Profit Report,총 이익 및 순이익 보고서 @@ -2047,7 +2074,6 @@ DocType: Payroll Entry,Employee Details,직원의 자세한 사항 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}의 항목에 저작물이 필요합니다. -DocType: Setup Progress Action,Domains,도메인 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} 표시 @@ -2090,7 +2116,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,총 학부 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.",지불 방식은 구성되어 있지 않습니다. 계정 결제의 모드 또는 POS 프로필에 설정되어 있는지 확인하십시오. apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,동일 상품을 여러 번 입력 할 수 없습니다. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","또한 계정의 그룹에서 제조 될 수 있지만, 항목은 비 - 그룹에 대해 만들어 질 수있다" -DocType: Email Campaign,Lead,리드 고객 +DocType: Call Log,Lead,리드 고객 DocType: Email Digest,Payables,채무 DocType: Amazon MWS Settings,MWS Auth Token,MWS 인증 토큰 DocType: Email Campaign,Email Campaign For ,이메일 캠페인 대상 @@ -2102,6 +2128,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,청구 할 수 구매 주문 아이템 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,여신 한도 DocType: Purchase Invoice Item,Net Rate,인터넷 속도 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,고객을 선택하십시오. DocType: Leave Policy,Leave Allocations,배정 유지 @@ -2115,6 +2142,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,일 후 닫기 문제 ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,마켓 플레이스에 사용자를 추가하려면 System Manager 및 Item Manager 역할이있는 사용자 여야합니다. +DocType: Attendance,Early Exit,조기 출구 DocType: Job Opening,Staffing Plan,인력 충원 계획 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON은 제출 된 문서에서만 생성 할 수 있습니다. apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,직원 세금 및 혜택 @@ -2137,6 +2165,7 @@ DocType: Maintenance Team Member,Maintenance Role,유지 보수 역할 apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},중복 행 {0}과 같은 {1} DocType: Marketplace Settings,Disable Marketplace,마켓 플레이스 사용 중지 DocType: Quality Meeting,Minutes,의사록 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,특색 지어진 품목 ,Trial Balance,시산표 apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,완료 표시 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,찾을 수 없습니다 회계 연도 {0} @@ -2146,8 +2175,8 @@ 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,첫 번째 접두사를 선택하세요 DocType: Contract,Fulfilment Deadline,이행 마감 +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,가까운 DocType: Student,O-,영형- -DocType: Shift Type,Consequence,결과 DocType: Subscription Settings,Subscription Settings,구독 설정 DocType: Purchase Invoice,Update Auto Repeat Reference,자동 반복 참조 업데이트 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},휴무 기간 {0}에 대해 선택 가능한 공휴일 목록이 설정되지 않았습니다. @@ -2158,7 +2187,6 @@ DocType: Maintenance Visit Purpose,Work Done,작업 완료 apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,속성 테이블에서 하나 이상의 속성을 지정하십시오 DocType: Announcement,All Students,모든 학생 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,{0} 상품은 재고 항목 있어야합니다 -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,보기 원장 DocType: Grading Scale,Intervals,간격 DocType: Bank Statement Transaction Entry,Reconciled Transactions,조정 된 거래 @@ -2194,6 +2222,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",이 창고는 판매 주문을 작성하는 데 사용됩니다. 대체웨어 하우스는 "상점"입니다. DocType: Work Order,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,구매주기 동안 동일한 비율을 유지 DocType: Opportunity Item,Opportunity Item,기회 상품 DocType: Quality Action,Quality Review,품질 검토 @@ -2220,7 +2249,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,미결제 송장를 얻을 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,판매 주문 {0} 유효하지 않습니다 +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,견적 요청에 대한 새로운 경고 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,구매 주문은 당신이 계획하는 데 도움이 당신의 구입에 후속 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,실험실 처방전 @@ -2245,6 +2274,7 @@ DocType: Employee Onboarding,Notify users by email,사용자에게 이메일로 DocType: Travel Request,International,국제 노동자 동맹 DocType: Training Event,Training Event,교육 이벤트 DocType: Item,Auto re-order,자동 재 주문 +DocType: Attendance,Late Entry,늦은 입장 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,전체 달성 DocType: Employee,Place of Issue,문제의 장소 DocType: Promotional Scheme,Promotional Scheme Price Discount,프로모션 제도 가격 할인 @@ -2291,6 +2321,7 @@ DocType: Serial No,Serial No Details,일련 번호 세부 사항 DocType: Purchase Invoice Item,Item Tax Rate,항목 세율 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,파티 이름에서 apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,순 급여 금액 +DocType: Pick List,Delivery against Sales Order,판매 오더에 대한 납품 DocType: Student Group Student,Group Roll Number,그룹 롤 번호 DocType: Student Group Student,Group Roll Number,그룹 롤 번호 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",{0} 만 신용 계정은 자동 이체 항목에 링크 할 수 있습니다 들어 @@ -2364,7 +2395,6 @@ DocType: Contract,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,공급 업체 송장 날짜 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,이 값은 비례 일시 계수 계산에 사용됩니다. apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,당신은 쇼핑 카트를 활성화해야 DocType: Payment Entry,Writeoff,청구 취소 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS- .YYYY.- @@ -2378,6 +2408,7 @@ DocType: Delivery Trip,Total Estimated Distance,총 예상 거리 DocType: Invoice Discounting,Accounts Receivable Unpaid Account,채권 미 지불 계정 DocType: Tally Migration,Tally Company,탈리 컴퍼니 apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM 브라우저 +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},{0}에 대한 회계 측정 기준을 만들 수 없습니다. apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,이 교육 이벤트의 상태를 업데이트하십시오. DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,추가 공제 @@ -2387,7 +2418,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,비활성 판매 품목 DocType: Quality Review,Additional Information,추가 정보 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,총 주문액 -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,서비스 수준 계약 재설정. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,음식 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,고령화 범위 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS 클로징 바우처 세부 정보 @@ -2434,6 +2464,7 @@ 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,캠페인 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',승인 상태가 '승인'또는 '거부'해야 DocType: Healthcare Practitioner,Contacts and Address,연락처 및 주소 DocType: Shift Type,Determine Check-in and Check-out,체크인 및 체크 아웃 결정 @@ -2453,7 +2484,6 @@ DocType: Student Admission,Eligibility and Details,자격 및 세부 정보 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,매출 총 이익에 포함 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,고정 자산의 순 변화 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,요구 수량 -DocType: Company,Client Code,클라이언트 코드 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,유형 행 {0}에있는 '실제'의 책임은 상품 요금에 포함 할 수 없습니다 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},최대 : {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,날짜 시간에서 @@ -2522,6 +2552,7 @@ DocType: Journal Entry Account,Account Balance,계정 잔액 apps/erpnext/erpnext/config/accounting.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 (%),초과 이체 수당 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1} : 고객은 채권 계정에 필요한 {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),총 세금 및 요금 (회사 통화) DocType: Weather,Weather Parameter,날씨 매개 변수 @@ -2584,6 +2615,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,결근 시간 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,지출 된 총액을 토대로 여러 단계의 징수 요인이있을 수 있습니다. 그러나 구속에 대한 전환 요소는 모든 계층에서 항상 동일합니다. apps/erpnext/erpnext/config/help.py,Item Variants,항목 변형 apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Services (서비스) +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,직원에게 이메일 급여 슬립 DocType: Cost Center,Parent Cost Center,부모의 비용 센터 @@ -2594,7 +2626,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields", DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,선적시 Shopify에서 배송 노트 가져 오기 apps/erpnext/erpnext/templates/pages/projects.html,Show closed,쇼 폐쇄 DocType: Issue Priority,Issue Priority,이슈 우선 순위 -DocType: Leave Type,Is Leave Without Pay,지불하지 않고 남겨주세요 +DocType: Leave Ledger Entry,Is Leave Without Pay,지불하지 않고 남겨주세요 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,자산의 종류는 고정 자산 항목에 대해 필수입니다 DocType: Fee Validity,Fee Validity,요금 유효 기간 @@ -2643,6 +2675,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,창고에서 사용 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,업데이트 인쇄 형식 DocType: Bank Account,Is Company Account,법인 계정 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,유형 {0}을 남겨 둘 수 없습니다 +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},회사 {0}에 대한 여신 한도가 이미 정의되어 있습니다. DocType: Landed Cost Voucher,Landed Cost Help,착륙 비용 도움말 DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG- .YYYY.- DocType: Purchase Invoice,Select Shipping Address,선택 배송 주소 @@ -2667,6 +2700,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,양방향 DocType: Item,Manufacturers,제조사 @@ -2704,7 +2738,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,은행 계정 조정 계산서 DocType: Patient Encounter,Medical Coding,의료 코딩 DocType: Healthcare Settings,Reminder Message,알림 메시지 -,Lead Name,리드 명 +DocType: Call Log,Lead Name,리드 명 ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,탐광 @@ -2736,12 +2770,14 @@ DocType: Purchase Invoice,Supplier Warehouse,공급 업체 창고 DocType: Opportunity,Contact Mobile No,연락처 모바일 없음 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,회사 선택 ,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: Student Report Generation Tool,Print Section,단면 인쇄 DocType: Staffing Plan Detail,Estimated Cost Per Position,게재 순위 당 예상 비용 DocType: Employee,HR-EMP-,HR-EMP- 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,품질 회의 회의록 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,공급 업체> 공급 업체 유형 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,직원 소개 DocType: Student Group,Set 0 for no limit,제한 없음 0 설정 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,당신이 휴가를 신청하는 날 (들)은 휴일입니다. 당신은 휴가를 신청할 필요가 없습니다. @@ -2775,12 +2811,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,현금의 순 변화 DocType: Assessment Plan,Grading Scale,등급 규모 apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,측정 단위는 {0}보다 변환 계수 표에 두 번 이상 입력 한 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,이미 완료 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,손에 주식 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",나머지 혜택을 {0} 응용 프로그램에 \ pro-rata 구성 요소로 추가하십시오. apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',공공 행정 '% s'에 대한 회계 코드를 설정하십시오. -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},지불 요청이 이미 존재 {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,발행 항목의 비용 DocType: Healthcare Practitioner,Hospital,병원 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},수량 이하이어야한다 {0} @@ -2825,6 +2859,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,인적 자원 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,위 소득 DocType: Item Manufacturer,Item Manufacturer,품목 제조업체 +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,새로운 리드 만들기 DocType: BOM Operation,Batch Size,일괄 처리 크기 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,받지 않다 DocType: Journal Entry Account,Debit in Company Currency,회사 통화에서 직불 @@ -2845,9 +2880,11 @@ DocType: Bank Transaction,Reconciled,조정 DocType: Expense Claim,Total Amount Reimbursed,총 금액 상환 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,이이 차량에 대한 로그를 기반으로합니다. 자세한 내용은 아래 일정을 참조하십시오 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,급여 날짜는 직원의 가입 날짜보다 낮을 수 없습니다. +DocType: Pick List,Item Locations,품목 위치 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} 작성 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",지정 {0}에 대한 채용 정보가 이미 열려 있거나 채용 계획 {1}에 따라 채용이 완료되었습니다. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,최대 200 개의 항목을 게시 할 수 있습니다. DocType: Vital Signs,Constipated,변비 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},공급 업체 청구서를 {0} 일자 {1} DocType: Customer,Default Price List,기본 가격리스트 @@ -2941,6 +2978,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,실제 시작 이동 DocType: Tally Migration,Is Day Book Data Imported,데이 북 데이터 가져 오기 여부 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,마케팅 비용 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{1}의 {0} 단위를 사용할 수 없습니다. ,Item Shortage Report,매물 부족 보고서 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,표준 기준을 만들 수 없습니다. 조건의 이름을 변경하십시오. @@ -2964,6 +3002,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,은퇴 날짜 DocType: Upload Attendance,Get Template,양식 구하기 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,선택 목록 ,Sales Person Commission Summary,영업 인력위원회 요약 DocType: Material Request,Transferred,이전 됨 DocType: Vehicle,Doors,문 @@ -3044,7 +3083,7 @@ DocType: Sales Invoice Item,Customer's Item Code,고객의 상품 코드 DocType: Stock Reconciliation,Stock Reconciliation,재고 조정 DocType: Territory,Territory Name,지역 이름 DocType: Email Digest,Purchase Orders to Receive,구매 주문 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,작업중인 창고는 제출하기 전에 필요 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,작업중인 창고는 제출하기 전에 필요 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,구독에 동일한 결제주기의 계획 만 가질 수 있습니다. DocType: Bank Statement Transaction Settings Item,Mapped Data,매핑 된 데이터 DocType: Purchase Order Item,Warehouse and Reference,창고 및 참조 @@ -3120,6 +3159,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,게재 설정 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,데이터 가져 오기 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},탈퇴 유형 {0}에 허용되는 최대 휴가 시간은 {1}입니다. +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 개 항목 게시 DocType: SMS Center,Create Receiver List,수신기 목록 만들기 DocType: Student Applicant,LMS Only,LMS 만 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,사용 가능일은 구매 날짜 이후 여야합니다. @@ -3153,6 +3193,7 @@ DocType: Serial No,Delivery Document No,납품 문서 없음 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,생산 된 일련 번호를 기반으로 한 배송 확인 DocType: Vital Signs,Furry,모피 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},회사의 '자산 처분 이익 / 손실 계정'으로 설정하십시오 {0} +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}에 대상 위치가 필요합니다. @@ -3164,6 +3205,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},{0}의 모든 문제보기 DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,품질 회의 테이블 +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/templates/pages/help.html,Visit the forums,포럼 방문 DocType: Student,Student Mobile Number,학생 휴대 전화 번호 DocType: Item,Has Variants,변형을 가지고 @@ -3175,9 +3217,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,월별 분포의 DocType: Quality Procedure Process,Quality Procedure Process,품질 절차 과정 apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,일괄 ID는 필수 항목입니다. apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,일괄 ID는 필수 항목입니다. +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,먼저 고객을 선택하십시오 DocType: Sales Person,Parent Sales Person,부모 판매 사람 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,수령 할 수있는 항목이 기한이 지났습니다. apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,판매자와 구매자는 같을 수 없습니다. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,아직 조회수 없음 DocType: Project,Collect Progress,진행 상황 수집 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN- .YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,먼저 프로그램을 선택하십시오. @@ -3188,6 +3232,7 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial no {0} has been DocType: Supplier,Supplier of Goods or Services.,제품 또는 서비스의 공급. DocType: Budget,Fiscal Year,회계 연도 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: Bank Guarantee,Margin Money,증거금 @@ -3198,11 +3243,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,달성 DocType: Student Admission,Application Form Route,신청서 경로 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,계약 종료일은 오늘보다 짧을 수 없습니다. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,제출하려면 Ctrl + Enter DocType: Healthcare Settings,Patient Encounters in valid days,유효한 날의 환자 조우 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,그것은 지불하지 않고 종료되기 때문에 유형 {0}를 할당 할 수 없습니다 남겨주세요 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,당신이 판매 송장을 저장 한 단어에서 볼 수 있습니다. DocType: Lead,Follow Up,후속 조치 +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,코스트 센터 : {0}이 (가) 없습니다 DocType: Item,Is Sales Item,판매 상품입니다 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,항목 그룹 트리 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,{0} 항목을 직렬 제의 체크 항목 마스터에 대한 설정이 없습니다 @@ -3247,9 +3294,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,납품 수량 DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR- .YYYY.- DocType: Purchase Order Item,Material Request Item,자료 요청 항목 -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,먼저 영수증 {0}을 취소하십시오. apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,항목 그룹의 나무. DocType: Production Plan,Total Produced Qty,총 생산 수량 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,리뷰가 아직 없습니다. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,이 충전 유형에 대한보다 크거나 현재의 행의 수와 동일한 행 번호를 참조 할 수 없습니다 DocType: Asset,Sold,판매 ,Item-wise Purchase History,상품 현명한 구입 내역 @@ -3268,7 +3315,7 @@ DocType: Designation,Required Skills,필요한 기술 DocType: Inpatient Record,O Positive,긍정적 인 O apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,투자 DocType: Issue,Resolution Details,해상도 세부 사항 -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,거래 유형 +DocType: Leave Ledger Entry,Transaction Type,거래 유형 DocType: Item Quality Inspection Parameter,Acceptance Criteria,허용 기준 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,위의 표에 자료 요청을 입력하세요 apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,분개에 대해 상환하지 않음 @@ -3310,6 +3357,7 @@ DocType: Bank Account,Bank Account No,은행 계좌 번호 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,직원 세금 면제 서약 DocType: Patient,Surgical History,외과 적 병력 DocType: Bank Statement Settings Item,Mapped Header,매핑 된 헤더 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,인사 관리> HR 설정에서 직원 이름 지정 시스템을 설정하십시오 DocType: Employee,Resignation Letter Date,사직서 날짜 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,가격 규칙은 또한 수량에 따라 필터링됩니다. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},직원 {0}의 가입 날짜를 설정하십시오. @@ -3378,7 +3426,6 @@ DocType: Student Report Generation Tool,Add Letterhead,레터 헤드 추가 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} : 재료 명세서 (BOM) 항목 찾을 수 없습니다 {1} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,총 할당 된 잎 {0} 작을 수 없습니다 기간 동안 이미 승인 된 잎 {1}보다 DocType: Contract Fulfilment Checklist,Requirement,요구 사항 DocType: Journal Entry,Accounts Receivable,미수금 DocType: Quality Goal,Objectives,목표 @@ -3401,7 +3448,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,단일 거래 기준 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,이 값은 기본 판매 가격리스트에서 갱신됩니다. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,장바구니가 비어 있습니다. DocType: Email Digest,New Expenses,새로운 비용 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC 금액 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,드라이버 주소가 누락되어 경로를 최적화 할 수 없습니다. DocType: Shareholder,Shareholder,주주 DocType: Purchase Invoice,Additional Discount Amount,추가 할인 금액 @@ -3438,6 +3484,7 @@ DocType: Asset Maintenance Task,Maintenance Task,유지 보수 작업 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,GST 설정에서 B2C 한도를 설정하십시오. 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,주요 날짜 {2}에 대해 {0}에서 {1}까지의 환율을 찾을 수 없습니다. 통화 기록을 수동으로 작성하십시오. 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} 이제 기본 회계 연도이다.변경 내용을 적용하기 위해 브라우저를 새로 고침하십시오. @@ -3474,6 +3521,7 @@ DocType: Salary Component,Deduction,공제 DocType: Item,Retain Sample,샘플 보유 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,행 {0} : 시간에서와 시간은 필수입니다. DocType: Stock Reconciliation Item,Amount Difference,금액 차이 +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,이 페이지는 판매자로부터 구매하고자하는 품목을 추적합니다. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},상품 가격은 추가 {0} 가격 목록에서 {1} DocType: Delivery Stop,Order Information,주문 정보 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,이 영업 사원의 직원 ID를 입력하십시오 @@ -3502,6 +3550,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** 회계 연도는 ** 금융 년도 나타냅니다.모든 회계 항목 및 기타 주요 거래는 ** ** 회계 연도에 대해 추적됩니다. DocType: Opportunity,Customer / Lead Address,고객 / 리드 주소 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,공급 업체 성과표 설정 +DocType: Customer Credit Limit,Customer Credit Limit,고객 신용 한도 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,평가 계획 이름 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,대상 세부 정보 apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","회사가 SpA, SApA 또는 SRL 인 경우 적용 가능" @@ -3554,7 +3603,6 @@ DocType: Company,Transactions Annual History,거래 연혁 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,은행 이름 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-위 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,유동체 @@ -3608,6 +3656,7 @@ 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,추천 상품에 추가 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,1 년 이익 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,처리 중 @@ -3662,12 +3711,10 @@ 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,동일한 항목을 여러 번 허용 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,회사에 GST 번호가 없습니다. 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,직원 DocType: Question,Single Correct Answer,단일 정답 -DocType: Employee,Contact Details,연락처 세부 사항 DocType: C-Form,Received Date,받은 날짜 DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","당신이 판매 세금 및 요금 템플릿의 표준 템플릿을 생성 한 경우, 하나를 선택하고 아래 버튼을 클릭합니다." DocType: BOM Scrap Item,Basic Amount (Company Currency),기본 금액 (회사 통화) @@ -3697,12 +3744,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM 웹 사이트 운영 DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,공급자 점수 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,일정표 +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,총 결제 요청 금액은 {0} 금액보다 클 수 없습니다. DocType: Tax Withholding Rate,Cumulative Transaction Threshold,누적 트랜잭션 임계 값 DocType: Promotional Scheme Price Discount,Discount Type,할인 유형 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,총 청구 AMT 사의 DocType: Purchase Invoice Item,Is Free Item,자유 품목인가? +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,주문한 수량에 대해 더 많이 이체 할 수있는 비율입니다. 예 : 100 개를 주문한 경우 그리고 당신의 수당은 10 %이고 당신은 110 단위를 옮길 수 있습니다. DocType: Supplier,Warn RFQs,RFQ 경고 -apps/erpnext/erpnext/templates/pages/home.html,Explore,탐색 +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,탐색 DocType: BOM,Conversion Rate,전환율 apps/erpnext/erpnext/www/all-products/index.html,Product Search,제품 검색 ,Bank Remittance,은행 송금 @@ -3714,6 +3762,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,총 지불 금액 DocType: Asset,Insurance End Date,보험 종료일 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,유급 학생 지원자에게 의무적 인 학생 입학을 선택하십시오. +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,예산 목록 DocType: Campaign,Campaign Schedules,캠페인 일정 DocType: Job Card Time Log,Completed Qty,완료 수량 @@ -3736,6 +3785,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,새 주 DocType: Quality Inspection,Sample Size,표본 크기 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,수신 문서를 입력하세요 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,모든 상품은 이미 청구 된 +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,찍은 잎 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.','사건 번호에서'유효 기간을 지정하십시오 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,또한 비용 센터 그룹에서 할 수 있지만 항목이 아닌 그룹에 대해 할 수있다 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,할당 된 총 휴가는 해당 기간의 {1} 직원에 대한 {0} 휴가 유형의 최대 할당보다 많은 일입니다. @@ -3768,6 +3818,7 @@ DocType: Crop,Crop,수확고 DocType: Purchase Receipt,Supplier Delivery Note,공급자 납품서 apps/erpnext/erpnext/education/doctype/student_admission/templates/student_admission.html,Apply Now,지금 적용 DocType: Employee Tax Exemption Proof Submission Detail,Type of Proof,증명 유형 +apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html,Actual Qty {0} / Waiting Qty {1},실제 수량 {0} / 대기 수량 {1} DocType: Purchase Invoice,E-commerce GSTIN,전자 상거래 GSTIN DocType: Sales Order,Not Delivered,전달되지 않음 ,Bank Clearance Summary,은행 정리 요약 @@ -3834,6 +3885,8 @@ 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: Call Log,Received By,수신 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.,별도의 소득을 추적하고 제품 수직 또는 부서에 대한 비용. @@ -3887,6 +3940,7 @@ DocType: Support Search Source,Result Title Field,결과 제목 필드 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,통화 요약 DocType: Sample Collection,Collected Time,수집 시간 DocType: Employee Skill Map,Employee Skills,직원 기술 +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,연료비 DocType: Company,Sales Monthly History,판매 월별 기록 apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,세금 및 비용 표에 행을 하나 이상 설정하십시오. DocType: Asset Maintenance Task,Next Due Date,다음 마감일 @@ -3896,6 +3950,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,활력 DocType: Payment Entry,Payment Deductions or Loss,지불 공제 또는 손실 DocType: Soil Analysis,Soil Analysis Criterias,토양 분석 기준 apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,판매 또는 구매를위한 표준 계약 조건. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},{0}에서 행이 제거되었습니다. DocType: Shift Type,Begin check-in before shift start time (in minutes),근무 시작 시간 (분) 전에 체크인 시작 DocType: BOM Item,Item operation,아이템 조작 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,바우처 그룹 @@ -3921,11 +3976,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,직원의 급여 슬립은 {0} 이미이 기간 동안 생성 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,제약 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,유효한 위약 금액에 대해서만 휴가를 제출할 수 있습니다. +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,아이템 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,구입 한 항목의 비용 DocType: Employee Separation,Employee Separation Template,직원 분리 템플릿 DocType: Selling Settings,Sales Order Required,판매 주문 필수 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,판매자되기 -DocType: Shift Type,The number of occurrence after which the consequence is executed.,결과가 실행 된 후의 발생 수입니다. ,Procurement Tracker,조달 추적 장치 DocType: Purchase Invoice,Credit To,신용에 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,역전 된 ITC @@ -3938,6 +3993,7 @@ DocType: Quality Meeting,Agenda,비망록 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,유지 보수 일정의 세부 사항 DocType: Supplier Scorecard,Warn for new Purchase Orders,새 구매 주문 경고 DocType: Quality Inspection Reading,Reading 9,9 읽기 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Exotel 계정을 ERPNext에 연결하고 통화 기록을 추적하십시오 DocType: Supplier,Is Frozen,동결 DocType: Tally Migration,Processed Files,처리 된 파일 apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,그룹 노드웨어 하우스는 트랜잭션을 선택 할 수 없습니다 @@ -3947,6 +4003,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,완제품 항목에 DocType: Upload Attendance,Attendance To Date,날짜 출석 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,처방전 @@ -3972,7 +4029,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,요청자 apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},잘못된 참조 {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,다양한 홍보 계획을 적용하기위한 규칙. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{3} 생산 주문시 {0} ({1}) 수량은 ({2})} 보다 클 수 없습니다. DocType: Shipping Rule,Shipping Rule Label,배송 규칙 라벨 DocType: Journal Entry Account,Payroll Entry,급여 항목 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,요금 기록보기 @@ -3984,6 +4040,7 @@ DocType: Contract,Fulfilment Status,이행 상태 DocType: Lab Test Sample,Lab Test Sample,실험실 테스트 샘플 DocType: Item Variant Settings,Allow Rename Attribute Value,특성 값 이름 바꾸기 허용 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,빠른 분개 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,향후 지불 금액 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,BOM 어떤 항목 agianst 언급 한 경우는 속도를 변경할 수 없습니다 DocType: Restaurant,Invoice Series Prefix,송장 시리즈 접두사 DocType: Employee,Previous Work Experience,이전 작업 경험 @@ -4013,6 +4070,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,프로젝트 상태 DocType: UOM,Check this to disallow fractions. (for Nos),분수를 허용하려면이 옵션을 선택합니다. (NOS의 경우) DocType: Student Admission Program,Naming Series (for Student Applicant),시리즈 이름 지정 (학생 지원자의 경우) +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/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,실무자 서비스 단위 일정 @@ -4028,6 +4086,7 @@ DocType: Fiscal Year,Year End Date,연도 종료 날짜 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} 닫혀 @@ -4036,6 +4095,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,현재 재고을보세요 DocType: Purchase Invoice,ineligible,부적격 인 apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,재료 명세서 (BOM)의 나무 +DocType: BOM,Exploded Items,분해 아이템 DocType: Student,Joining Date,가입 날짜 ,Employees working on a holiday,휴일에 일하는 직원 ,TDS Computation Summary,TDS 계산 요약 @@ -4068,6 +4128,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),기본 요금 (재고 DocType: SMS Log,No of Requested SMS,요청 SMS 없음 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,승인 된 휴가 신청 기록과 일치하지 않습니다 지불하지 않고 남겨주세요 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,다음 단계 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,저장된 아이템 DocType: Travel Request,Domestic,하인 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,최상의 요금으로 지정된 항목을 제공하십시오 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,이전 날짜 이전에 사원 이체는 제출할 수 없습니다. @@ -4140,7 +4201,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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}에 이미 할당되어 있습니다. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,행 # {0} (지급 표) : 금액은 양수 여야합니다. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},더 많은 항목을 생성 할 수 없습니다 {0}보다 판매 주문 수량 {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},더 많은 항목을 생성 할 수 없습니다 {0}보다 판매 주문 수량 {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,총액에는 아무것도 포함되어 있지 않습니다. apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,이 문서에는 e-Way Bill이 이미 있습니다. apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,속성 값 선택 @@ -4175,12 +4236,10 @@ 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,설치 회사 -DocType: Shift Type,Enable Different Consequence for Early Exit,조기 퇴출시 다른 결과 활성화 ,Lab Test Report,실험실 테스트 보고서 DocType: Employee Benefit Application,Employee Benefit Application,직원 복리 신청서 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,추가 급여 구성 요소가 있습니다. DocType: Purchase Invoice,Unregistered,미등록 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,제발 배달 주 처음 DocType: Student Applicant,Application Date,신청 날짜 DocType: Salary Component,Amount based on formula,양 식에 따라 DocType: Purchase Invoice,Currency and Price List,통화 및 가격 목록 @@ -4209,6 +4268,7 @@ DocType: Purchase Receipt,Time at which materials were received,재료가 수신 DocType: Products Settings,Products per Page,페이지 당 제품 수 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,청구 날짜 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,할당 된 금액은 음수 일 수 없습니다. DocType: Sales Order,Billing Status,결제 상태 apps/erpnext/erpnext/public/js/conf.js,Report an Issue,문제 신고 @@ -4218,6 +4278,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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} 또는 이미 다른 쿠폰에 대해 일치 DocType: Supplier Scorecard Criteria,Criteria Weight,기준 무게 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,계정 : {0}은 (는) 결제 입력에서 허용되지 않습니다 DocType: Production Plan,Ignore Existing Projected Quantity,기존 예상 수량 무시 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,승인 통지 남기기 DocType: Buying Settings,Default Buying Price List,기본 구매 가격 목록 @@ -4226,6 +4287,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},행 {0} : 자산 항목 {1}의 위치 입력 DocType: Employee Checkin,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.","기타 회사, 통화, 당해 사업 연도와 같은 기본값을 설정" DocType: Payment Entry,Payment Type,지불 유형 apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,{0} 항목에 대한 배치를 선택하십시오. 이 요구 사항을 충족하는 단일 배치를 찾을 수 없습니다. @@ -4255,6 +4317,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,쇼핑 카트 설정 DocType: Journal Entry,Accounting Entries,회계 항목 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.","'가격'에 대해 가격 결정 규칙을 선택한 경우 가격 목록을 덮어 씁니다. 가격 결정 률은 최종 요금이므로 더 이상의 할인은 적용되지 않습니다. 따라서 판매 주문, 구매 주문 등과 같은 거래에서는 '가격 목록'필드가 아닌 '요율'필드에서 가져옵니다." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,교육> 교육 설정에서 강사 명명 시스템을 설정하십시오 DocType: Journal Entry,Paid Loan,유료 대출 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,참고 마감일 @@ -4271,12 +4334,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks 세부 정보 apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,시간 시트 없음 DocType: GoCardless Mandate,GoCardless Customer,GoCardless 고객 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} 수행-전달할 수 없습니다 유형을 남겨주세요 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',유지 보수 일정은 모든 항목에 대해 생성되지 않습니다.'생성 일정'을 클릭 해주세요 ,To Produce,생산 DocType: Leave Encashment,Payroll,급여 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}도 포함해야 DocType: Healthcare Service Unit,Parent Service Unit,학부모 서비스 부서 DocType: Packing Slip,Identification of the package for the delivery (for print),(프린트) 전달을위한 패키지의 식별 +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,서비스 수준 계약이 재설정되었습니다. DocType: Bin,Reserved Quantity,예약 주문 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,유효한 이메일 주소를 입력하십시오. apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,올바른 이메일 주소를 입력하십시오. @@ -4298,7 +4363,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,가격 또는 제품 할인 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,행 {0} : 계획 수량 입력 DocType: Account,Income Account,수익 계정 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 DocType: Payment Request,Amount in customer's currency,고객의 통화 금액 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,배달 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,구조 지정 중 ... @@ -4321,6 +4385,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,참조 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?,이전에 생성 된 송장에 대한 기록을 잃게됩니다. 이 구독을 다시 시작 하시겠습니까? @@ -4376,11 +4441,10 @@ DocType: Additional Salary,HR User,HR 사용자 DocType: Bank Guarantee,Reference Document Name,참조 문서 이름 DocType: Purchase Invoice,Taxes and Charges Deducted,차감 세금과 요금 DocType: Support Settings,Issues,문제 -DocType: Shift Type,Early Exit Consequence after,조기 퇴거 후 결과 DocType: Loyalty Program,Loyalty Program Name,로열티 프로그램 이름 apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},상태 중 하나 여야합니다 {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,보낸 GSTIN을 업데이트하라는 알림 -DocType: Sales Invoice,Debit To,To 직불 +DocType: Discounted Invoice,Debit To,To 직불 DocType: Restaurant Menu Item,Restaurant Menu Item,식당 메뉴 항목 DocType: Delivery Note,Required only for sample item.,단지 샘플 항목에 필요합니다. DocType: Stock Ledger Entry,Actual Qty After Transaction,거래 후 실제 수량 @@ -4463,6 +4527,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,매개 변수 이름 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,만 제출할 수 있습니다 '거부' '승인'상태와 응용 프로그램을 남겨주세요 apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,치수 만들기 ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},학생 그룹 이름은 행의 필수 {0} +DocType: Customer Credit Limit,Bypass credit limit_check,여신 한도 우회 DocType: Homepage,Products to be shown on website homepage,제품 웹 사이트 홈페이지에 표시하기 DocType: HR Settings,Password Policy,암호 정책 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,이 루트 고객 그룹 및 편집 할 수 없습니다. @@ -4522,10 +4587,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),만 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,레스토랑 설정에서 기본 고객을 설정하십시오. ,Salary Register,연봉 회원 가입 DocType: Company,Default warehouse for Sales Return,판매 반환을위한 기본 창고 -DocType: Warehouse,Parent Warehouse,부모 창고 +DocType: Pick List,Parent Warehouse,부모 창고 DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},항목 {0} 및 프로젝트 {1}에 대한 기본 BOM을 찾을 수 없습니다 +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} : 지급 일정에 지급 방식을 설정하십시오. apps/erpnext/erpnext/config/non_profit.py,Define various loan types,다양한 대출 유형을 정의 DocType: Bin,FCFS Rate,FCFS 평가 @@ -4562,6 +4627,7 @@ DocType: Travel Itinerary,Lodging Required,숙박 필요 DocType: Promotional Scheme,Price Discount Slabs,가격 할인 석판 DocType: Stock Reconciliation Item,Current Serial No,현재 일련 번호 DocType: Employee,Attendance and Leave Details,출석 및 휴가 세부 정보 +,BOM Comparison Tool,BOM 비교 도구 ,Requested,요청 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,없음 비고 DocType: Asset,In Maintenance,유지 관리 중 @@ -4584,6 +4650,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,기본 서비스 수준 계약 DocType: SG Creation Tool Course,Course Code,코스 코드 apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,{0}에 대한 하나 이상의 선택 사항이 허용되지 않습니다. +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,원자재 수량은 완제품 품목 수량에 따라 결정됩니다. DocType: Location,Parent Location,상위 위치 DocType: POS Settings,Use POS in Offline Mode,오프라인 모드에서 POS 사용 apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,우선 순위가 {0} (으)로 변경되었습니다. @@ -4602,7 +4669,7 @@ DocType: Stock Settings,Sample Retention Warehouse,샘플 보관 창고 DocType: Company,Default Receivable Account,기본 채권 계정 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,투영 된 수식 DocType: Sales Invoice,Deemed Export,간주 수출 -DocType: Stock Entry,Material Transfer for Manufacture,제조에 대한 자료 전송 +DocType: Pick List,Material Transfer for Manufacture,제조에 대한 자료 전송 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.,할인 비율은 가격 목록에 대해 또는 전체 가격 목록에 하나를 적용 할 수 있습니다. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,재고에 대한 회계 항목 DocType: Lab Test,LabTest Approver,LabTest 승인자 @@ -4645,7 +4712,6 @@ DocType: Training Event,Theory,이론 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,경고 : 수량 요청 된 자료는 최소 주문 수량보다 적은 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,계정 {0} 동결 DocType: Quiz Question,Quiz Question,퀴즈 질문 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,공급 업체> 공급 업체 유형 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","음식, 음료 및 담배" @@ -4664,6 +4730,7 @@ 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,예상 시간 및 비용 +apps/erpnext/erpnext/controllers/stock_controller.py,Quality Inspection: {0} is not submitted for the item: {1} in row {2},품질 검사 : {2} 행의 {1} 품목에 대해 {0}이 (가) 제출되지 않았습니다. DocType: Bin,Bin,큰 상자 DocType: Bank Transaction,Bank Transaction,은행 거래 DocType: Crop,Crop Name,자르기 이름 @@ -4675,6 +4742,7 @@ 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,게시 된 항목 DocType: Account,Expense Account,비용 계정 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,소프트웨어 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,컬러 @@ -4713,6 +4781,7 @@ 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,모든 은행 거래가 생성되었습니다. DocType: Fee Validity,Visited yet,아직 방문하지 않았습니다. +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,최대 8 개의 항목을 추천 할 수 있습니다. 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.,판매 트랜잭션을 기준으로 프로젝트 및 회사를 얼마나 자주 업데이트해야합니까? @@ -4720,7 +4789,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,보관 온도 @@ -4745,7 +4813,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,시간 단위의 U DocType: Contract,Signee Details,서명자 세부 정보 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0}에는 현재 {1} 공급 업체 성과표가 기재되어 있으며이 공급 업체에 대한 RFQ는주의해서 발행해야합니다. DocType: Certified Consultant,Non Profit Manager,비영리 관리자 -DocType: BOM,Total Cost(Company Currency),총 비용 (기업 통화) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,일련 번호 {0} 생성 DocType: Homepage,Company Description for website homepage,웹 사이트 홈페이지에 대한 회사 설명 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","고객의 편의를 위해, 이러한 코드는 송장 배송 메모와 같은 인쇄 포맷으로 사용될 수있다" @@ -4774,7 +4841,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,구매 DocType: Amazon MWS Settings,Enable Scheduled Synch,예약 된 동기화 사용 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,날짜 시간에 apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,SMS 전달 상태를 유지하기위한 로그 -DocType: Shift Type,Early Exit Consequence,조기 퇴거 결과 DocType: Accounts Settings,Make Payment via Journal Entry,분개를 통해 결제하기 apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,한 번에 500 개 이상의 항목을 만들지 마세요. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,인쇄에 @@ -4831,6 +4897,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,한계를 넘 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,비밀 +DocType: Plaid Settings,Plaid Secret,격자 무늬의 비밀 DocType: Company,Date of Establishment,설립 일자 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,벤처 캐피탈 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,이 '학년'과 학술 용어는 {0}과 '기간 이름'{1} 이미 존재합니다. 이 항목을 수정하고 다시 시도하십시오. @@ -4893,6 +4960,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,고객 유형 DocType: Compensatory Leave Request,Leave Allocation,휴가 배정 DocType: Payment Request,Recipient Message And Payment Details,받는 사람의 메시지와 지불 세부 사항 +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,배송 메모를 선택하십시오 DocType: Support Search Source,Source DocType,원본 DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,새 티켓을여십시오. DocType: Training Event,Trainer Email,트레이너 이메일 @@ -5015,6 +5083,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,전달 잎을 운반 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','시작일자'는 '마감일자' 이전이어야 합니다 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,이 지정에 대한 직원 채용 계획 없음 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,{1} 항목의 일괄 처리 {0}이 (가) 비활성화되었습니다. @@ -5036,7 +5105,7 @@ DocType: Clinical Procedure,Patient,환자 apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,판매 주문서에서 신용 체크 무시 DocType: Employee Onboarding Activity,Employee Onboarding Activity,직원 입회 활동 DocType: Location,Check if it is a hydroponic unit,그것이 수경 단위인지 확인하십시오 -DocType: Stock Reconciliation Item,Serial No and Batch,일련 번호 및 배치 +DocType: Pick List Item,Serial No and Batch,일련 번호 및 배치 DocType: Warranty Claim,From Company,회사에서 DocType: GSTR 3B Report,January,일월 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,평가 기준의 점수의 합 {0} 할 필요가있다. @@ -5061,7 +5130,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,회사 간 거래에 대해 {0}이 (가) 없습니다. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,렌트카 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,회사 소개 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,계정에 신용은 대차 대조표 계정이어야합니다 @@ -5094,11 +5162,13 @@ apps/erpnext/erpnext/config/accounting.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 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,엔 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,남은 DocType: Appraisal,Appraisal,펑가 DocType: Loan,Loan Account,대출 계좌 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,유효 기간 및 유효 기간은 누적 된 항목에 대해 필수 항목입니다. +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",행 {1}의 품목 {0}에 대해 일련 번호의 수가 선택된 수량과 일치하지 않습니다. DocType: Purchase Invoice,GST Details,GST 세부 정보 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,이것은이 의료 종사자와의 거래를 기반으로합니다. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},공급 업체에 보낸 이메일 {0} @@ -5162,6 +5232,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),패키지의 총 무게.보통 그물 무게 + 포장 재료의 무게. (프린트) DocType: Assessment Plan,Program,프로그램 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,이 역할이있는 사용자는 고정 된 계정에 대한 계정 항목을 수정 / 동결 계정을 설정하고 만들 수 있습니다 +DocType: Plaid Settings,Plaid Environment,격자 무늬 환경 ,Project Billing Summary,프로젝트 결제 요약 DocType: Vital Signs,Cuts,자르다 DocType: Serial No,Is Cancelled,취소된다 @@ -5224,7 +5295,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,주 : 시스템이 항목에 대한 납품에 이상 - 예약 확인하지 않습니다 {0} 수량 또는 금액으로 0이됩니다 DocType: Issue,Opening Date,Opening 날짜 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,환자를 먼저 저장하십시오. -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,새 연락처 만들기 apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,출석이 성공적으로 표시되었습니다. DocType: Program Enrollment,Public Transport,대중 교통 DocType: Sales Invoice,GST Vehicle Type,GST 차량 유형 @@ -5251,6 +5321,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,공급 업 DocType: POS Profile,Write Off Account,감액계정 DocType: Patient Appointment,Get prescribed procedures,처방 된 절차 받기 DocType: Sales Invoice,Redemption Account,사용 계정 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,먼저 품목 위치 테이블에서 품목을 추가하십시오. DocType: Pricing Rule,Discount Amount,할인 금액 DocType: Pricing Rule,Period Settings,기간 설정 DocType: Purchase Invoice,Return Against Purchase Invoice,에 대하여 구매 송장을 돌려줍니다 @@ -5283,7 +5354,6 @@ DocType: Assessment Plan,Assessment Plan,평가 계획 DocType: Travel Request,Fully Sponsored,후원사 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,역 분개 항목 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,작업 카드 생성 -DocType: Shift Type,Consequence after,결과 후 DocType: Quality Procedure Process,Process Description,프로세스 설명 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,고객 {0}이 (가) 생성되었습니다. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,현재 어떤 창고에서도 재고가 없습니다. @@ -5318,6 +5388,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,통관 날짜 DocType: Delivery Settings,Dispatch Notification Template,발송 통지 템플릿 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,평가 보고서 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,직원 확보 +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,제품 설명에게 주소 @@ -5411,7 +5482,6 @@ DocType: Stock Settings,Use Naming Series,이름 지정 시리즈 사용 apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,조치 없음 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,평가 유형 요금은 포괄적으로 표시 할 수 없습니다 DocType: POS Profile,Update Stock,재고 업데이트 -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,항목에 대해 서로 다른 UOM가 잘못 (총) 순 중량 값으로 이어질 것입니다.각 항목의 순 중량이 동일한 UOM에 있는지 확인하십시오. DocType: Certification Application,Payment Details,지불 세부 사항 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM 평가 @@ -5447,7 +5517,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,이 루트 판매 사람 및 편집 할 수 없습니다. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",이 요소를 선택하면이 구성 요소에서 지정되거나 계산 된 값이 수입 또는 공제에 기여하지 않습니다. 그러나 값은 추가하거나 차감 할 수있는 다른 구성 요소에 의해 참조 될 수 있습니다. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",이 요소를 선택하면이 구성 요소에서 지정되거나 계산 된 값이 수입 또는 공제에 기여하지 않습니다. 그러나 값은 추가하거나 차감 할 수있는 다른 구성 요소에 의해 참조 될 수 있습니다. -DocType: Asset Settings,Number of Days in Fiscal Year,회계 연도의 일 수 ,Stock Ledger,재고 원장 DocType: Company,Exchange Gain / Loss Account,교환 이득 / 손실 계정 DocType: Amazon MWS Settings,MWS Credentials,MWS 자격증 명 @@ -5483,6 +5552,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,은행 파일의 열 apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},학생 {1}에게 이미 {0} 신청서를 남깁니다. apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,모든 BOM에서 최신 가격 업데이트 대기. 몇 분이 소요될 수 있습니다. +DocType: Pick List,Get Item Locations,아이템 위치 가져 오기 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,새로운 계정의 이름입니다. 참고 : 고객 및 공급 업체에 대한 계정을 생성하지 마십시오 DocType: POS Profile,Display Items In Stock,재고 표시 항목 apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,국가 현명한 기본 주소 템플릿 @@ -5506,6 +5576,7 @@ DocType: Crop,Materials Required,필요한 자료 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,어떤 학생들은 찾을 수 없음 DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,월간 HRA 면제 DocType: Clinical Procedure,Medical Department,의료부 +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,총 조기 이탈 DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,공급 업체 성과표 채점 기준 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,송장 전기 일 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,팔다 @@ -5517,11 +5588,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","이 문서를 취소하려면 직원 {0} \을 (를) 삭제하십시오." DocType: Program Enrollment,School House,학교 하우스 DocType: Serial No,Out of AMC,AMC의 아웃 DocType: Opportunity,Opportunity Amount,기회 금액 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,당신의 프로필 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,예약 감가 상각의 수는 감가 상각의 총 수보다 클 수 없습니다 DocType: Purchase Order,Order Confirmation Date,주문 확인 날짜 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI- .YYYY.- @@ -5615,7 +5685,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","비율, 주식 수 및 계산 된 금액간에 불일치가 있습니다." apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,보상 휴가 요청 일 사이에는 하루 종일 출석하지 않습니다. apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,다시 입력 회사 이름은 확인하시기 바랍니다 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,총 발행 AMT 사의 DocType: Journal Entry,Printing Settings,인쇄 설정 DocType: Payment Order,Payment Order Type,지불 주문 유형 DocType: Employee Advance,Advance Account,사전 계정 @@ -5705,7 +5774,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,올해의 이름 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,이번 달 작업 일 이상 휴일이 있습니다. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,다음 항목 {0}은 (는) {1} 항목으로 표시되지 않았습니다. 아이템 마스터에서 아이템을 {1} 아이템으로 사용할 수 있습니다 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,번들 제품 항목 DocType: Sales Partner,Sales Partner Name,영업 파트너 명 apps/erpnext/erpnext/hooks.py,Request for Quotations,견적 요청 @@ -5714,7 +5782,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,정상 검사 항목 DocType: QuickBooks Migrator,Company Settings,회사 설정 DocType: Additional Salary,Overwrite Salary Structure Amount,급여 구조 금액 덮어 쓰기 -apps/erpnext/erpnext/config/hr.py,Leaves,이파리 +DocType: Leave Ledger Entry,Leaves,이파리 DocType: Student Language,Student Language,학생 언어 DocType: Cash Flow Mapping,Is Working Capital,근로 자본 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,증명 제출 @@ -5722,12 +5790,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,주문 / 견적 apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,기록 환자의 생명 DocType: Fee Schedule,Institution,제도 -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: Asset,Partially Depreciated,부분적으로 상각 DocType: Issue,Opening Time,영업 시간 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,일자 및 끝 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,증권 및 상품 교환 -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},{0}의 전화 요약 : {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,문서 도구 검색 apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',변형에 대한 측정의 기본 단위는 '{0}'템플릿에서와 동일해야합니다 '{1}' DocType: Shipping Rule,Calculate Based On,에 의거에게 계산 @@ -5774,6 +5840,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,최대 허용치 DocType: Journal Entry Account,Employee Advance,직원 진출 DocType: Payroll Entry,Payroll Frequency,급여 주파수 +DocType: Plaid Settings,Plaid Client ID,격자 무늬 클라이언트 ID DocType: Lab Test Template,Sensitivity,감광도 DocType: Plaid Settings,Plaid Settings,격자 무늬 설정 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,최대 재시도 횟수를 초과하여 동기화가 일시적으로 사용 중지되었습니다. @@ -5791,6 +5858,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,첫 번째 게시 날짜를 선택하세요 apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,날짜를 열기 날짜를 닫기 전에해야 DocType: Travel Itinerary,Flight,비행 +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,홈으로 DocType: Leave Control Panel,Carry Forward,이월하다 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,기존의 트랜잭션 비용 센터 원장으로 변환 할 수 없습니다 DocType: Budget,Applicable on booking actual expenses,실제 비용을 예약 할 때 적용 가능 @@ -5847,6 +5915,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,견적을 만들 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,당신은 블록 날짜에 잎을 승인 할 수있는 권한이 없습니다 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} {1} 요청 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,이러한 모든 항목이 이미 청구 된 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,지정한 필터를 규정하는 {0} {1}에 대한 미해결 송장이 없습니다. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,새 출시 날짜 설정 DocType: Company,Monthly Sales Target,월간 판매 목표 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,미결제 인보이스가 없습니다. @@ -5894,6 +5963,7 @@ DocType: Batch,Source Document Name,원본 문서 이름 DocType: Batch,Source Document Name,원본 문서 이름 DocType: Production Plan,Get Raw Materials For Production,생산 원료 확보 DocType: Job Opening,Job Title,직책 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,향후 결제 참조 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.",{0}은 {1}이 따옴표를 제공하지 않지만 모든 항목은 인용 된 것을 나타냅니다. RFQ 견적 상태 갱신. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,최대 샘플 - {0}은 배치 {1}의 배치 {1} 및 항목 {2}에 대해 이미 보유되었습니다. @@ -5904,12 +5974,10 @@ 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: Company,Product Code,제품 코드 DocType: Quality Review Table,Objective,목표 DocType: Supplier Scorecard,Per Month,달마다 DocType: Education Settings,Make Academic Term Mandatory,학업 기간 필수 필수 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,제조하는 수량은 0보다 커야합니다. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,회계 연도에 따라 비례 감가 상각표 계산 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,제조하는 수량은 0보다 커야합니다. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,유지 보수 통화에 대해 보고서를 참조하십시오. DocType: Stock Entry,Update Rate and Availability,업데이트 속도 및 가용성 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 대를 주문한 경우. 당신의 수당은 다음 110 단위를받을 10 % 허용된다. @@ -5921,7 +5989,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,출시 날짜가 미래 여야합니다. DocType: BOM,Website Description,웹 사이트 설명 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,자본에 순 변경 -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,첫 번째 구매 송장 {0}을 취소하십시오 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,허용되지 않습니다. 서비스 단위 유형을 비활성화하십시오. apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","이메일 주소는 이미 존재, 고유해야합니다 {0}" DocType: Serial No,AMC Expiry Date,AMC 유효 날짜 @@ -5965,6 +6032,7 @@ DocType: Pricing Rule,Price Discount Scheme,가격 할인 제도 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,제출하려면 유지 보수 상태를 취소하거나 완료해야합니다. DocType: Amazon MWS Settings,US,우리 DocType: Holiday List,Add Weekly Holidays,주간 공휴일 추가 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,보고서 항목 DocType: Staffing Plan Detail,Vacancies,공석 DocType: Hotel Room,Hotel Room,호텔 방 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},계정 {0} 수행은 회사 소유하지 {1} @@ -6016,12 +6084,15 @@ DocType: Email Digest,Open Quotations,인용문 열기 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","이 문서를 취소하려면 직원 {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,기본 금액 @@ -6035,6 +6106,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,빈 DocType: Patient,Alcohol Past Use,알콜 과거 사용 DocType: Fertilizer Content,Fertilizer Content,비료 내용 +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,설명이 없습니다 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,CR DocType: Tax Rule,Billing State,결제 주 DocType: Quality Goal,Monitoring Frequency,모니터링 빈도 @@ -6052,6 +6124,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,마감 날짜는 다음 문의 날짜 이전 일 수 없습니다. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,배치 항목 DocType: Journal Entry,Pay To / Recd From,지불 / 수취처 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,게시 취소 항목 DocType: Naming Series,Setup Series,설치 시리즈 DocType: Payment Reconciliation,To Invoice Date,날짜를 청구 할 DocType: Bank Account,Contact HTML,연락 HTML @@ -6073,6 +6146,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,소매의 DocType: Student Attendance,Absent,없는 DocType: Staffing Plan,Staffing Plan Detail,인력 계획 세부 사항 DocType: Employee Promotion,Promotion Date,프로모션 날짜 +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,휴가 할당 % s은 휴가 응용 프로그램 % s와 연결되어 있습니다. 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} @@ -6107,9 +6181,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,송장 {0}이 (가) 더 이상 존재하지 않습니다. DocType: Guardian Interest,Guardian Interest,가디언 관심 DocType: Volunteer,Availability,유효성 +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,휴가 신청은 휴가 할당 {0}과 연결되어 있습니다. 휴가 신청은 유급없이 휴가로 설정할 수 없습니다 apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS 송장의 기본값 설정 DocType: Employee Training,Training,훈련 DocType: Project,Time to send,보낼 시간 +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,이 페이지는 구매자가 관심을 보인 상품을 추적합니다. 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 이메일 ID @@ -6210,12 +6286,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,영업 가치 DocType: Salary Component,Formula,공식 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,직렬 # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,인력> 인사말 설정에서 직원 네이밍 시스템을 설정하십시오. 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/setup/doctype/company/company.py,Sales Account,판매 계정 DocType: Purchase Invoice Item,Total Weight,총 무게 +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}" @@ -6239,6 +6315,7 @@ DocType: Company,Default Employee Advance Account,기본 직원 사전 계정 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),항목 검색 (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF- .YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,기존 거래 계정은 삭제할 수 없습니다 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,왜이 아이템을 제거해야한다고 생각합니까? DocType: Vehicle,Last Carbon Check,마지막으로 탄소 확인 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,법률 비용 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,행의 수량을 선택하십시오. @@ -6258,6 +6335,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,고장 DocType: Travel Itinerary,Vegetarian,채식주의 자 DocType: Patient Encounter,Encounter Date,만남의 날짜 +DocType: Work Order,Update Consumed Material Cost In Project,프로젝트에서 소비 된 자재 원가 업데이트 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,계정 : {0} 통화로 : {1}을 선택할 수 없습니다 DocType: Bank Statement Transaction Settings Item,Bank Data,은행 데이터 DocType: Purchase Receipt Item,Sample Quantity,샘플 수량 @@ -6312,7 +6390,7 @@ DocType: GSTR 3B Report,April,4 월 DocType: Plant Analysis,Collection Datetime,Collection Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,총 영업 비용 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,참고 : {0} 항목을 여러 번 입력 +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,참고 : {0} 항목을 여러 번 입력 apps/erpnext/erpnext/config/buying.py,All Contacts.,모든 연락처. DocType: Accounting Period,Closed Documents,마감 된 문서 DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,예약 인보이스 관리 및 Patient Encounter에 대한 자동 취소 @@ -6394,9 +6472,7 @@ DocType: Member,Membership Type,회원 유형 ,Reqd By Date,Reqd 날짜 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,채권자 DocType: Assessment Plan,Assessment Name,평가의 이름 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,프린트에서 PDC 표시 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,행 번호 {0} : 일련 번호는 필수입니다 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,{0} {1}에 대해 미결 된 인보이스가 없습니다. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,항목 와이즈 세금 세부 정보 DocType: Employee Onboarding,Job Offer,일자리 제공 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,연구소 약어 @@ -6455,6 +6531,7 @@ DocType: Serial No,Out of Warranty,보증 기간 만료 DocType: Bank Statement Transaction Settings Item,Mapped Data Type,매핑 된 데이터 형식 DocType: BOM Update Tool,Replace,교체 apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,제품을 찾을 수 없습니다. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,더 많은 항목 게시 apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},"이 서비스 수준 계약은 고객 {0}에만 해당되며," apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} 견적서에 대한 {1} DocType: Antibiotic,Laboratory User,실험실 사용자 @@ -6477,7 +6554,6 @@ DocType: Payment Order Reference,Bank Account Details,은행 계좌 정보 DocType: Purchase Order Item,Blanket Order,담요 주문 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,법인세 자산 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},생산 오더가 {0}되었습니다. DocType: BOM Item,BOM No,BOM 없음 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,움직임 평균 @@ -6551,6 +6627,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),외부 과세 대상 물품 (0 점) DocType: BOM,Materials Required (Exploded),필요한 재료 (분해) 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/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,게시 날짜는 미래의 날짜 수 없습니다 @@ -6608,7 +6685,6 @@ DocType: Pricing Rule,Same Item,같은 항목 DocType: Stock Ledger Entry,Stock Ledger Entry,재고 원장 입력 DocType: Quality Action Resolution,Quality Action Resolution,품질 동작 해상도 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},반일에 {0} 남겨두기 {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,같은 항목을 여러 번 입력 된 DocType: Department,Leave Block List,차단 목록을 남겨주세요 DocType: Purchase Invoice,Tax ID,세금 아이디 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,{0} 항목을 직렬 제 칼럼에 대한 설정이 비어 있어야하지 @@ -6646,7 +6722,7 @@ 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} 비활성화 또는 존재하지 않는 DocType: Purchase Invoice,Return,반환 -DocType: Accounting Dimension,Disable,사용 안함 +DocType: Account,Disable,사용 안함 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,지불 모드는 지불 할 필요 DocType: Task,Pending Review,검토 중 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","전체 페이지에서 자산, 일련 번호, 배치 등의 추가 옵션을 편집하십시오." @@ -6760,7 +6836,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,결합 송장 부분은 100 % DocType: Item Default,Default Expense Account,기본 비용 계정 DocType: GST Account,CGST Account,CGST 계정 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,학생 이메일 ID DocType: Employee,Notice (days),공지 사항 (일) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS 마감 바우처 인보이스 @@ -6771,6 +6846,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,송장을 저장하는 항목을 선택 DocType: Employee,Encashment Date,현금화 날짜 DocType: Training Event,Internet,인터넷 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,판매자 정보 DocType: Special Test Template,Special Test Template,특수 테스트 템플릿 DocType: Account,Stock Adjustment,재고 조정 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},기본 활동 비용은 활동 유형에 대해 존재 - {0} @@ -6783,7 +6859,6 @@ 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 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: Company,Bank Remittance Settings,은행 송금 설정 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,평균 속도 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","고객 제공 품목"은 평가 비율을 가질 수 없습니다. @@ -6811,6 +6886,7 @@ DocType: Grading Scale Interval,Threshold,문지방 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),직원 필터링 기준 (선택 사항) DocType: BOM Update Tool,Current BOM,현재 BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),잔액 (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,완제품 수량 apps/erpnext/erpnext/public/js/utils.js,Add Serial No,일련 번호 추가 DocType: Work Order Item,Available Qty at Source Warehouse,출하 창고에서 사용 가능한 수량 apps/erpnext/erpnext/config/support.py,Warranty,보증 @@ -6889,7 +6965,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","여기서 당신은 신장, 체중, 알레르기, 의료 문제 등 유지 관리 할 수 있습니다" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,계정 생성 중 ... DocType: Leave Block List,Applies to Company,회사에 적용 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,제출 된 재고 항목 {0}이 존재하기 때문에 취소 할 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,제출 된 재고 항목 {0}이 존재하기 때문에 취소 할 수 없습니다 DocType: Loan,Disbursement Date,지급 날짜 DocType: Service Level Agreement,Agreement Details,계약 세부 정보 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,계약 시작일은 종료일보다 클 수 없습니다. @@ -6898,6 +6974,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,의료 기록 DocType: Vehicle,Vehicle,차량 DocType: Purchase Invoice,In Words,즉 +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,현재까지는 날짜 이전이어야합니다 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,제출하기 전에 은행 또는 대출 기관의 이름을 입력하십시오. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0}을 제출해야합니다. DocType: POS Profile,Item Groups,항목 그룹 @@ -6970,7 +7047,6 @@ DocType: Customer,Sales Team Details,판매 팀의 자세한 사항 apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,영구적으로 삭제 하시겠습니까? DocType: Expense Claim,Total Claimed Amount,총 주장 금액 apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,판매를위한 잠재적 인 기회. -DocType: Plaid Settings,Link a new bank account,새 은행 계좌 연결 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{}은 (는) 잘못된 출석 상태입니다. DocType: Shareholder,Folio no.,폴리오 아니. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},잘못된 {0} @@ -6986,7 +7062,6 @@ DocType: Production Plan,Material Requested,요청 된 자료 DocType: Warehouse,PIN,핀 DocType: Bin,Reserved Qty for sub contract,하위 계약의 예약 수량 DocType: Patient Service Unit,Patinet Service Unit,패티 넷 서비스 부서 -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,텍스트 파일 생성 DocType: Sales Invoice,Base Change Amount (Company Currency),자료 변경 금액 (회사 통화) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,다음 창고에 대한 회계 항목이 없음 apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},항목 {1}의 재고 만 {0} @@ -7000,6 +7075,7 @@ DocType: Item,No of Months,수개월 DocType: Item,Max Discount (%),최대 할인 (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,신용 일수는 음수 일 수 없습니다. apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,성명 업로드 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,이 항목 신고 DocType: Purchase Invoice Item,Service Stop Date,서비스 중지 날짜 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,마지막 주문 금액 DocType: Cash Flow Mapper,e.g Adjustments for:,예 : 조정 : @@ -7093,16 +7169,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,직원 세금 면제 범주 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,금액은 0보다 작아서는 안됩니다. DocType: Sales Invoice,C-Form Applicable,해당 C-양식 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},작업 시간은 작업에 대한 0보다 큰 수 있어야 {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},작업 시간은 작업에 대한 0보다 큰 수 있어야 {0} DocType: Support Search Source,Post Route String,게시물 경로 문자열 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,창고는 필수입니다 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,웹 사이트를 만들지 못했습니다. DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM 변환 세부 사항 apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,입학 및 등록 -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,보유 재고 항목이 이미 생성되었거나 샘플 수량이 제공되지 않았습니다. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,보유 재고 항목이 이미 생성되었거나 샘플 수량이 제공되지 않았습니다. DocType: Program,Program Abbreviation,프로그램의 약자 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,생산 주문은 항목 템플릿에 대해 제기 할 수 없습니다 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),바우처 그룹 (연결) DocType: HR Settings,Encrypt Salary Slips in Emails,전자 메일에서 급여 전표를 암호화하십시오. DocType: Question,Multiple Correct Answer,여러 개의 정답 @@ -7149,7 +7224,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,평가가 없거나 면 DocType: Employee,Educational Qualification,교육 자격 DocType: Workstation,Operating Costs,운영 비용 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},환율 {0}해야합니다에 대한 {1} -DocType: Employee Checkin,Entry Grace Period Consequence,엔트리 유예 기간 결과 DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,이 교대 근무자에게 '직원 수표'를 기준으로 출석을 표시하십시오. DocType: Asset,Disposal Date,폐기 날짜 DocType: Service Level,Response and Resoution Time,응답 및 Resoution 시간 @@ -7198,6 +7272,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,완료일 DocType: Purchase Invoice Item,Amount (Company Currency),금액 (회사 통화) DocType: Program,Is Featured,추천 +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,가져 오는 중 ... DocType: Agriculture Analysis Criteria,Agriculture User,농업 사용자 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,거래일 이전 날짜 일 수 없습니다. 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}이 거래를 완료 할 수의 단위. @@ -7230,7 +7305,6 @@ DocType: Student,B+,B의 + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,총 유료 AMT 사의 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 항목 별 판매 등록 @@ -7254,6 +7328,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,익명 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,에서 수신 DocType: Lead,Converted,변환 DocType: Item,Has Serial No,시리얼 No에게 있습니다 +DocType: Stock Entry Detail,PO Supplied Item,PO 제공 품목 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} @@ -7368,7 +7443,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,세금과 요금의 동시 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,{0}를 찾을 수 없습니다에 대한 기본 BOM +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} : 재주문 수량을 설정하세요 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,항목을 탭하여 여기에 추가하십시오. @@ -7404,7 +7479,6 @@ DocType: Purchase Invoice,Y,와이 DocType: Maintenance Visit,Maintenance Date,유지 보수 날짜 DocType: Purchase Invoice Item,Rejected Serial No,시리얼 No 거부 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,올해의 시작 날짜 또는 종료 날짜 {0}과 중첩된다. 회사를 설정하시기 바랍니다 방지하려면 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,셋업> 번호 매기기 시리즈를 통해 출석을위한 번호 매기기 시리즈를 설정하십시오. apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Lead {0}의 리드 이름을 언급하십시오. apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},시작 날짜는 항목에 대한 종료 날짜보다 작아야합니다 {0} DocType: Shift Type,Auto Attendance Settings,자동 출석 설정 @@ -7415,9 +7489,11 @@ DocType: Upload Attendance,Upload Attendance,출석 업로드 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM 및 제조 수량이 필요합니다 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,고령화 범위 2 DocType: SG Creation Tool Course,Max Strength,최대 강도 +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
",{0} 계정이 이미 하위 회사 {1}에 존재합니다. 다음 필드는 다른 값을 가지며 동일해야합니다.
  • {2}
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,사전 설정 설치 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},고객 {}에 대해 배달 노트가 선택되지 않았습니다. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},{0}에 추가 된 행 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,직원 {0}에게는 최대 혜택 금액이 없습니다. apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,배달 날짜를 기준으로 품목 선택 DocType: Grant Application,Has any past Grant Record,과거의 보조금 기록이 있습니까? @@ -7463,6 +7539,7 @@ DocType: Fees,Student Details,학생 세부 사항 DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",이것은 항목 및 판매 주문에 사용되는 기본 UOM입니다. 폴백 UOM은 "Nos"입니다. DocType: Purchase Invoice Item,Stock Qty,재고 수량 DocType: Purchase Invoice Item,Stock Qty,재고 수량 +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,기본 배송 계정 DocType: Loan,Repayment Period in Months,개월의 상환 기간 @@ -7491,6 +7568,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise 할인 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,작업에 대한 작업 표. DocType: Purchase Invoice,Against Expense Account,비용 계정에 대한 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,설치 노트 {0}이 (가) 이미 제출되었습니다 +DocType: BOM,Raw Material Cost (Company Currency),원자재 비용 (회사 통화) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},집 임대료가 {0}과 겹치는 일 지불 됨 DocType: GSTR 3B Report,October,십월 DocType: Bank Reconciliation,Get Payment Entries,지불 항목 가져 오기 @@ -7538,15 +7616,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,사용 가능한 날짜가 필요합니다. DocType: Request for Quotation,Supplier Detail,공급 업체 세부 정보 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},식 또는 조건에서 오류 : {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,송장에 청구 된 금액 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,송장에 청구 된 금액 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,기준 가중치는 최대 100 % apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,출석 apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,재고 물품 DocType: Sales Invoice,Update Billed Amount in Sales Order,판매 오더에서 대금 청구 금액 갱신 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,판매자에게 연락 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,이 아이템을보고하려면 마켓 플레이스 사용자로 로그인하십시오. ,Sales Partner Commission Summary,판매 파트너위원회 요약 ,Item Prices,상품 가격 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,당신이 구매 주문을 저장 한 단어에서 볼 수 있습니다. @@ -7560,6 +7640,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,가격리스트 마스터. DocType: Task,Review Date,검토 날짜 DocType: BOM,Allow Alternative Item,대체 항목 허용 +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,구매 영수증에 샘플 보관이 활성화 된 품목이 없습니다. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,인보이스 총액 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),자산 감가 상각 엔트리 시리즈 (분개장) DocType: Membership,Member Since,회원 가입일 @@ -7569,6 +7650,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,인터넷 전체에 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: Pricing Rule,Product Discount Scheme,제품 할인 제도 +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,발신자가 문제를 제기하지 않았습니다. DocType: Restaurant Reservation,Waitlisted,대기자 명단에 올랐다. DocType: Employee Tax Exemption Declaration Category,Exemption Category,면제 범주 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,환율이 다른 통화를 사용하여 항목을 한 후 변경할 수 없습니다 @@ -7582,7 +7664,6 @@ DocType: Customer Group,Parent Customer Group,상위 고객 그룹 apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON은 영업 송장에서만 생성 할 수 있습니다. apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,이 퀴즈의 최대 시도 횟수에 도달했습니다! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,신청 -DocType: Purchase Invoice,Contact Email,담당자 이메일 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,수수료 생성 보류 중 DocType: Project Template Task,Duration (Days),기간 (일) DocType: Appraisal Goal,Score Earned,점수 획득 @@ -7608,7 +7689,6 @@ DocType: Landed Cost Item,Landed Cost Item,착륙 비용 항목 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions",단일 거래 금액이 최대 허용 금액을 초과하는 경우 거래를 분할하여 별도의 지급 주문 생성 DocType: Service Level Agreement,Entity,실재 DocType: Payment Reconciliation,Receivable / Payable Account,채권 / 채무 계정 DocType: Delivery Note Item,Against Sales Order Item,판매 주문 항목에 대하여 @@ -7779,6 +7859,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,사 DocType: Quality Inspection Reading,Reading 3,3 읽기 DocType: Stock Entry,Source Warehouse Address,출처 창고 주소 DocType: GL Entry,Voucher Type,바우처 유형 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,향후 지불 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 ,마지막 활동 @@ -7805,6 +7886,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,현장에서 발견 된 질병의 목록. 선택한 경우 병을 치료할 작업 목록이 자동으로 추가됩니다. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,이것은 루트 의료 서비스 부서이며 편집 할 수 없습니다. DocType: Asset Repair,Repair Status,수리 상태 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","요청 수량 : 수량 주문 구입 요청,하지만." @@ -7819,6 +7901,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,변경 금액에 대한 계정 DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks에 연결 DocType: Exchange Rate Revaluation,Total Gain/Loss,총 손익 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,피킹리스트 생성 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},행 {0} : 파티 / 계정과 일치하지 않는 {1} / {2}에서 {3} {4} DocType: Employee Promotion,Employee Promotion,직원 홍보 DocType: Maintenance Team Member,Maintenance Team Member,유지 보수 팀원 @@ -7902,6 +7985,7 @@ 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,자산의 종류 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,순 임금은 부정 할 수 없습니다 @@ -7933,7 +8017,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,품질 목표 DocType: BOM,Item to be manufactured or repacked,제조 또는 재 포장 할 항목 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},조건에 구문 오류가 있습니다 : {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,고객이 제기 한 문제는 없습니다. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,주요 / 선택 주제 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,구매 설정에서 공급 업체 그룹을 설정하십시오. @@ -8026,8 +8109,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,신용 일 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,실험실 테스트를 받으려면 환자를 선택하십시오. DocType: Exotel Settings,Exotel Settings,Exotel 설정 -DocType: Leave Type,Is Carry Forward,이월된다 +DocType: Leave Ledger Entry,Is Carry Forward,이월된다 DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),결근이 표시된 근무 시간. (사용하지 않으려면 0으로 설정) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,메시지를 보내다 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,BOM에서 항목 가져 오기 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,소득세 비용 diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv index 1d0c5e5a90..b19ead6cc4 100644 --- a/erpnext/translations/ku.csv +++ b/erpnext/translations/ku.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Notify Supplier apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Ji kerema xwe re pêşî Partiya Type hilbijêre DocType: Item,Customer Items,Nawy mişterî +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Serserî DocType: Project,Costing and Billing,Bi qurûşekî û Billing apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Divê hesabê pêşxistina diravê wekî wek diravê şirket {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Default Unit ji Measure DocType: SMS Center,All Sales Partner Contact,Hemû Sales Partner Contact DocType: Department,Leave Approvers,Dev ji Approvers DocType: Employee,Bio / Cover Letter,Bio / Cover Cover +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Tiştên Lêgerînê ... DocType: Patient Encounter,Investigations,Lêpirsîn DocType: Restaurant Order Entry,Click Enter To Add,Bişkojka Enter Add Add apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Ji bo Nasnavê Nasnav, API Key or Shopify URL" DocType: Employee,Rented,bi kirê apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Hemû hesab apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Destûra bi Siyaseta Çep nayê veguherandin -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Rawestandin Production Order ne dikarin bên îptal kirin, ew unstop yekem to cancel" DocType: Vehicle Service,Mileage,Mileage apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Ma tu bi rastî dixwazî bibit vê hebûnê? DocType: Drug Prescription,Update Schedule,Schedule Update @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Miştirî DocType: Purchase Receipt Item,Required By,pêwîst By DocType: Delivery Note,Return Against Delivery Note,Vegere li dijî Delivery Note DocType: Asset Category,Finance Book Detail,Fînansiyona Pirtûkan +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Hemî zexîreyan hatîye pirtûk kirin DocType: Purchase Order,% Billed,% billed apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Hejmara Paydê apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate divê eynî wek {0} {1} ({2}) @@ -95,6 +97,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Batch babet Status Expiry apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,pêşnûmeya Bank DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-YYYY- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Tevnên Dawî yên Dawî DocType: Mode of Payment Account,Mode of Payment Account,Mode of Account Payment apps/erpnext/erpnext/config/healthcare.py,Consultation,Şêwir DocType: Accounts Settings,Show Payment Schedule in Print,Di çapkirinê de Payday Schedule Show @@ -120,6 +123,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Ez apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Agahdarî Têkiliyên Serûpel apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Issues vekirî DocType: Production Plan Item,Production Plan Item,Production Plan babetî +DocType: Leave Ledger Entry,Leave Ledger Entry,Vedigerin Ledger 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 @@ -138,6 +142,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Mez DocType: Purchase Invoice Item,Item Weight Details,Pirtûka giran DocType: Asset Maintenance Log,Periodicity,Periodicity apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Sal malî {0} pêwîst e +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Feydeya / windabûna net DocType: Employee Group Table,ERPNext User ID,ID ya bikarhêner a ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Dûrtirîn dûr di navbera rêzikên nebatan de ji bo zêdebûna mezinbûnê apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Ji kerema xwe nexweş hilbijêrin da ku hûn pêkanîna pêkanîna peyda bikin @@ -163,10 +168,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Lîsteya bihayê bihayê DocType: Patient,Tobacco Current Use,Bikaranîna Pêdivî ye apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Rêjeya firotanê -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,"Berî ku hûn hesabek nû zêde bikin, ji kerema xwe belgeya xwe hilînin" 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 ... 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 @@ -227,6 +232,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,kal DocType: Exchange Rate Revaluation Account,Gain/Loss,Pawlos / Gelek DocType: Crop,Perennial,Perennial DocType: Program,Is Published,Weşandin e +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Nîşeyên Delivery nîşan bidin apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Ji bo destûrdayîna zêdekirina billing, di Settings Hesaban an Tiştê de "Over Allowance Billing" nûve bike." DocType: Patient Appointment,Procedure,Doz DocType: Accounts Settings,Use Custom Cash Flow Format,Forma Qanûna Kredê Custom Use @@ -275,6 +281,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Bergîdana Hejmara Over ji Maweya apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Hebûna areseriyê nikare ji Zero kêm be DocType: Stock Entry,Additional Costs,Xercên din +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mişterî> Koma Xerîdar> Herêm apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Account bi mêjera yên heyî dikarin bi komeke ne bê guhertin. DocType: Lead,Product Enquiry,Lêpirsînê ya Product DocType: Education Settings,Validate Batch for Students in Student Group,Validate Batch bo Xwendekarên li Komeleya Xwendekarên @@ -286,7 +293,9 @@ DocType: Employee Education,Under Graduate,di bin Graduate apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Ji kerema xwe ya şîfreyê ji bo HR Şertê ji bo Şerta Dewleta Dewletê veke. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,target ser DocType: BOM,Total Cost,Total Cost +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Tevnegirtî qedand! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Carên Nêzîkî Berbi Girtîgehê DocType: Salary Slip,Employee Loan,Xebatkarê Loan DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-YY .-. DocType: Fee Schedule,Send Payment Request Email,Request Request Email bişîne @@ -296,6 +305,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Emlak apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Daxûyanîya Account apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Pharmaceuticals DocType: Purchase Invoice Item,Is Fixed Asset,E Asset Fixed +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Dravên Pêşerojê nîşan bidin DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-YYYY- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Ev hesabê bankê berê berê ye DocType: Homepage,Homepage Section,Beşa rûpelê @@ -342,7 +352,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Gûbre apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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 -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 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,De bi kêmanî yek mode of tezmînat ji bo fatûra POS pêwîst e. DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bankeya Daxuyaniya Bexdayê ya Danûstandinê DocType: Salary Detail,Tax on flexible benefit,Baca li ser fînansaziya berbiçav @@ -416,6 +425,7 @@ DocType: Job Offer,Select Terms and Conditions,Hilbijêre şert û mercan apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Nirx out DocType: Bank Statement Settings Item,Bank Statement Settings Item,Daxuyaniya Danûstandinê Bankê DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings +DocType: Leave Ledger Entry,Transaction Name,Navê veguhaztinê DocType: Production Plan,Sales Orders,ordênên Sales apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Bernameya Bila Loyalty ya ji bo Mişteriyê dît. Ji kerema xwe bi destane hilbijêrin. DocType: Purchase Taxes and Charges,Valuation,Texmînî @@ -450,6 +460,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Tenê Mişterên van Koma Mişterî nîşan bidin DocType: Sales Invoice,Is Opening Entry,Ma Opening Peyam @@ -458,8 +469,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,"Behs, eger ne-standard account teleb pêkanîn," 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 DocType: Supplier Scorecard,Criteria Setup,Critîsyona Setup -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Ji bo Warehouse berî pêwîst e Submit +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 DocType: Codification Table,Medical Code,Kodê bijîşk apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Amazon with ERPNext Connect @@ -475,7 +487,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Hesabên bankê zêde kirin -DocType: Delivery Stop,Contact Name,Contact Name +DocType: Call Log,Contact Name,Contact Name DocType: Plaid Settings,Synchronize all accounts every hour,Her demjimêr hemî hesaban li hev bikin DocType: Course Assessment Criteria,Course Assessment Criteria,Şertên Nirxandina Kurs DocType: Pricing Rule Detail,Rule Applied,Rêz têne sepandin @@ -519,7 +531,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Hejmara nenas DocType: Website Filter Field,Website Filter Field,Field Filter Field apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Tiştek Tişt DocType: Material Request Item,Min Order Qty,Min Order Qty @@ -547,7 +558,6 @@ DocType: Salary Slip,Total Principal Amount,Giştî ya Serûpel DocType: Student Guardian,Relation,Meriv DocType: Quiz Result,Correct,Serrast DocType: Student Guardian,Mother,Dê -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,"Ji kerema xwe, di malpera_config.json de keysên apa derbasdar ên Plaid zêde bikin" DocType: Restaurant Reservation,Reservation End Time,Demjimêra Niştecîhê DocType: Crop,Biennial,Biennial ,BOM Variance Report,Raporta BOM Variance @@ -562,6 +572,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Payment dijî {0} {1} nikare were mezintir Outstanding Mîqdar {2} @@ -609,12 +620,14 @@ DocType: POS Profile,Offline POS Settings,Mîhengên POS-ê yên nexşandî DocType: Stock Entry Detail,Reference Purchase Receipt,Daxwaza Kirînê ya Refferansê DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-YYYY- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,guhertoya Of -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Qediya Qty ne dikarin bibin mezintir 'Qty ji bo Manufacture' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Qediya Qty ne dikarin bibin mezintir 'Qty ji bo Manufacture' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Period li ser bingeha DocType: Period Closing Voucher,Closing Account Head,Girtina Serokê Account DocType: Employee,External Work History,Dîroka Work Link apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Error Reference bezandin apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Card Card Student apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Kodê ji +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Kesê Firotanê nîşan bide DocType: Appointment Type,Is Inpatient,Nexweş e apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Navê Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Li Words (Export) xuya dê bibe dema ku tu Delivery Têbînî xilas bike. @@ -628,6 +641,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Dimension navê apps/erpnext/erpnext/healthcare/setup.py,Resistant,Berxwedana apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Ji kerema xwe ji odeya otêlê li ser xuyakirinê {} +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: Journal Entry,Multi Currency,Multi Exchange DocType: Bank Statement Transaction Invoice Item,Invoice Type,bi fatûreyên Type apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Ji mêjûya derbasdar divê ji roja têde derbasdar kêmtir be @@ -646,6 +660,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,xwe mikur DocType: Workstation,Rent Cost,Cost kirê 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. apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Calendar Upcoming Events apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Taybetmendiyên cur @@ -733,7 +748,6 @@ DocType: Request for Quotation,Request for Quotation,Daxwaza ji bo Quotation DocType: Healthcare Settings,Require Lab Test Approval,Pêwîstiya Tîma Tîpa Lêdanê ye DocType: Attendance,Working Hours,dema xebatê apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Tiştek Berbiçav -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Kesê Firotanê li çapkirinê nîşan bide DocType: Naming Series,Change the starting / current sequence number of an existing series.,Guhertina Guherandinên / hejmara cihekê niha ya series heyî. 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.,"Ji sedî ku hûn destûr bidin ku hûn bêtir li dijî dravê ferman dane. Mînak: Heke nirxa fermanê ji bo her tiştî 100 $ ye û toleransa wekî% 10 tê destnîşan kirin, wê hingê tê destûr kirin ku ji bo 110 $ $ bill were dayîn." DocType: Dosage Strength,Strength,Qawet @@ -741,7 +755,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Create a Mişterî ya nû apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Derbasbûnê Li ser apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ger Rules Pricing multiple berdewam bi ser keve, bikarhênerên pirsî danîna Priority bi destan ji bo çareserkirina pevçûnan." -DocType: Purchase Invoice,Scan Barcode,Barcode kişandin apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Create Orders Purchase ,Purchase Register,Buy Register apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Nexweş nayê dîtin @@ -801,6 +814,7 @@ DocType: Account,Old Parent,Parent Old apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,warê Mandatory - Year (Ekadîmî) apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,warê Mandatory - Year (Ekadîmî) apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} ne girêdayî {2} {3} +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} @@ -843,6 +857,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Component meaş ji bo payroll li timesheet. DocType: Driver,Applicable for external driver,Ji bo ajokerek derve DocType: Sales Order Item,Used for Production Plan,Tê bikaranîn ji bo Plan Production +DocType: BOM,Total Cost (Company Currency),Mesrefa Total (Pargîdaniya Pargîdanî) DocType: Loan,Total Payment,Total Payment apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Ji bo Birêvebirina Karûbarê Karûbarê Karûbar qedexe nekin. DocType: Manufacturing Settings,Time Between Operations (in mins),Time di navbera Operasyonên (li mins) @@ -863,6 +878,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Navnîşankirina din DocType: Vital Signs,Blood Pressure (systolic),Pressure Pressure (systolic) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} is {2} DocType: Item Price,Valid Upto,derbasdar Upto +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." @@ -881,6 +897,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Changes in {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Ji kerema xwe ve Company hilbijêre DocType: Employee Skill,Employee Skill,Hişmendiya Karmend apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Account Cudahiya @@ -966,6 +983,7 @@ DocType: Purchase Invoice,Registered Composition,Berhevoka Qeydkirî apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Slav apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Babetê move DocType: Employee Incentive,Incentive Amount,Amountive Interount +,Employee Leave Balance Summary,Karmend Balana Piştgiriyê Bihêle DocType: Serial No,Warranty Period (Days),Period Warranty (Days) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Divê kredî / Debit Ama divê wekî Journal Entry connected to DocType: Installation Note Item,Installation Note Item,Installation Têbînî babetî @@ -979,6 +997,7 @@ DocType: Vital Signs,Bloated,Nepixî DocType: Salary Slip,Salary Slip Timesheet,Timesheet meaş Slip apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Warehouse diyarkirî ji bo-sub bi peyman Meqbûz Purchase DocType: Item Price,Valid From,derbasdar From +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Your rating: DocType: Sales Invoice,Total Commission,Total Komîsyona DocType: Tax Withholding Account,Tax Withholding Account,Hesabê Bacê DocType: Pricing Rule,Sales Partner,Partner Sales @@ -986,6 +1005,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,All Supplier Scor 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 +DocType: Item,Website Image,Wêneyê Malperê apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Target warehouse di row in {0} de wek karûbarê wusa be apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Rate Valuation diyarkirî ye, eger Opening Stock ketin" 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 @@ -1017,8 +1037,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Receive at Warehou 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,"Berî ku hûn li hesabê xwe hevdîk bikin, ji kerema xwe vexwendina Plaid API-ya xwe temam bikin" 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ş DocType: Job Applicant,Resume Attachment,Attachment resume @@ -1030,7 +1050,6 @@ DocType: Production Plan,Production Plan,Plana hilberînê DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Di Vebijandina Destûra Rêkeftinê de vekin DocType: Salary Component,Round to the Nearest Integer,Rêze Li Ser Niqaşê Nêzik apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Return Sales -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nîşe: Hemû pelên bi rêk û {0} ne pêwîst be kêmtir ji pelên jixwe pejirandin {1} ji bo dema DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Li Qanûna Qanûna Saziyê Hilbijêre Li ser Serial No Serial ,Total Stock Summary,Stock Nasname Total apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1058,6 +1077,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,A W apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Şêwaz sereke DocType: Loan Application,Total Payable Interest,Total sûdî apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total Outstanding: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Têkiliyek vekirî 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 @@ -1066,6 +1086,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Sermaseya Namûya Navnîş 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û DocType: Restaurant Reservation,Restaurant Reservation,Reservation Restaurant +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Tiştên we apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Writing Pêşniyarek DocType: Payment Entry Deduction,Payment Entry Deduction,Payment dabirîna Peyam DocType: Service Level Priority,Service Level Priority,Serokatiya Astana Karûbarê @@ -1074,6 +1095,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Numreya Batchê apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Din Person Sales {0} bi heman id karkirinê heye DocType: Employee Advance,Claimed Amount,Amûrek qedexekirin +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Dabeşkirina Expire 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 @@ -1142,7 +1164,6 @@ DocType: Student Batch Name,Batch Name,Navê batch DocType: Fee Validity,Max number of visit,Hejmareke zêde ya serdana DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Ji bo Hesabê Profit û windabûnê mecbûrî ,Hotel Room Occupancy,Odeya Otelê -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet tên afirandin: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Ji kerema xwe ve Cash default an account Bank set li Mode of Payment {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Nivîsîn DocType: GST Settings,GST Settings,Settings gst @@ -1275,6 +1296,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Please select Program DocType: Project,Estimated Cost,Cost texmînkirin DocType: Request for Quotation,Link to material requests,Link to daxwazên maddî +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Weşandin apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Peyam Credit Card @@ -1301,6 +1323,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,heyînên vegeryayî apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} e a stock babet ne apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Ji kerema xwe re bersiva we re biceribînin ji hêla 'Feedback Perwerde' bitikîne û paşê 'Nû' +DocType: Call Log,Caller Information,Agahdariya Gazî DocType: Mode of Payment Account,Default Account,Account Default apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Ji kerema xwe li Sazên Stock-ê li First Stock Stock- apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Ji kerema xwe ji bernameyek bernameya Multiple Tier ji bo qaîdeyên kolektîf hilbijêre. @@ -1325,6 +1348,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Daxwazên Auto Material Generated DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Demjimêrên xebatê yên ku di binê Half Day de têne nîşankirin. (Zero kirin asteng kirin) DocType: Job Card,Total Completed Qty,Bi tevahî Qty qedand +DocType: HR Settings,Auto Leave Encashment,Otomêja Bişkojinê Bide apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Windabû apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Tu dikarî bi fîşeke niha li nakeve 'li dijî Peyam Journal' column DocType: Employee Benefit Application Detail,Max Benefit Amount,Amûdê ya Mezin @@ -1354,8 +1378,10 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Hemû DocType: Item Attribute Value,Item Attribute Value,Babetê nirxê taybetmendiyê apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Pargîdaniya pêdivî ye ku ji bo kirînê an kirîna firotanê be. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Tenê dabeşkirina qedandî dikare were sekinandin DocType: Item,Maximum sample quantity that can be retained,Kêmeya nimûne ya ku herî zêde binçavkirin apps/erpnext/erpnext/config/crm.py,Sales campaigns.,kampanyayên firotina. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Gazî ya bêsûc DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1387,6 +1413,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Tenduristiy apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Navê Doc DocType: Expense Claim Detail,Expense Claim Type,Expense Type Îdîaya DocType: Shopping Cart Settings,Default settings for Shopping Cart,mîhengên standard ji bo Têxe selikê +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Tiştê hilîne apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Mezinahiya nû apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Fermandariya Qederê ya heyî ya nezanîn apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Add Timesots @@ -1399,6 +1426,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Daxuyaniya Şandina Dîtinê DocType: Shift Assignment,Shift Assignment,Destûra Hilbijartinê DocType: Employee Transfer Property,Employee Transfer Property,Malbata Transferê +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Qada Hesabê Bihevberî / Berwarî nikare vala be apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Ji Roja Dem Ji Demjimêr Dibe Ji Bikin apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotechnology apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1480,11 +1508,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Cedwela Kurs DocType: GSTR 3B Report,GSTR 3B Report,Rapora GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Rewşa Status DocType: GoCardless Settings,Webhooks Secret,Webhooks secret DocType: Maintenance Visit,Completion Status,Rewş cebîr +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Baca tevahiya drav nikare ji {greater mezintir be DocType: Daily Work Summary Group,Select Users,Bikarhênerên hilbijêrin DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Pirtûka Xanûbereya Xanûbereyê DocType: Loyalty Program Collection,Tier Name,Navê Tier @@ -1522,6 +1552,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Giştî DocType: Lab Test Template,Result Format,Result Format DocType: Expense Claim,Expenses,mesrefên DocType: Service Level,Support Hours,Saet Support +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Notes DocType: Item Variant Attribute,Item Variant Attribute,Babetê Pêşbîr Variant ,Purchase Receipt Trends,Trends kirînê Meqbûz DocType: Payroll Entry,Bimonthly,pakêtê de @@ -1543,7 +1574,6 @@ DocType: Sales Team,Incentives,aborîve DocType: SMS Log,Requested Numbers,Numbers xwestin DocType: Volunteer,Evening,Êvar DocType: Quiz,Quiz Configuration,Confiz Configuration -DocType: Customer,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 @@ -1590,7 +1620,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,rêjeya ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Nikare bibînin Slot Time di pêş {0} rojan de ji bo Operasyona {1} DocType: Work Order,Plan material for sub-assemblies,maddî Plan ji bo sub-meclîsên 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 @@ -1605,9 +1634,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Pêdivî ye ku hûn di Settings Stock-ê de sererastkirina otomatîkî çalak bikin da ku astên re-Order dîsa bigirin. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Betal Serdan Material {0} berî betalkirinê ev Maintenance Visit DocType: Pricing Rule,Rate or Discount,Nirxandin û dakêşin +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Danûstendinên Bankeyê DocType: Vital Signs,One Sided,Yek Sûd apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serial No {0} nayê to Babetê girêdayî ne {1} -DocType: Purchase Receipt Item Supplied,Required Qty,required Qty +DocType: Purchase Order Item Supplied,Required Qty,required Qty DocType: Marketplace Settings,Custom Data,Daneyên Taybetî 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 @@ -1634,7 +1664,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,account Exchange DocType: Lab Test,Sample ID,Nasnameya nimûne apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Ji kerema xwe re qala Round Account Off li Company -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Dirêjahî DocType: Supplier,Default Payable Accounts,Default Accounts cîhde apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Xebatkarê {0} e çalak ne an tune ne @@ -1675,8 +1704,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Daxwaza ji bo Information DocType: Course Activity,Activity Date,Dîroka çalakiyê apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},} of {} -,LeaderBoard,Leaderboard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Bi Margin (Pargîdaniyê) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategorî apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Syncê girêdayî hisab DocType: Payment Request,Paid,tê dayin DocType: Service Level,Default Priority,Pêşeroja Pêşeng @@ -1711,11 +1740,11 @@ DocType: Agriculture Task,Agriculture Task,Taskariya Çandiniyê apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Dahata nerasterast di DocType: Student Attendance Tool,Student Attendance Tool,Amûra Beşdariyê Student DocType: Restaurant Menu,Price List (Auto created),Lîsteya bihayê (Auto-created) +DocType: Pick List Item,Picked Qty,Hilbijart Qty DocType: Cheque Print Template,Date Settings,Settings Date 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ê -,Company Name,Navê Company 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. @@ -1734,7 +1763,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Hewldana Dawîn DocType: Quiz Result,Quiz Result,Encama Quiz 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} -DocType: BOM,Raw Material Cost(Company Currency),Raw Cost Material (Company Exchange) 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 @@ -1803,6 +1831,7 @@ DocType: Travel Itinerary,Train,Tirên ,Delayed Item Report,Nîşana Babetê ya dereng apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC têrkirî DocType: Healthcare Service Unit,Inpatient Occupancy,Occupasyona Inpatient +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Tiştên Pêşîn ên Weşandin DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-YYYY- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Wexta piştî guhartinê ya ku dema kontrolkirinê ji bo beşdarbûnê tête hesibandin. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Ji kerema xwe binivîsin a {0} @@ -1921,6 +1950,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Hemû dikeye apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Navnîşa Kovara Navneteweyî ya Navneteweyî Afirînin DocType: Company,Parent Company,Şîrketê Parent apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Rooms Rooms of type {0} li ser {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,BOM ji bo guhertinên di Raw Raw û Operasyonan de berhev bikin apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokument {0} bi serfirazî nediyar 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 @@ -1953,6 +1983,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detail C-Form bi fatûreyên DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Payment Lihevkirinê bi fatûreyên DocType: Clinical Procedure,Procedure Template,Şablon +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Tiştên weşandin apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,% Alîkarên apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Li gor Settings Buying eger buy Order gireke == 'ERÊ', piştre ji bo afirandina Buy bi fatûreyên, bikarhêner ji bo afirandina buy Order yekem bo em babete {0}" ,HSN-wise-summary of outward supplies,HSN-wise-summary of supply supplies of outward @@ -1964,7 +1995,6 @@ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Têxe selikê R apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Ji kerema xwe ve set 'Bisepîne Discount Additional Li ser' ' DocType: Party Tax Withholding Config,Applicable Percent,Percent Application ,Ordered Items To Be Billed,Nawy emir ye- Be -DocType: Employee Checkin,Exit Grace Period Consequence,Encama Pêla Grace Exit apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Ji Range ev be ku kêmtir ji To Range DocType: Global Defaults,Global Defaults,Têrbûn Global apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Project Dawetname Tevkarî @@ -1972,13 +2002,11 @@ DocType: Salary Slip,Deductions,bi dabirînê DocType: Setup Progress Action,Action Name,Navekî Çalak apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Serî Sal apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Kredî biafirînin -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,date ji dema fatûra niha ve dest bi DocType: Shift Type,Process Attendance After,Pêvajoya Tevlêbûnê piştî ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Leave Bê Pay DocType: Payment Request,Outward,Ji derve -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Error Planning kapasîteya apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Baca Dewlet / UT ,Trial Balance for Party,Balance Trial bo Party ,Gross and Net Profit Report,Raporta Profitiya Genc û Neto @@ -1996,7 +2024,6 @@ DocType: Bank Statement Transaction Entry,Payment Invoice Items,Payment Invoice DocType: Payroll Entry,Employee Details,Agahdarî 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. -DocType: Setup Progress Action,Domains,Domain ji 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} @@ -2039,7 +2066,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Civînek M 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.","Mode tezmînatê nehatiye mîhenkirin. Ji kerema xwe, gelo account hatiye dîtin li ser Mode of Payments an li ser POS Profile danîn." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,babete eynî ne dikarin ketin bê çend caran. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","bikarhênerên berfireh dikarin di bin Groups kirin, di heman demê de entries dikare li dijî non-Groups kirin" -DocType: Email Campaign,Lead,Gûlle +DocType: Call Log,Lead,Gûlle DocType: Email Digest,Payables,Payables DocType: Amazon MWS Settings,MWS Auth Token,MWS Nivîskar Token DocType: Email Campaign,Email Campaign For ,Kampanya E-nameyê ji bo @@ -2050,6 +2077,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Buy Order Nawy ye- Be DocType: Program Enrollment Tool,Enrollment Details,Agahdarkirina Navnîşan apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Dibe ku ji bo şirketek pir ji hêla şîfreyê veguherînin. +DocType: Customer Group,Credit Limits,Sînorê Krediyê DocType: Purchase Invoice Item,Net Rate,Rate net apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Ji kerema xwe mişterek hilbijêrin DocType: Leave Policy,Leave Allocations,Allocations Leave @@ -2063,6 +2091,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Close Doza Piştî Rojan ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Hûn hewce ne ku bikarhêner bi Rêveberê Gerînendeyê û Rêveberê Rêveberê Birêvebir bidin ku bikarhênerên li Marketplace zêde bikin. +DocType: Attendance,Early Exit,Destpêka derketinê DocType: Job Opening,Staffing Plan,Plana karmendiyê apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON tenê dikare ji belgeyek radestkirî were hilberandin apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Baca karmend û qezencan @@ -2085,6 +2114,7 @@ DocType: Maintenance Team Member,Maintenance Role,Roja Parastinê apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Pekana row {0} bi heman {1} DocType: Marketplace Settings,Disable Marketplace,Bazara Bazarê DocType: Quality Meeting,Minutes,Minutes +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Taybetmendeyên we yên Taybet ,Trial Balance,Balance trial apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Show Complete apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Sal malî {0} nehate dîtin @@ -2094,8 +2124,8 @@ 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 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-,öó -DocType: Shift Type,Consequence,Paşî DocType: Subscription Settings,Subscription Settings,Sîstema Serastkirinê DocType: Purchase Invoice,Update Auto Repeat Reference,Guherandina Auto Repeat Reference apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Research,Lêkolîn @@ -2105,7 +2135,6 @@ DocType: Maintenance Visit Purpose,Work Done,work Done apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,"Ji kerema xwe re bi kêmanî yek taybetmendiyê de li ser sifrê, taybetiyên xwe diyar bike" DocType: Announcement,All Students,Hemû xwendekarên apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,"Babetê {0}, divê babete non-stock be" -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatils Bank apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,View Ledger DocType: Grading Scale,Intervals,navberan DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transactions @@ -2141,6 +2170,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Babetê derfet DocType: Quality Action,Quality Review,Review Quality @@ -2167,7 +2197,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Bikarhênerên Nasname cîhde apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},destûr ne ji bo weşînertiya frozen Account {0} DocType: Journal Entry,Get Outstanding Invoices,Get Outstanding hisab -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Sales Order {0} ne derbasdar e +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Sales Order {0} ne derbasdar e DocType: Supplier Scorecard,Warn for new Request for Quotations,Ji bo Quotations ji bo daxwaza nû ya hişyar bikin apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,emir kirînê alîkariya we û plankirina û li pey xwe li ser kirînên te apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab Test Prescriptions @@ -2191,6 +2221,7 @@ DocType: Employee Onboarding,Notify users by email,Bikarhênerên bi e-nameyê a DocType: Travel Request,International,Navnetewî DocType: Training Event,Training Event,Event Training DocType: Item,Auto re-order,Auto re-da +DocType: Attendance,Late Entry,Ketina dereng apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Total nebine DocType: Employee,Place of Issue,Cihê Dozî Kurd DocType: Promotional Scheme,Promotional Scheme Price Discount,Pêşkeftina bihayê çîçek Pêşkêşkirî @@ -2237,6 +2268,7 @@ DocType: Serial No,Serial No Details,Serial Details No DocType: Purchase Invoice Item,Item Tax Rate,Rate Bacê babetî apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Ji navê Partiyê apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Mûçeya Kardariyê ya Net +DocType: Pick List,Delivery against Sales Order,Radest li dijî fermanê firotanê DocType: Student Group Student,Group Roll Number,Pol Hejmara Roll DocType: Student Group Student,Group Roll Number,Pol Hejmara Roll apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Ji bo {0}, tenê bikarhênerên credit dikare li dijî entry debit din ve girêdayî" @@ -2310,7 +2342,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ev nirx ji bo hesabê demên proporter tê bikaranîn apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Divê tu ji bo çalakkirina Têxe selikê DocType: Payment Entry,Writeoff,Writeoff DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-YYYY- @@ -2333,7 +2364,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Berhemên Firotanê yên neçalak DocType: Quality Review,Additional Information,Agahdariya Zêdeyî apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Total Order Nirx -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Reset Peymana Asta Xizmet. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Xûrek apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Range Ageing 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Daxuyaniyên POS Vebijêrk @@ -2378,6 +2408,7 @@ DocType: Quotation,Shopping Cart,Têxe selikê apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Avg Daily Afganî DocType: POS Profile,Campaign,Bêşvekirin DocType: Supplier,Name and Type,Name û Type +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Babetê Hatiye rapor kirin apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Rewş erêkirina divê 'status' an jî 'Redkirin' DocType: Healthcare Practitioner,Contacts and Address,Têkilî û Navnîşan DocType: Shift Type,Determine Check-in and Check-out,Binihêrin Check-in û Check-out @@ -2397,7 +2428,6 @@ DocType: Student Admission,Eligibility and Details,Nirx û Agahdariyê apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Di Profitiya Mezin de tête kirin apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Change Net di Asset Fixed apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Kodê Client apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Pere ji type 'Actual' li row {0} ne bi were di Rate babetî di nav de apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,ji DateTime @@ -2465,6 +2495,7 @@ 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. 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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Mişterî li dijî account teleb pêwîst e {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),"Total Bac, û doz li (Company Exchange)" DocType: Weather,Weather Parameter,Vebijêrîna Zêrbûnê @@ -2525,6 +2556,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Demjimêra Demjimêrên K apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Dibe ku faktorê kolektîfên pirrjimarte li ser tevahiya mesrefê de dibe. Lê belê faktorê guherîna ji bo rizgarbûna her timî ji her timî be. apps/erpnext/erpnext/config/help.py,Item Variants,Variants babetî apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Services +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Email Slip Salary ji bo karkirinê DocType: Cost Center,Parent Cost Center,Navenda Cost dê û bav @@ -2535,7 +2567,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","H DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Import Delivery Delivery from Shopify on Shipment apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Show girtî DocType: Issue Priority,Issue Priority,Mijara Pêşîn -DocType: Leave Type,Is Leave Without Pay,Ma Leave Bê Pay +DocType: Leave Ledger Entry,Is Leave Without Pay,Ma Leave Bê Pay apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset Category bo em babete Asset Fixed wêneke e DocType: Fee Validity,Fee Validity,Valahiyê @@ -2606,6 +2638,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Du-rê DocType: Item,Manufacturers,Hilberîner @@ -2642,7 +2675,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Daxûyanîya Bank Lihevkirinê DocType: Patient Encounter,Medical Coding,Coding Medical DocType: Healthcare Settings,Reminder Message,Peyama Reminder -,Lead Name,Navê Lead +DocType: Call Log,Lead Name,Navê Lead ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Pêşniyazkirin @@ -2674,12 +2707,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Supplier Warehouse DocType: Opportunity,Contact Mobile No,Contact Mobile No apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Şirket hilbijêre ,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: 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- 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.,Bikarhêner {0} POS Profîl tune ne. Ji bo vê bikarhênerê li ser Row {1} default check check. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minutên Civîna Qalîteyê +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Hilberîner> Tîpa pêşkêşkar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Referralê DocType: Student Group,Set 0 for no limit,Set 0 bo sînorê apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dotira rojê (s) li ser ku hûn bi ji bo xatir hukm û cejnên in. Tu divê ji bo xatir ne. @@ -2711,12 +2746,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Change Net di Cash DocType: Assessment Plan,Grading Scale,pîvanê de apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,"Unit ji Measure {0} hatiye, ji carekê zêdetir li Converter Factor Table nivîsandin" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,jixwe temam apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock Li Hand apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Ji kerema xwe ji serîlêdanên \ pro-rata beşa rûniştinê ji bo {0} zêde bikin apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Ji kerema xwe kodê Fiskal ji bo rêveberiya giştî '% s' bicîh bikin -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Daxwaza peredana ji berê ve heye {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Cost ji Nawy Issued DocType: Healthcare Practitioner,Hospital,Nexweşxane apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},"Dorpêçê de ne, divê bêhtir ji {0}" @@ -2760,6 +2793,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Çavkaniyên Mirovî apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Dahata Upper DocType: Item Manufacturer,Item Manufacturer,Manufacturer Babetê +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Rêbernameya Nû ava bikin DocType: BOM Operation,Batch Size,Mezinahiya Batch apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Refzkirin DocType: Journal Entry Account,Debit in Company Currency,Debit li Company Exchange @@ -2779,7 +2813,9 @@ DocType: Bank Transaction,Reconciled,Li hev kirin DocType: Expense Claim,Total Amount Reimbursed,Total qasa dayîna apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Ev li ser têketin li dijî vê Vehicle bingeha. Dîtina cedwela li jêr bo hûragahiyan apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Dîroka Payroll nikare bêhtir karûbarê karmendê karker nabe +DocType: Pick List,Item Locations,Cihên tiştan apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} tên afirandin +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Hûn dikarin heta niha 200 tiştên çap bikin. DocType: Vital Signs,Constipated,Vexwendin apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Li dijî Supplier bi fatûreyên {0} dîroka {1} DocType: Customer,Default Price List,Default List Price @@ -2895,6 +2931,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ê 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 DocType: Material Request,Transferred,veguhestin DocType: Vehicle,Doors,Doors @@ -2974,7 +3011,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Mişterî ya Code babetî DocType: Stock Reconciliation,Stock Reconciliation,Stock Lihevkirinê DocType: Territory,Territory Name,Name axa DocType: Email Digest,Purchase Orders to Receive,Rêvebirên kirînê bistînin -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Kar-li-Terakî Warehouse berî pêwîst e Submit +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Kar-li-Terakî Warehouse berî pêwîst e Submit apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Hûn dikarin tenê bi tevlêbûna şertê bi heman rengê plankirî bi plankirinê heye DocType: Bank Statement Transaction Settings Item,Mapped Data,Data Data DocType: Purchase Order Item,Warehouse and Reference,Warehouse û Reference @@ -3049,6 +3086,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Settings apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Fetch Data apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Destûra herî qedexeya di nav vala vala {0} de {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 Babete weşandin DocType: SMS Center,Create Receiver List,Create Lîsteya Receiver DocType: Student Applicant,LMS Only,Tenê LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Ji bo bikaranîna Dîroka Dîroka kirînê be @@ -3082,6 +3120,7 @@ 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 DocType: Vital Signs,Furry,Furry apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ji kerema xwe ve 'Gain Account / Loss li ser çespandina Asset' set li Company {0} +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} @@ -3092,6 +3131,7 @@ DocType: Purchase Order Item,Supplier Quotation Item,Supplier babet Quotation apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Serdanîna Amûdê di Guhertoya Manufacturing Setup de ne. DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-YYYY- DocType: Quality Meeting Table,Quality Meeting Table,Tabloya Hevdîtina Quality +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 bikin apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Serdana forumê DocType: Student,Student Mobile Number,Xwendekarên Hejmara Mobile DocType: Item,Has Variants,has Variants @@ -3103,9 +3143,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Name ji Belavkari DocType: Quality Procedure Process,Quality Procedure Process,Pêvajoya Karûbarê kalîteyê apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch ID wêneke e apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch ID wêneke e +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Ji kerema xwe yekem Xerîdar hilbijêrin DocType: Sales Person,Parent Sales Person,Person bav Sales apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Ti tiştên ku bêne qebûlkirin tune ne apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Pêwîstker û kirrûbir nabe +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Hêj ray nehatiye dayîn DocType: Project,Collect Progress,Pêşveçûnê hilbijêre DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Bernameya yekem hilbijêre @@ -3127,11 +3169,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,nebine DocType: Student Admission,Application Form Route,Forma serlêdana Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Dîroka Dawî ya Peymanê nekare ji îro kêmtir be. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Ji bo şandin DocType: Healthcare Settings,Patient Encounters in valid days,Di encama rojên derbasdar de nirxên nexweşan apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Dev ji Type {0} nikare bê veqetandin, ji ber ku bê pere bihêle" 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},Row {0}: veqetandin mîqdara {1} gerek kêmtir be an jî li beramberî bo Fatûreya mayî {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Li Words xuya dê bibe dema ku tu bi fatûreyên Sales xilas bike. DocType: Lead,Follow Up,Şopandin +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Mesrefa Cost: {0} nabe DocType: Item,Is Sales Item,E babet Sales apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Babetê Pol Tree apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Babetê {0} e setup bo Serial Nos ne. Kontrol bike master babetî @@ -3175,9 +3219,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Supplied Qty DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-YYYY- DocType: Purchase Order Item,Material Request Item,Babetê Daxwaza maddî -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Ji kerema xwe ya yekem a {1} şîfreya kirînê bikî apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Tree of Groups Babetê. DocType: Production Plan,Total Produced Qty,Qutata Tiştê Hatîn +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Bersîv nehatiye dayîn apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Can hejmara row mezintir an wekhev ji bo hejmara row niha ji bo vî cureyê Charge kirîza ne DocType: Asset,Sold,firotin ,Item-wise Purchase History,Babetê-şehreza Dîroka Purchase @@ -3196,7 +3240,7 @@ DocType: Designation,Required Skills,Illsarezayên Pêdivî DocType: Inpatient Record,O Positive,O Positive apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,învêstîsîaên DocType: Issue,Resolution Details,Resolution Details -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Tîrmehê +DocType: Leave Ledger Entry,Transaction Type,Tîrmehê DocType: Item Quality Inspection Parameter,Acceptance Criteria,Şertên qebûlkirinê apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Ji kerema xwe ve Requests Material li ser sifrê li jor binivîse apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Ne vegerandin ji bo Journal Entry @@ -3238,6 +3282,7 @@ DocType: Bank Account,Bank Account No,Hesabê Bankê Na DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Xweseriya Xweseriya Xweseriya Hilbijartinê DocType: Patient,Surgical History,Dîroka Surgical DocType: Bank Statement Settings Item,Mapped Header,Mapped Header +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 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. 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} @@ -3304,7 +3349,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Add Letterhead DocType: Program Enrollment,Self-Driving Vehicle,Vehicle Self-Driving 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Hemû pelên bi rêk û {0} nikare were kêmî ji pelên jixwe pejirandin {1} ji bo dema DocType: Contract Fulfilment Checklist,Requirement,Pêwistî DocType: Journal Entry,Accounts Receivable,hesabê hilgirtinê DocType: Quality Goal,Objectives,Armanc @@ -3326,7 +3370,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Pirrjimar Pirrjimar P DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ev nirx di lîsteya bihayê bihayê ya nû de nûvekirî ye. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Karta we Empty e DocType: Email Digest,New Expenses,Mesref New -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC Amount apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Dibe ku Riya ku Addressêwirmendiya Driver winda nabe dikare Rêz bike. DocType: Shareholder,Shareholder,Pardar DocType: Purchase Invoice,Additional Discount Amount,Şêwaz Discount Additional @@ -3398,6 +3441,7 @@ DocType: Salary Component,Deduction,Jêkişî DocType: Item,Retain Sample,Sample Sample apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Row {0}: Ji Time û To Time de bivênevê ye. DocType: Stock Reconciliation Item,Amount Difference,Cudahiya di Mîqdar +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Vê rûpelê tiştên ku hûn dixwazin ji firotanê bikirin bişopîne. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Babetê Price added for {0} li List Price {1} DocType: Delivery Stop,Order Information,Agahdariya Agahdariyê apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Ji kerema xwe ve Employee Id bikevin vî kesî yên firotina @@ -3425,6 +3469,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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î apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Pîlana Nirxandinê Navê apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Hûrgulên armancê apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Heke ku pargîdaniya SpA, SApA an SRL ye serlêdan e" @@ -3477,7 +3522,6 @@ DocType: Company,Transactions Annual History,Danûstandinên Navîn 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Ser 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 @@ -3531,6 +3575,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Ji bo salê 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 @@ -3551,6 +3596,7 @@ DocType: Fees,Include Payment,Payment apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,{0} Student Groups created.,{0} Student Groups afirandin. apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,{0} Student Groups created.,{0} Student Groups afirandin. DocType: Sales Invoice,Total Billing Amount,Şêwaz Total Billing +apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.py,Program in the Fee Structure and Student Group {0} are different.,Bername di Navbera Hûneran û Koma Xwendekaran de {0} cuda ne. 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ê @@ -3584,12 +3630,10 @@ DocType: Supplier Scorecard,Scoring Setup,Scoring Setup apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electronics 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Ji bo pargîdanî nehatiye dîtin GST No. 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 DocType: Question,Single Correct Answer,Bersiva Rast Yek -DocType: Employee,Contact Details,Contact Details DocType: C-Form,Received Date,pêşwaziya Date DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Eger tu şablonê standard li Sales Bac, û doz li Şablon tên afirandin kirine, yek hilbijêrin û bitikînin li ser bişkojka jêr." DocType: BOM Scrap Item,Basic Amount (Company Currency),Şêwaz bingehîn (Company Exchange) @@ -3621,10 +3665,10 @@ DocType: Supplier Scorecard,Supplier Score,Supplier Score apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Destnîşankirina Schedule DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Têkiliya Girtîgeha Tişta Tevlêbûnê DocType: Promotional Scheme Price Discount,Discount Type,Tîpa Discount -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Total fatore Amt DocType: Purchase Invoice Item,Is Free Item,Tiştek belaş e +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,Ji sedî ku hûn destûr bidin ku hûn li dijî hêjeya fermanberî bêtir veguhêzin. Mînak: Heke we ji bo 100 yekeyan ferman daye. û Alîkariya we 10% ye wê hingê hûn destûr didin ku hûn 110 yekîneyên xwe veguhezînin. DocType: Supplier,Warn RFQs,RFQ -apps/erpnext/erpnext/templates/pages/home.html,Explore,Lêkolîn +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Lêkolîn DocType: BOM,Conversion Rate,converter apps/erpnext/erpnext/www/all-products/index.html,Product Search,Search Product ,Bank Remittance,Remezana Bankê @@ -3636,6 +3680,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Tiştek Tiştek Paid DocType: Asset,Insurance End Date,Dîroka Sîgorta Dawiyê apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Ji kerema xwe bigihîjin Xwendekarê Xwendekarê hilbijêre ku ji bo daxwaznameya xwendekarê drav anî ye +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Lîsteya budceyê DocType: Campaign,Campaign Schedules,Bernameyên Kampanyayê DocType: Job Card Time Log,Completed Qty,Qediya Qty @@ -3657,6 +3702,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,New Addre DocType: Quality Inspection,Sample Size,Size rate apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Ji kerema xwe ve dokumênt Meqbûz binivîse apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Hemû tomar niha ji fatore dîtin +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Tazî hiştin apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Ji kerema xwe binivîsin derbasbar a 'Ji Case Na' 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,navendên mesrefa berfireh dikarin di bin Groups made di heman demê de entries dikare li dijî non-Groups kirin 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,Gelek pelên dabeşkirî ji rojan de ji bilî dabeşkirina herî zêde ya {0} karker ji bo karker {1} ve ye @@ -3757,6 +3803,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Di Tevahiya 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 DocType: Leave Block List,Allow Users,Rê bide bikarhênerên 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: 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î. @@ -3810,6 +3858,7 @@ DocType: Support Search Source,Result Title Field,Rêjeya Sernavê apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Summary banga DocType: Sample Collection,Collected Time,Demjimêr Hatin DocType: Employee Skill Map,Employee Skills,Skêwazên Karmend +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Mezinahiya Karûbar DocType: Company,Sales Monthly History,Dîroka Monthly History apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Ji kerema xwe di Tabloya Bac û Mûçeyan de herî kêm yek rêzek bicîh bînin DocType: Asset Maintenance Task,Next Due Date,Daxuyaniya Dawîn @@ -3843,11 +3892,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Slip meaşê karmendekî {0} berê ve ji bo vê pêvajoyê de tên apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,dermanan apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Hûn dikarin bi tenê bisekinin ji bo veguhestinê ji bo veguhestinê vekin +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Tiştên bi apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Cost ji Nawy Purchased DocType: Employee Separation,Employee Separation Template,Template Separation DocType: Selling Settings,Sales Order Required,Sales Order Required apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Bazirgan bibin -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Hejmara bûyerê piştî ku encam tê darve kirin. ,Procurement Tracker,Pêşkêşvanê urementareseriyê DocType: Purchase Invoice,Credit To,Credit To apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC berevajî kir @@ -3860,6 +3909,7 @@ DocType: Quality Meeting,Agenda,Naverok DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detail Cedwela Maintenance DocType: Supplier Scorecard,Warn for new Purchase Orders,Wergirtina navendên nû yên nû bikişînin DocType: Quality Inspection Reading,Reading 9,Reading 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Hesabê Exotel xwe bi ERPNext ve girêdin û nexşeyên bangê bişopînin DocType: Supplier,Is Frozen,e Frozen DocType: Tally Migration,Processed Files,Pelên têne damezrandin apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,warehouse node Pol nayê ne bi destûr ji bo muameleyên hilbijêre @@ -3868,6 +3918,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,No. BOM ji bo babet DocType: Upload Attendance,Attendance To Date,Amadebûna To Date 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 @@ -3893,7 +3944,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Daxwazker apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Referansa çewt {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Qanûnên ji bo bicihanîna nexşeyên cûda yên danasînê -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne dikarin bibin mezintir quanitity plankirin ({2}) li Production Order {3} DocType: Shipping Rule,Shipping Rule Label,Label Shipping Rule DocType: Journal Entry Account,Payroll Entry,Entry Payroll apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Vebijêrkên Fe Fees binêre @@ -3905,6 +3955,7 @@ DocType: Contract,Fulfilment Status,Rewşa Xurt DocType: Lab Test Sample,Lab Test Sample,Sample Lab Lab DocType: Item Variant Settings,Allow Rename Attribute Value,Destûrê bide Hilbijartina Attribute Value apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Peyam di Journal Quick +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Mûçeya Dravê Pêşerojê apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Tu dikarî rêjeya nayê guhertin, eger BOM agianst tu babete behsa" DocType: Restaurant,Invoice Series Prefix,Prefix Preoice Prefix DocType: Employee,Previous Work Experience,Previous serê kurda @@ -3956,6 +4007,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Get Stock niha: DocType: Purchase Invoice,ineligible,nebêjin apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Tree of Bill ji materyalên +DocType: BOM,Exploded Items,Tiştên hatine teqandin DocType: Student,Joining Date,Dîroka tevlêbûnê ,Employees working on a holiday,Karmendên li ser dixebitin ku cejna ,TDS Computation Summary,TDS Dîrok Summary @@ -3988,6 +4040,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Rate bingehîn (wek pe DocType: SMS Log,No of Requested SMS,No yên SMS Wîkîpediyayê apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Leave bê pere nayê bi erêkirin records Leave Application hev nagirin apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Steps Next +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Tiştên hatine tomarkirin DocType: Travel Request,Domestic,Malî apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,"Ji kerema xwe wan tedarîk bikin ji tomar xwe bişinî at the best, rêjeya muhtemel" apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Beriya Transfer Dîroka Veguhastinê ya Xweser nikare nabe @@ -4039,7 +4092,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Doc Dîrok apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py,Fee Records Created - {0},Records Fee Created - {0} DocType: Asset Category Account,Asset Category Account,Account Asset Kategorî apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Payment Table): Divê heqê girîng be -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Can babet zêdetir {0} ji Sales Order dorpêçê de hilberandina ne {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Can babet zêdetir {0} ji Sales Order dorpêçê de hilberandina ne {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Nu tişt di grûpê de ne tête kirin apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill jixwe ji bo vê belgeyê heye apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Nirxên taybetmendiyê hilbijêrin @@ -4073,12 +4126,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Ji bo derketina zûtir encamên cûda çalak bikin ,Lab Test Report,Report Report Lab DocType: Employee Benefit Application,Employee Benefit Application,Serîlêdana Xerca Karê 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î -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Ji kerema xwe ve Delivery Têbînî yekem DocType: Student Applicant,Application Date,Date application DocType: Salary Component,Amount based on formula,Şêwaz li ser formula li DocType: Purchase Invoice,Currency and Price List,Pere û List Price @@ -4107,6 +4158,7 @@ DocType: Purchase Receipt,Time at which materials were received,Time li ku mater DocType: Products Settings,Products per Page,Products per Page 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Dravê dabeşandî nikare negatîf be DocType: Sales Order,Billing Status,Rewş Billing apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Report an Dozî Kurd @@ -4123,6 +4175,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,Slip meaş Li ser timeshee 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 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." DocType: Payment Entry,Payment Type,Type Payment apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Ji kerema xwe re Batch ji bo babet hilbijêre {0}. Nikare bibînin hevîrê single ku vê daxwazê ji cî û @@ -4151,6 +4204,7 @@ 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'." +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 Nomisandina Sêwiran saz bikin DocType: Journal Entry,Paid Loan,Lînansê Paid 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ê @@ -4167,12 +4221,14 @@ DocType: Shopify Settings,Webhooks Details,Agahiyên Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,No sheets dem DocType: GoCardless Mandate,GoCardless Customer,Xerîdarê GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Dev ji Type {0} ne dikare were hilgirtin-bicîkirin +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda Babetê> Koma Rêzan> Brand apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Maintenance nehatî ji bo hemû tomar bi giştî ne. Ji kerema xwe re li ser 'Çêneke Cedwela' klîk bike ,To Produce,ji bo hilberîna DocType: Leave Encashment,Payroll,Rêza yomîya 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","Ji bo row {0} li {1}. To de {2} di rêjeya Babetê, rêzikan {3} jî, divê di nav de bê" DocType: Healthcare Service Unit,Parent Service Unit,Yekîneya Xizmetiya Mirovan DocType: Packing Slip,Identification of the package for the delivery (for print),Diyarkirina pakêta ji bo gihandina (ji bo print) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Peymana Asta Karûbarê ji nû ve hat girtin. DocType: Bin,Reserved Quantity,Quantity reserved. apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,"Kerema xwe, navnîşana email derbasdar têkeve ji" apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,"Kerema xwe, navnîşana email derbasdar têkeve ji" @@ -4194,7 +4250,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Bihayê an Discount Product apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Ji bo row {0} DocType: Account,Income Account,Account hatina -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mişterî> Koma Xerîdar> Herêm DocType: Payment Request,Amount in customer's currency,Şêwaz li currency mişterî apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Şandinî apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Dabeşkirina strukturên ... @@ -4217,6 +4272,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Hûn dikarin belgeyên pêşniyarên pêşdankirî yên winda bibin. Ma hûn rast binivîsin ku hûn vê şûnde were veguhestin? @@ -4271,11 +4327,10 @@ DocType: Additional Salary,HR User,Bikarhêner hr DocType: Bank Guarantee,Reference Document Name,Navnîşa Dokumentê DocType: Purchase Invoice,Taxes and Charges Deducted,Bac û doz li dabirîn DocType: Support Settings,Issues,pirsên -DocType: Shift Type,Early Exit Consequence after,Piştî encamên derketinê zû DocType: Loyalty Program,Loyalty Program Name,Navê bernameya dilsoz apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},"Rewş, divê yek ji yên bê {0}" apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Reminder to update GSTIN -DocType: Sales Invoice,Debit To,Debit To +DocType: Discounted Invoice,Debit To,Debit To DocType: Restaurant Menu Item,Restaurant Menu Item,Peldanka Menu Restaurant DocType: Delivery Note,Required only for sample item.,tenê ji bo em babete test pêwîst. DocType: Stock Ledger Entry,Actual Qty After Transaction,Qty rastî Piştî Transaction @@ -4358,6 +4413,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Navê navnîşê apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Tenê Applications bi statûya Leave 'status' û 'Redkirin' dikare were şandin apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Dimîne Afirandin ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Xwendekarên Navê babetî Pula li row wêneke e {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Qedexeya krediyê derbas bikin_check DocType: Homepage,Products to be shown on website homepage,Products ji bo li ser malpera Malpera bê nîşandan DocType: HR Settings,Password Policy,Siyaseta şîfreyê apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ev komeke mişterî root e û ne jî dikarim di dahatûyê de were. @@ -4405,10 +4461,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Eger apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Ji kerema xwe ya mişterî ya li Restaurant Settings ,Salary Register,meaş Register DocType: Company,Default warehouse for Sales Return,Wargeha xilas ji bo Vegera Firotanê -DocType: Warehouse,Parent Warehouse,Warehouse dê û bav +DocType: Pick List,Parent Warehouse,Warehouse dê û bav DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Define cureyên cuda yên deyn DocType: Bin,FCFS Rate,FCFS Rate @@ -4445,6 +4501,7 @@ DocType: Travel Itinerary,Lodging Required,Lodging Required DocType: Promotional Scheme,Price Discount Slabs,Slabayên zeviyê berbiçav DocType: Stock Reconciliation Item,Current Serial No,No Serra Naha DocType: Employee,Attendance and Leave Details,Beşdarî û Danûstendinên Derketinê +,BOM Comparison Tool,Amûra BOM Comparison ,Requested,xwestin apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,No têbînî DocType: Asset,In Maintenance,Di Tenduristiyê de @@ -4466,6 +4523,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Include UOM,UOM 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 +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 apps/erpnext/erpnext/accounts/page/pos/pos.js,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} pêwîst e. Dibe ku belgeya Danûstandinê ya Danûstandinê ji bo {1} heta {2} @@ -4483,7 +4541,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Warehouse Sample Retention DocType: Company,Default Receivable Account,Default Account teleb apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Formula Mêjûya Dabeşandî DocType: Sales Invoice,Deemed Export,Export Export -DocType: Stock Entry,Material Transfer for Manufacture,Transfer madî ji bo Manufacture +DocType: Pick List,Material Transfer for Manufacture,Transfer madî ji bo Manufacture 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.,Rêjeya Discount jî yan li dijî List Price an jî ji bo hemû List Price sepandin. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Peyam Accounting bo Stock DocType: Lab Test,LabTest Approver,LabTest nêzî @@ -4525,7 +4583,6 @@ DocType: Training Event,Theory,Dîtinî apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Hişyarî: Material Wîkîpediyayê Qty kêmtir ji Minimum Order Qty e apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Account {0} frozen e DocType: Quiz Question,Quiz Question,Pirsa Quiz -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Hilberîner> Tîpa pêşkêşkar DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Legal Entity / destekkirinê bi Chart cuda yên Accounts mensûbê Rêxistina. DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Food, Beverage & tutunê" @@ -4554,6 +4611,7 @@ 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î DocType: Account,Expense Account,Account Expense apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Reng @@ -4592,6 +4650,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Manage Partners Sa 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 DocType: Fee Validity,Visited yet,Dîsa nêzî +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Hûn dikarin 8 hêmanên Feature bikin. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Wargehan de bi mêjera yên heyî dikarin bi komeke ne bê guhertin. 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. @@ -4599,7 +4658,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4624,7 +4682,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Guhertina UOM Di S DocType: Contract,Signee Details,Agahdariya Signxanê apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} heye ku niha {1} Berhemên Score Scorecard heye, û RFQ ji vê pargîdaniyê re bêne hişyar kirin." DocType: Certified Consultant,Non Profit Manager,Rêveberê Neqfetê ne -DocType: BOM,Total Cost(Company Currency),Total Cost (Company Exchange) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serial No {0} tên afirandin DocType: Homepage,Company Description for website homepage,Description Company bo homepage malpera DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Ji bo hevgirtinê tê ji mişterî, van kodên dikare di formatên print wek hisab û Delivery Notes bikaranîn" @@ -4653,7 +4710,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Buy Meqb DocType: Amazon MWS Settings,Enable Scheduled Synch,Synchronized Synch apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,to DateTime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Têketin ji bo parastina statûya delivery sms -DocType: Shift Type,Early Exit Consequence,Encama derketinê ya zû DocType: Accounts Settings,Make Payment via Journal Entry,Make Payment via Peyam di Journal apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Ji kerema xwe di yek carek de ji zêdeyî 500 hêsan neyên afirandin apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Çap ser @@ -4709,6 +4765,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Sînora Crossed 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î +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Date of Establishment apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,An term akademîk bi vê 'Sala (Ekadîmî)' {0} û 'Name Term' {1} ji berê ve heye. Ji kerema xwe re van entries xeyrandin û careke din biceribîne. @@ -4770,6 +4827,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Type Type DocType: Compensatory Leave Request,Leave Allocation,Dev ji mûçeyan DocType: Payment Request,Recipient Message And Payment Details,Recipient Message Û Details Payment +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Ji kerema xwe Nîşanek Delivery hilbijêre DocType: Support Search Source,Source DocType,Çavkaniya DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Firotineke nû vekin DocType: Training Event,Trainer Email,Trainer Email @@ -4890,6 +4948,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Ji Date' Divê piştî 'To Date' be apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,No Plansing Staffing ji bo vê Nimûneyê nehat dîtin apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} ya Jêder {1} qedexekirin. @@ -4911,7 +4970,7 @@ DocType: Clinical Procedure,Patient,Nexweş apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Check checks at Sales Order DocType: Employee Onboarding Activity,Employee Onboarding Activity,Karmendiya Onboarding DocType: Location,Check if it is a hydroponic unit,"Heke ku ew yekîneyeke hîdroponî ye, binêrin" -DocType: Stock Reconciliation Item,Serial No and Batch,Serial No û Batch +DocType: Pick List Item,Serial No and Batch,Serial No û Batch DocType: Warranty Claim,From Company,ji Company DocType: GSTR 3B Report,January,Rêbendan apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Sum ji Jimareke Krîterên Nirxandina divê {0} be. @@ -4935,7 +4994,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,No {0} ji bo Kompaniya Navnetewî ve tê dîtin. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,cred_note_amt 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/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" @@ -4967,6 +5025,7 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Mesrefa Nave 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Jiberma DocType: Appraisal,Appraisal,Qinetbirrînî @@ -5035,6 +5094,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Giraniya derewîn û ji pakêta. Bi piranî weight net + pakêta weight maddî. (Ji bo print) DocType: Assessment Plan,Program,Bername DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Bikarhêner li ser bi vê rola bi destûr ji bo bikarhênerên frozen biafirînin û / ya xeyrandin di entries, hesabgirê dijî bikarhênerên bêhest" +DocType: Plaid Settings,Plaid Environment,Hawîrdora Plaid ,Project Billing Summary,Danasîna Bilindkirina Projeyê DocType: Vital Signs,Cuts,Cuts DocType: Serial No,Is Cancelled,Ma Hilandin @@ -5096,7 +5156,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Têbînî: em System bi wê jî li ser-teslîmkirinê û ser-booking ji bo babet {0} wek dikele, an miqdar 0 e" DocType: Issue,Opening Date,Date vekirinê apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Ji kerema xwe pêşî nexweşê xwe biparêze -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Têkiliyek nû çêbikin apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Amadebûna serkeftin nîşankirin. DocType: Program Enrollment,Public Transport,giştîya DocType: Sales Invoice,GST Vehicle Type,TT Vehicle @@ -5123,6 +5182,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Fatoreyên 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Pêşîn tiştên di tabloya Cihên Itemapan de zêde bikin DocType: Pricing Rule,Discount Amount,Şêwaz discount DocType: Pricing Rule,Period Settings,Mîhengên serdemê DocType: Purchase Invoice,Return Against Purchase Invoice,Vegere li dijî Purchase bi fatûreyên @@ -5153,7 +5213,6 @@ DocType: Assessment Plan,Assessment Plan,Plan nirxandina DocType: Travel Request,Fully Sponsored,Fully Sponsored apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Navnîşana rojnamevanê veguhestin apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Karta Xebatê biafirînin -DocType: Shift Type,Consequence after,Encam piştî DocType: Quality Procedure Process,Process Description,Danasîna pêvajoyê apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Têkilî {0} hatiye afirandin. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Niha tu firotek li her wareyê heye @@ -5187,6 +5246,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Date clearance DocType: Delivery Settings,Dispatch Notification Template,Gotûbêja Dispatchê apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Rapora Nirxandinê apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Karmendên xwe bibînin +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 @@ -5277,7 +5337,6 @@ DocType: Stock Settings,Use Naming Series,Sîstema Namingê bikar bînin apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Actionalakî tune apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,doz type Valuation ne dikarin weke berfireh nîşankirin DocType: POS Profile,Update Stock,update Stock -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 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM cuda ji bo tomar dê ji bo Şaşî (Total) nirxa Loss Net rê. Bawer bî ku Loss Net ji hev babete di UOM heman e. DocType: Certification Application,Payment Details,Agahdarî apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate @@ -5310,7 +5369,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Ev kesê ku firotina root e û ne jî dikarim di dahatûyê de were. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Heke hatibe hilbijartin, bi nirxê xwe dişinî an hesabkirin di vê hêmana ne, wê ji bo karên an bi dabirînê piştgirî bidin. Lê belê, ev nirx dikare ji aliyê pêkhateyên dî ku dikare added an dabirîn referans." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Heke hatibe hilbijartin, bi nirxê xwe dişinî an hesabkirin di vê hêmana ne, wê ji bo karên an bi dabirînê piştgirî bidin. Lê belê, ev nirx dikare ji aliyê pêkhateyên dî ku dikare added an dabirîn referans." -DocType: Asset Settings,Number of Days in Fiscal Year,Hejmara rojan di sala fînansê de ,Stock Ledger,Stock Ledger DocType: Company,Exchange Gain / Loss Account,Exchange Gain / Account Loss DocType: Amazon MWS Settings,MWS Credentials,MWS kredî @@ -5345,6 +5403,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Kolek di pelê Bankê de apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Ji bo xwendekaran {0} ji ber ku ji xwendekaran ve hat berdan heye {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Ji bo hemî bereya Tenduristî ya bihayê nûçeyê nûjen kirin. Ew dikare çend deqeyan bistînin. +DocType: Pick List,Get Item Locations,Cihên Tiştikê bigirin apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Name ji Account nû. Not: Ji kerema xwe, hesabên ji bo muşteriyan û Bed biafirîne" DocType: POS Profile,Display Items In Stock,In Stock Stocks apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Country default şehreza Şablonên Address @@ -5368,6 +5427,7 @@ DocType: Crop,Materials Required,Materyalên pêwîst apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,No xwendekarên dîtin.Di DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Xweşandina HRA DocType: Clinical Procedure,Medical Department,Daîreya lênêrînê +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Derketinên Zûtir ên Berê DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Supplier Scorecard Criteria Scoring apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Bi fatûreyên Mesaj Date apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Firotin @@ -5382,6 +5442,7 @@ apps/erpnext/erpnext/config/accounting.py,Payment Terms based on conditions,Li g DocType: Program Enrollment,School House,House School DocType: Serial No,Out of AMC,Out of AMC DocType: Opportunity,Opportunity Amount,Amûdê Dike +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Profîla te apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Hejmara Depreciations civanan ne dikarin bibin mezintir Hejmara Depreciations DocType: Purchase Order,Order Confirmation Date,Dîroka Biryara Daxuyaniyê DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-YYYY- @@ -5475,7 +5536,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Di navbera rêjeya ne, parvekirin û hejmarê de hejmarek hene" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Hûn rojan (s) di nav rojan de daxwaznameya dravîkirinê ne apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Ji kerema xwe re-type navê şîrketa ku piştrast -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Total Outstanding Amt DocType: Journal Entry,Printing Settings,Settings çapkirinê DocType: Payment Order,Payment Order Type,Tîpa Fermana Dravê DocType: Employee Advance,Advance Account,Account Account @@ -5563,7 +5623,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Navê sal apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,in holidays zêdetir ji rojên xebatê de vê mehê hene. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Pirsên jêrîn {0} ne wekî wekî {1} nîşankirin. Hûn dikarin ji wan re xuya bikin ku ji {1} tiştê ji masterê xwe ve -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Product Bundle babetî DocType: Sales Partner,Sales Partner Name,Navê firotina Partner apps/erpnext/erpnext/hooks.py,Request for Quotations,Daxwaza ji bo Quotations @@ -5572,7 +5631,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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ê -apps/erpnext/erpnext/config/hr.py,Leaves,Dikeve +DocType: Leave Ledger Entry,Leaves,Dikeve DocType: Student Language,Student Language,Ziman Student DocType: Cash Flow Mapping,Is Working Capital,Pargîdaniyê ye apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Proof bişînin @@ -5630,6 +5689,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Value Maximum Permissible 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 DocType: Lab Test Template,Sensitivity,Hisê nazik DocType: Plaid Settings,Plaid Settings,Mîhengên Plaid apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Sync temamî hate qedexekirin, ji ber ku herî zêde veguhestin" @@ -5647,6 +5707,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Ji kerema xwe ve yekem Mesaj Date hilbijêre apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Vekirina Date divê berî Girtina Date be DocType: Travel Itinerary,Flight,Firrê +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Vegere malê DocType: Leave Control Panel,Carry Forward,çêşît Forward apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Navenda Cost bi muamele heyî nikare bê guhartina ji bo ledger DocType: Budget,Applicable on booking actual expenses,Li ser bicîhkirina lêçûnên rastîn @@ -5701,6 +5762,7 @@ DocType: Lead,Lead Type,Lead Type apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Quotation Afirandin apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Destûra te tune ku ji bo pejirandina pelên li ser Kurdî Nexşe Block apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Hemû van tomar niha ji fatore dîtin +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Ji bo {0} {1} kîjan kîjan fîlterên ku we destnîşan kiriye qalind nehatin, fatûreyên nedîtî nehat dîtin." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Dîroka Nû Nûvekirinê Hilbijêre DocType: Company,Monthly Sales Target,Target Target Monthly apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Ti fatorek xerîb nehat dîtin @@ -5748,6 +5810,7 @@ DocType: Batch,Source Document Name,Source Name dokumênt DocType: Batch,Source Document Name,Source Name dokumênt DocType: Production Plan,Get Raw Materials For Production,Ji bo hilberîna hilberan DocType: Job Opening,Job Title,Manşeta şolê +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Dravê Pêşerojê Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} nîşan dide ku {1} dê nirxandin nekirî, lê hemî tiştan \ nirxandin. Guherandinên RFQê radigihîne." DocType: Manufacturing Settings,Update BOM Cost Automatically,Bom Costa xwe bixweber bike @@ -5757,12 +5820,10 @@ 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: Company,Product Code,Koda hilberê DocType: Quality Review Table,Objective,Berdest DocType: Supplier Scorecard,Per Month,Per Month DocType: Education Settings,Make Academic Term Mandatory,Termê akademîk çêbikin -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Diravan ji bo Manufacture divê mezintir 0 be. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Li gorî Maldata Fiscal Li gorî Hatina Bersaziya Giran a Guherandin +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Diravan ji bo Manufacture divê mezintir 0 be. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,rapora ji bo banga parastina biçin. DocType: Stock Entry,Update Rate and Availability,Update Rate û Amadeyî 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.,Rêjeya we bi destûr bistînin an rizgar zêdetir li dijî dorpêçê de ferman da. Ji bo nimûne: Ger tu 100 yekîneyên emir kirine. û bistînin xwe 10% îdî tu bi destûr bo wergirtina 110 yekîneyên e. @@ -5774,7 +5835,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Dîroka berdanê divê di pêşerojê de be DocType: BOM,Website Description,Website Description apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Change Net di Sebra min -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Ji kerema xwe ve poşmaniya kirînê bi fatûreyên {0} pêşîn apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Nayê destûr kirin. Ji kerema xwe binivîse navenda yekîneyê apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Email Address divê yekta be, ji niha ve ji bo heye {0}" DocType: Serial No,AMC Expiry Date,AMC Expiry Date @@ -5817,6 +5877,7 @@ DocType: Pricing Rule,Price Discount Scheme,Scheme ya Discount Discount apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Rewşa Tenduristiyê divê betal bike an qedexekirinê DocType: Amazon MWS Settings,US,ME DocType: Holiday List,Add Weekly Holidays,Holidays Weekly +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Report Babetê DocType: Staffing Plan Detail,Vacancies,Xwezî DocType: Hotel Room,Hotel Room,Room Room apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Account {0} nayê ji şîrketa endamê ne {1} @@ -5867,6 +5928,7 @@ DocType: Email Digest,Open Quotations,Quotations Open 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 @@ -5886,6 +5948,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Vala DocType: Patient,Alcohol Past Use,Bikaranîna Pêdivî ya Alkol DocType: Fertilizer Content,Fertilizer Content,Naveroka Fertilizer +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Danasînek tune apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Kr DocType: Tax Rule,Billing State,Dewletê Billing DocType: Quality Goal,Monitoring Frequency,Frekansa avdêrî @@ -5903,6 +5966,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Dîroka Dawî dawî dibe ku beriya têkiliya paşîn ya paşê bê. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Navnîşên Batch DocType: Journal Entry,Pay To / Recd From,Pay To / Recd From +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Mijara çapkirinê DocType: Naming Series,Setup Series,Series Setup DocType: Payment Reconciliation,To Invoice Date,To bi fatûreyên Date DocType: Bank Account,Contact HTML,Contact HTML @@ -5924,6 +5988,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Yektacirî DocType: Student Attendance,Absent,Neamade DocType: Staffing Plan,Staffing Plan Detail,Pîlana Karanîna Determî DocType: Employee Promotion,Promotion Date,Dîroka Pêşveçûn +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Tevnebûna% s rêdan bi serlêdana% s ve girêdayî ye 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,Ne nikarî hejmara lêgerînê li {0} bibînin. Hûn hewce ne ku ji sedan 0 x 100 dakêşin apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Row {0}: Referansa çewt {1} @@ -5961,6 +6026,7 @@ DocType: Volunteer,Availability,Berdestbûnî apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Nirxên default default Setup for POS DocType: Employee Training,Training,Hîndarî DocType: Project,Time to send,Wextê bişîne +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Di vê rûpelê de tiştên ku buyerên hin eleqedar nîşan dane, tiştên xwe davêje." 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 @@ -6057,11 +6123,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Nirx vekirinê DocType: Salary Component,Formula,Formîl apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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 DocType: Material Request Plan Item,Required Quantity,Quantity pêwîst DocType: Lab Test Template,Lab Test Template,Template Test Lab 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}" @@ -6085,6 +6151,7 @@ DocType: Company,Default Employee Advance Account,Hesabê Pêşniyarên Karûbar apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Vîdeo Bigere (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-YYYY- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Account bi mêjera heyî ne jêbirin +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Ma hûn çima difikirin ku divê Ev Babet were rakirin? DocType: Vehicle,Last Carbon Check,Last Check Carbon apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Mesref Yasayî apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Ji kerema xwe ve dorpêçê de li ser rêza hilbijêre @@ -6104,6 +6171,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Qeza DocType: Travel Itinerary,Vegetarian,Vegetarian DocType: Patient Encounter,Encounter Date,Dîrok Dike +DocType: Work Order,Update Consumed Material Cost In Project,Di Projeyê de Mesrefa Materyalên Xandî Nûjen kirin apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Account: {0} bi currency: {1} ne bên hilbijartin DocType: Bank Statement Transaction Settings Item,Bank Data,Data Data DocType: Purchase Receipt Item,Sample Quantity,Hêjeya nimûne @@ -6157,7 +6225,7 @@ DocType: GSTR 3B Report,April,Avrêl 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Têbînî: em babet {0} ketin çend caran +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Têbînî: em babet {0} ketin çend caran apps/erpnext/erpnext/config/buying.py,All Contacts.,Hemû Têkilî. DocType: Accounting Period,Closed Documents,Belge belge 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 @@ -6237,7 +6305,6 @@ DocType: Member,Membership Type,Tîpa Endamê ,Reqd By Date,Query By Date apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,deyndêr DocType: Assessment Plan,Assessment Name,Navê nirxandina -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,PDC di çapkirinê de nîşan bide apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: No Serial wêneke e DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Babetê Detail Wise Bacê DocType: Employee Onboarding,Job Offer,Pêşniyarê kar @@ -6297,6 +6364,7 @@ DocType: Serial No,Out of Warranty,Out of Warranty DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Dîteya Data Mapped DocType: BOM Update Tool,Replace,Diberdaxistin apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,No berhemên dîtin. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Moreiqas More weşandin apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} dijî Sales bi fatûreyên {1} DocType: Antibiotic,Laboratory User,Bikaranîna Bikaranîna bikarhêner DocType: Request for Quotation Item,Project Name,Navê Project @@ -6317,7 +6385,6 @@ DocType: Payment Order Reference,Bank Account Details,Agahiya Hesabê Bankê DocType: Purchase Order Item,Blanket Order,Fermana Blanket 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ê -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Production Order hatiye {0} DocType: BOM Item,BOM No,BOM No 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 @@ -6391,6 +6458,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Pêdivîyên baca baca derve (bi rêjeya zero) DocType: BOM,Materials Required (Exploded),Materyalên pêwîst (teqandin) apps/erpnext/erpnext/buying/report/purchase_analytics/purchase_analytics.js,based_on,çi qewimî +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Submit Review,Review Review DocType: Contract,Party User,Partiya Bikarhêner 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 @@ -6448,7 +6516,6 @@ DocType: Pricing Rule,Same Item,Heman tişt DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Peyam Ledger DocType: Quality Action Resolution,Quality Action Resolution,Actionareseriya çalakiya kalîteyê apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},Li ser nîvê rûniştinê Leave on {0} {0} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,babete heman hatiye nivîsandin çend caran DocType: Department,Leave Block List,Dev ji Lîsteya Block DocType: Purchase Invoice,Tax ID,ID bacê apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Babetê {0} e setup bo Serial Nos ne. Stûna divê vala be @@ -6485,7 +6552,7 @@ 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 DocType: Purchase Invoice,Return,Vegerr -DocType: Accounting Dimension,Disable,neçalak bike +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 DocType: Task,Pending Review,hîn Review apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Bi rûpela bêhtir bijartî ji bo malperê, nirxên serial, batches etc." @@ -6597,7 +6664,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Beşek hevpeymaniya yekgirtî 100% DocType: Item Default,Default Expense Account,Account Default Expense DocType: GST Account,CGST Account,Hesabê CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda Babetê> Koma Rêzan> Brand apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Xwendekarên ID Email DocType: Employee,Notice (days),Notice (rojan) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS Vooter Daxistin @@ -6608,6 +6674,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Select tomar bo rizgarkirina fatûra DocType: Employee,Encashment Date,Date Encashment DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Agahdariya Firotanê DocType: Special Test Template,Special Test Template,Şablon DocType: Account,Stock Adjustment,Adjustment Stock apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Default Activity Cost bo Type Activity heye - {0} @@ -6620,7 +6687,6 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked 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 -DocType: Company,Bank Remittance Settings,Mîhengên Remezana Bankê apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Rêjeya Navîn 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 @@ -6648,6 +6714,7 @@ DocType: Grading Scale Interval,Threshold,Nepxok apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Karmendên Filter Bi (Hilbijarkî) DocType: BOM Update Tool,Current BOM,BOM niha: apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Balance (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Qant of Tiştên Hilberandî apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Lê zêde bike No Serial 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 @@ -6724,7 +6791,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Li vir tu dikarî height, giranî, alerjî, fikarên tibbî û hwd. Bidomînin" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Afirandina Hesaban ... DocType: Leave Block List,Applies to Company,Ji bo Company -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,ne dikarin betal bike ji ber ku nehatine şandin Stock Peyam di {0} heye +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,ne dikarin betal bike ji ber ku nehatine şandin Stock Peyam di {0} heye DocType: Loan,Disbursement Date,Date Disbursement DocType: Service Level Agreement,Agreement Details,Danûstandinên Peymanê apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Dîroka Destpêkê ya Peymanê ji Dîroka Dawiyê nekare mezin an wekhev be. @@ -6733,6 +6800,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Radyoya Tenduristiyê DocType: Vehicle,Vehicle,Erebok DocType: Purchase Invoice,In Words,li Words +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Pêdivî ye ku ji roja pêdivî ye ku ji roja pêşî ve bibe apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Navê navnîşa bankê an saziya lînansê binivîse berî şandin. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,Divê {0} bên şandin DocType: POS Profile,Item Groups,Groups babetî @@ -6805,7 +6873,6 @@ DocType: Customer,Sales Team Details,Details firotina Team apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Vemirandina mayînde? DocType: Expense Claim,Total Claimed Amount,Temamê meblaxa îdîa apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,derfetên Potential ji bo firotina. -DocType: Plaid Settings,Link a new bank account,Hesabek nû ya bankê ve bikin apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{Status Rewşa Beşdarbûna Bawer e. DocType: Shareholder,Folio no.,Folio no. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Invalid {0} @@ -6821,7 +6888,6 @@ DocType: Production Plan,Material Requested,Material Requested DocType: Warehouse,PIN,DERZÎ DocType: Bin,Reserved Qty for sub contract,Qty ji bo peymana dravê veqetandin DocType: Patient Service Unit,Patinet Service Unit,Yekîneya Xizmetiya Patînet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Pelê Nivîsar Serebikin DocType: Sales Invoice,Base Change Amount (Company Currency),Base Change Mîqdar (Company Exchange) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,No entries hisêba ji bo wargehan de li jêr apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Tenê {0} li stock ji bo şîfre {1} @@ -6835,6 +6901,7 @@ DocType: Item,No of Months,Ne meha mehan DocType: Item,Max Discount (%),Max Discount (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Rojên Kredê nikare hejmareke neyînî ne apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Gotarek barkirin +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Vê rapor bike DocType: Purchase Invoice Item,Service Stop Date,Dîrok Stop Stop apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Last Order Mîqdar DocType: Cash Flow Mapper,e.g Adjustments for:,Wek nirxandin ji bo: @@ -6928,16 +6995,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Daxistina Bacê ya Xebatê apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Pêdivî ye ku pîvana kêmtir ji zêrê nebe. DocType: Sales Invoice,C-Form Applicable,C-Forma serlêdanê -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Operasyona Time divê mezintir 0 bo operasyonê bibin {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Operasyona Time divê mezintir 0 bo operasyonê bibin {0} DocType: Support Search Source,Post Route String,Post Route String apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Warehouse wêneke e apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Failed to malperê DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Detail UOM Converter apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Pejirandin û Tevlêbûn -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Entry Stock Entry already created or Quantity Sample not provided +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Entry Stock Entry already created or Quantity Sample not provided DocType: Program,Program Abbreviation,Abbreviation Program -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,"Production Order dikarin li dijî Şablon babet ne, bêne zindî kirin" apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Koma ji hêla Voucher (vehevkirî) DocType: HR Settings,Encrypt Salary Slips in Emails,Li Emails şîfreya Salane derxînin DocType: Question,Multiple Correct Answer,Bersiva Rastîn Pirjimar @@ -6984,7 +7050,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Nil nîsk an jibîrkirî DocType: Employee,Educational Qualification,Qualification perwerdeyî DocType: Workstation,Operating Costs,Mesrefên xwe Operating apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Pereyan ji bo {0} divê {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Têkçûna serdema Grace DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Ji bo Karmendên ku ji vê shiftê hatine vexwendin tevlîbûna li bingeha 'Checkinerê Karmendê' binirxînin. DocType: Asset,Disposal Date,Date çespandina DocType: Service Level,Response and Resoution Time,Bersiv û Wextê Resoution @@ -7032,6 +7097,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Date cebîr DocType: Purchase Invoice Item,Amount (Company Currency),Şêwaz (Company Exchange) DocType: Program,Is Featured,Pêşkêş e +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Fetching ... DocType: Agriculture Analysis Criteria,Agriculture User,Çandinî bikarhêner apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Dîroka rastîn nikare beriya danûstandinê berî ne apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} yekîneyên {1} pêwîst in {2} li {3} {4} ji bo {5} ji bo temamkirina vê de mêjera. @@ -7063,7 +7129,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Total pere Amt 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 @@ -7087,6 +7152,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Bênav apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,pêşwaziya From 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: 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} @@ -7197,7 +7263,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Bac û Bargendên Synch 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,BOM Default ji bo {0} nehate dîtin +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Tap tomar ji wan re lê zêde bike here @@ -7233,7 +7299,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Date Maintenance DocType: Purchase Invoice Item,Rejected Serial No,No Serial red apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,date destpêka salê de an roja dawî gihîjte bi {0}. To rê ji kerema xwe ve set company -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 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Start date divê kêmtir ji roja dawî ji bo babet bê {0} DocType: Shift Type,Auto Attendance Settings,Mîhengên Beşdariya Auto DocType: Item,"Example: ABCD.##### @@ -7290,6 +7355,7 @@ DocType: Fees,Student Details,Agahdariya Xwendekaran DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Ev UOM-ya bingehîn e ku ji bo tiştên û fermanên firotanê ve hatî bikar anîn. Bersiva UOM "Nos" e. DocType: Purchase Invoice Item,Stock Qty,Stock Qty DocType: Purchase Invoice Item,Stock Qty,Stock Qty +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 DocType: Loan,Repayment Period in Months,"Period dayinê, li Meh" @@ -7318,6 +7384,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Discount apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet ji bo karên. DocType: Purchase Invoice,Against Expense Account,Li dijî Account Expense apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installation Têbînî {0} ji niha ve hatine radestkirin +DocType: BOM,Raw Material Cost (Company Currency),Mesrefa Raweya (Raweya Pargîdanî) DocType: GSTR 3B Report,October,Cotmeh DocType: Bank Reconciliation,Get Payment Entries,Get berheman Payment DocType: Quotation Item,Against Docname,li dijî Docname @@ -7364,15 +7431,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Ji bo karanîna karanîna pêdivî ye DocType: Request for Quotation,Supplier Detail,Detail Supplier apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Çewtî di formula an rewşa: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Şêwaz fatore +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Şêwaz fatore apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Divê giravên nirxê 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Amadetî apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Nawy Stock DocType: Sales Invoice,Update Billed Amount in Sales Order,Amûrkirina Barkirina Bargirtina Bazirganî ya Bazirganî +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Bazirganî Têkilî 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/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î DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Li Words xuya dê careke we kirî ya Order xilas bike. @@ -7385,6 +7454,7 @@ DocType: Dosage Form,Dosage Form,Forma Dosage apps/erpnext/erpnext/config/buying.py,Price List master.,List Price master. DocType: Task,Review Date,Date Review DocType: BOM,Allow Alternative Item,Pirtûka Alternatîf +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Pêşwaziya Kirînê Itemê Tişteyek ji bo Tiştê Nimêja Hesabdayînê hatî tune. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Pêşkêşiya Grand Total DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Saziya ji bo Hatina Barkirina Bazirganiyê (Entry Journal) DocType: Membership,Member Since,Ji ber ku ji @@ -7393,6 +7463,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Li ser Net Total 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},Nirx ji bo Pêşbîr {0} de divê di nava cûrbecûr yên bê {1} ji bo {2} di çend qonaxan ji {3} ji bo babet {4} DocType: Pricing Rule,Product Discount Scheme,Sermaseya Hilberîna Hilberê +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Ti pirsgirêk ji hêla bangker ve nehatiye bilind kirin. DocType: Restaurant Reservation,Waitlisted,Waitlisted DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategorî apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Exchange dikarin piştî çêkirina entries bikaranîna hinek dî ne bê guhertin @@ -7406,7 +7477,6 @@ DocType: Customer Group,Parent Customer Group,Dê û bav Mişterî Group apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON tenê ji Pêşkêşiya Firotanê were hilberandin apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Ji bo vê quizê hewildanên herî zêde gihîştin! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonetî -DocType: Purchase Invoice,Contact Email,Contact Email apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Pending Creation Pending DocType: Project Template Task,Duration (Days),Demjimêr (Rojan) DocType: Appraisal Goal,Score Earned,score Earned @@ -7431,7 +7501,6 @@ DocType: Landed Cost Item,Landed Cost Item,Landed babet Cost apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Nîşan bide nirxên zero DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Mêjera babete bidestxistin piştî manufacturing / repacking ji quantities dayîn ji madeyên xav DocType: Lab Test,Test Group,Koma Tîpa -apps/erpnext/erpnext/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Hêjeya ji bo danûstendinek yekcar ji mîqdara mestir pirtir derbas dibe, bi dabeşkirina danûstendinan ve fermannameya dravdanê cuda ava dikin" DocType: Service Level Agreement,Entity,Entity DocType: Payment Reconciliation,Receivable / Payable Account,Teleb / cîhde Account DocType: Delivery Note Item,Against Sales Order Item,Li dijî Sales Order babetî @@ -7599,6 +7668,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Berde DocType: Quality Inspection Reading,Reading 3,Reading 3 DocType: Stock Entry,Source Warehouse Address,Navnîşana Warehouse Çavkaniyê DocType: GL Entry,Voucher Type,fîşeke Type +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Dravên Pêşerojê 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 @@ -7625,6 +7695,7 @@ 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." DocType: Sales Invoice,Customer GSTIN,GSTIN mişterî DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Lîsteya li nexweşiyên li ser axaftinê têne dîtin. Dema ku bijartî ew dê otomatîk lîsteya karûbarên xwe zêde bike ku ji bo nexweşiyê ve girêdayî bike +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Ev yekîneya xizmeta lênerîna lênêrînê ya bingehîn e û nikare guherandinê ne. DocType: Asset Repair,Repair Status,Rewşa Rewşê 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." @@ -7639,6 +7710,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Account ji bo Guhertina Mîqdar DocType: QuickBooks Migrator,Connecting to QuickBooks,Girêdana QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Baweriya Giştî / Gelek +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Lîsteya Hilbijartinê biafirînin apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partiya / Account nayê bi hev nagirin {1} / {2} li {3} {4} DocType: Employee Promotion,Employee Promotion,Pêşveçûna Karmendiyê DocType: Maintenance Team Member,Maintenance Team Member,Endama Tenduristiyê @@ -7722,6 +7794,7 @@ 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î apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,pay Net ne dikare bibe neyînî @@ -7753,7 +7826,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Armanca Qalîteyê DocType: BOM,Item to be manufactured or repacked,Babete binêre bo çêkirin an repacked apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Çewtiya Syntax di rewşê de: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Ti pirsgirêk ji hêla mişterî ve nehatiye bilind kirin. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY- DocType: Employee Education,Major/Optional Subjects,Major / Subjects Bijarî apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Ji kerema xwe ji Saziya Saziyê Setup di Kiryarên Kirînê. @@ -7846,8 +7918,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Rojan Credit apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Ji kerema xwe ji nexweşiya hilbijêrin ku ji bo ceribandinên Labê bibînin DocType: Exotel Settings,Exotel Settings,Mîhengên Exotel -DocType: Leave Type,Is Carry Forward,Ma çêşît Forward +DocType: Leave Ledger Entry,Is Carry Forward,Ma çêşît Forward DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Demjimêrên xebatê yên li jêr ên ku Absent têne nîşankirin. (Zero kirin asteng kirin) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Peyamek bişînin apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Get Nawy ji BOM 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 diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv index c75883a11c..17f0408c9a 100644 --- a/erpnext/translations/lo.csv +++ b/erpnext/translations/lo.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,ແຈ້ງ Supplier apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,ກະລຸນາເລືອກພັກປະເພດທໍາອິດ DocType: Item,Customer Items,ລາຍການລູກຄ້າ +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,ຄວາມຮັບຜິດຊອບ DocType: Project,Costing and Billing,ການໃຊ້ຈ່າຍແລະການເອີ້ນເກັບເງິນ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},ເງິນສະກຸນເງິນທີ່ລ່ວງຫນ້າຄວນຈະເປັນເງິນສະກຸນເງິນຂອງບໍລິສັດ {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,ມາດຕະຖານ Unit of Measure DocType: SMS Center,All Sales Partner Contact,ທັງຫມົດ Sales Partner ຕິດຕໍ່ DocType: Department,Leave Approvers,ອອກຈາກການອະນຸມັດ DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,ຄົ້ນຫາລາຍການ ... DocType: Patient Encounter,Investigations,ການສືບສວນ DocType: Restaurant Order Entry,Click Enter To Add,ກົດ Enter ເພື່ອຕື່ມ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","ຂາດມູນຄ່າສໍາລັບ Password, API Key ຫຼື Shopify URL" DocType: Employee,Rented,ເຊົ່າ apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,ບັນຊີທັງຫມົດ apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,ບໍ່ສາມາດຍົກເລີກພະນັກງານທີ່ມີສະຖານະພາບໄວ້ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","ໃບສັ່ງຜະລິດຢຸດເຊົາບໍ່ສາມາດໄດ້ຮັບການຍົກເລີກ, ຈຸກມັນຄັ້ງທໍາອິດເພື່ອຍົກເລີກການ" DocType: Vehicle Service,Mileage,mileage apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,ທ່ານກໍ່ຕ້ອງການທີ່ຈະ scrap ຊັບສິນນີ້? DocType: Drug Prescription,Update Schedule,ປັບປຸງຕາຕະລາງ @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,ລູກຄ້າ DocType: Purchase Receipt Item,Required By,ທີ່ກໍານົດໄວ້ໂດຍ DocType: Delivery Note,Return Against Delivery Note,ກັບຄືນຕໍ່ການສົ່ງເງິນ DocType: Asset Category,Finance Book Detail,Financial Book Detail +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,ຄ່າເສື່ອມລາຄາທັງ ໝົດ ຖືກຈອງແລ້ວ DocType: Purchase Order,% Billed,% ບິນ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,ເລກເງິນເດືອນ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),ອັດຕາແລກປ່ຽນຈະຕ້ອງເປັນເຊັ່ນດຽວກັນກັບ {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,ຊຸດສິນຄ້າສະຖານະຫມົດອາຍຸ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,ຮ່າງຂອງທະນາຄານ DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,ການອອກສຽງຊ້າທັງ ໝົດ DocType: Mode of Payment Account,Mode of Payment Account,ຮູບແບບຂອງບັນຊີຊໍາລະເງິນ apps/erpnext/erpnext/config/healthcare.py,Consultation,ການປຶກສາຫາລື DocType: Accounts Settings,Show Payment Schedule in Print,ສະແດງຕາຕະລາງການຊໍາລະເງິນໃນການພິມ @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primary Contact Details apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,ເປີດປະເດັນ DocType: Production Plan Item,Production Plan Item,ການຜະລິດແຜນ Item +DocType: Leave Ledger Entry,Leave Ledger Entry,ອອກຈາກ Ledger Entry apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},ຜູ້ໃຊ້ {0} ແມ່ນກໍາຫນົດໃຫ້ກັບພະນັກງານ {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {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 ສູດ @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,ຈ DocType: Purchase Invoice Item,Item Weight Details,Item Weight Details DocType: Asset Maintenance Log,Periodicity,ໄລຍະເວລາ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,ປີງົບປະມານ {0} ຈໍາເປັນຕ້ອງມີ +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,ກຳ ໄລສຸດທິ / ການສູນເສຍ DocType: Employee Group Table,ERPNext User ID,ລະຫັດຜູ້ໃຊ້ ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ໄລຍະທາງຕໍາ່ສຸດທີ່ລະຫວ່າງແຖວຂອງພືດສໍາລັບການເຕີບໂຕທີ່ດີທີ່ສຸດ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,ກະລຸນາເລືອກຄົນເຈັບເພື່ອຮັບເອົາລະບຽບການ @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,ລາຄາຂາຍລາຄາ DocType: Patient,Tobacco Current Use,Tobacco Current Use apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,ອັດຕາການຂາຍ -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,ກະລຸນາບັນທຶກເອກະສານຂອງທ່ານກ່ອນທີ່ຈະເພີ່ມບັນຊີ ໃໝ່ 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 ...,ຊອກຫາຫຍັງ ... DocType: Company,Phone No,ໂທລະສັບທີ່ບໍ່ມີ DocType: Delivery Trip,Initial Email Notification Sent,ການແຈ້ງເຕືອນເບື້ອງຕົ້ນຖືກສົ່ງມາ DocType: Bank Statement Settings,Statement Header Mapping,Statement Header Mapping @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,ກ DocType: Exchange Rate Revaluation Account,Gain/Loss,Gain / Loss DocType: Crop,Perennial,ອາຍຸຫລາຍປີ DocType: Program,Is Published,ຖືກຈັດພີມມາ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,ສະແດງບັນທຶກການສົ່ງ apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","ເພື່ອອະນຸຍາດການເອີ້ນເກັບເງິນ, ໃຫ້ອັບເດດ "Over Billing Allowance" ໃນການຕັ້ງຄ່າບັນຊີຫລືລາຍການ." DocType: Patient Appointment,Procedure,Procedure DocType: Accounts Settings,Use Custom Cash Flow Format,ໃຊ້ Custom Flow Format Format @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,ອອກຈາກລາຍລະອຽດຂອງນະໂຍບາຍ DocType: BOM,Item Image (if not slideshow),ລາຍການຮູບພາບ (ຖ້າຫາກວ່າບໍ່ໂຊ) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,ແຖວ # {0}: ການ ດຳ ເນີນງານ {1} ບໍ່ໄດ້ ສຳ ເລັດ ສຳ ລັບ {2} ສິນຄ້າ ສຳ ເລັດຮູບ ຈຳ ນວນຫຼາຍໃນ ຄຳ ສັ່ງເຮັດວຽກ {3}. ກະລຸນາປັບປຸງສະຖານະການ ດຳ ເນີນງານຜ່ານບັດວຽກ {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} ແມ່ນມີຄວາມ ຈຳ ເປັນ ສຳ ລັບການຈ່າຍເງິນໂອນ, ກຳ ນົດພາກສະ ໜາມ ແລະລອງ ໃໝ່ ອີກຄັ້ງ" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(ຊົ່ວໂມງອັດຕາ / 60) * ຈິງທີ່ໃຊ້ເວລາການດໍາເນີນງານ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,ແຖວ # {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນຫນຶ່ງໃນການຮຽກຮ້ອງຄ່າຫຼືອະນຸທິນ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,ເລືອກ BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,ຕອບບຸນແທນຄຸນໃນໄລຍະຈໍານວນຂອງໄລຍະເວລາ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ປະລິມານການຜະລິດບໍ່ສາມາດຕ່ ຳ ກວ່າສູນ DocType: Stock Entry,Additional Costs,ຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ລູກຄ້າ> ກຸ່ມລູກຄ້າ> ອານາເຂດ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສກຸ່ມ. DocType: Lead,Product Enquiry,ສອບຖາມຂໍ້ມູນຜະລິດຕະພັນ DocType: Education Settings,Validate Batch for Students in Student Group,ກວດສອບຊຸດສໍາລັບນັກສຶກສາໃນກຸ່ມນັກສຶກສາ @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,ພາຍໃຕ້ການຈົບ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,ກະລຸນາຕັ້ງຄ່າແມ່ແບບມາດຕະຖານສໍາລັບການປ່ອຍ Notification ສະຖານະໃນ HR Settings. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ເປົ້າຫມາຍກ່ຽວກັບ DocType: BOM,Total Cost,ຄ່າໃຊ້ຈ່າຍທັງຫມົດ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,ການຈັດສັນ ໝົດ ອາຍຸ! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,ໃບສົ່ງຕໍ່ສູງສຸດ DocType: Salary Slip,Employee Loan,ເງິນກູ້ພະນັກງານ DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,ສົ່ງອີເມວການຈ່າຍເງິນ @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,ອະ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,ຖະແຫຼງການຂອງບັນຊີ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ຢາ DocType: Purchase Invoice Item,Is Fixed Asset,ແມ່ນຊັບສິນຄົງທີ່ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,ສະແດງການຈ່າຍເງິນໃນອະນາຄົດ DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT -YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,ບັນຊີທະນາຄານນີ້ຖືກຊິ້ງຂໍ້ມູນແລ້ວ DocType: Homepage,Homepage Section,ພາກສ່ວນເວບໄຊທ໌ @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,ປຸ໋ຍ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",ບໍ່ສາມາດຮັບປະກັນການຈັດສົ່ງໂດຍ Serial No as \ Item {0} ຖືກເພີ່ມແລະບໍ່ມີການຮັບປະກັນການຈັດສົ່ງໂດຍ \ Serial No. -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ຜູ້ສອນໃນການສຶກສາ> ການຕັ້ງຄ່າການສຶກສາ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,ຢ່າງຫນ້ອຍຫນຶ່ງຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນສໍາລັບໃບເກັບເງິນ POS. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},ບໍ່ ຈຳ ເປັນຕ້ອງໃຊ້ ສຳ ລັບລາຍການທີ່ ກຳ ຈັດ batched {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,ເລືອກເງື່ອນ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,ມູນຄ່າອອກ DocType: Bank Statement Settings Item,Bank Statement Settings Item,Bank Statement Set Items DocType: Woocommerce Settings,Woocommerce Settings,ການຕັ້ງຄ່າ Woocommerce +DocType: Leave Ledger Entry,Transaction Name,ຊື່ການເຮັດທຸລະ ກຳ DocType: Production Plan,Sales Orders,ຄໍາສັ່ງການຂາຍ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,ໂປລແກລມຄວາມພັກດີຫຼາຍໆຄົນທີ່ພົບເຫັນສໍາລັບລູກຄ້າ. Please select manually DocType: Purchase Taxes and Charges,Valuation,ປະເມີນມູນຄ່າ @@ -461,6 +469,7 @@ DocType: Company,Enable Perpetual Inventory,ເປີດນໍາໃຊ້ສິ DocType: Bank Guarantee,Charges Incurred,Charges Incurred apps/erpnext/erpnext/public/js/education/lms/quiz.js,Something went wrong while evaluating the quiz.,ມີບາງຢ່າງຜິດປົກກະຕິໃນຂະນະທີ່ປະເມີນແບບສອບຖາມ. 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 ການປັບປຸງ DocType: POS Profile,Only show Customer of these Customer Groups,ສະແດງສະເພາະລູກຄ້າຂອງກຸ່ມລູກຄ້າເຫຼົ່ານີ້ເທົ່ານັ້ນ DocType: Sales Invoice,Is Opening Entry,ຄືການເປີດ Entry @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,ເວົ້າເຖິງຖ້າຫາກວ່າບໍ່ໄດ້ມາດຕະຖານບັນຊີລູກຫນີ້ສາມາດນໍາໃຊ້ 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 ນີ້ DocType: Supplier Scorecard,Criteria Setup,ຕິດຕັ້ງມາດຕະຖານ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,ສໍາລັບການຄັງສິນຄ້າທີ່ຕ້ອງການກ່ອນທີ່ຈະຍື່ນສະເຫນີການ +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,ໄດ້ຮັບກ່ຽວກັບ DocType: Codification Table,Medical Code,Medical Code apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ເຊື່ອມຕໍ່ Amazon ກັບ ERPNext @@ -486,7 +496,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,ເພີ່ມບັນຊີທະນາຄານ -DocType: Delivery Stop,Contact Name,ຊື່ຕິດຕໍ່ +DocType: Call Log,Contact Name,ຊື່ຕິດຕໍ່ DocType: Plaid Settings,Synchronize all accounts every hour,ຊິ້ງຂໍ້ມູນບັນຊີທັງ ໝົດ ທຸກໆຊົ່ວໂມງ DocType: Course Assessment Criteria,Course Assessment Criteria,ເງື່ອນໄຂການປະເມີນຜົນຂອງລາຍວິຊາ DocType: Pricing Rule Detail,Rule Applied,ໃຊ້ກົດລະບຽບ @@ -530,7 +540,6 @@ 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,ຂາຍໃບເກັບເງິນທີ່ບໍ່ມີ -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,ບໍ່ຮູ້ເລກ DocType: Website Filter Field,Website Filter Field,ພາກສະຫນາມການກັ່ນຕອງເວັບໄຊທ໌ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Supply Type DocType: Material Request Item,Min Order Qty,ນາທີສັ່ງຊື້ຈໍານວນ @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,ຈໍານວນຕົ້ນທຶ DocType: Student Guardian,Relation,ປະຊາສໍາພັນ DocType: Quiz Result,Correct,ຖືກຕ້ອງ DocType: Student Guardian,Mother,ແມ່ -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,ກະລຸນາຕື່ມຄີ Plaid api ທີ່ຖືກຕ້ອງໃນ site_config.json ກ່ອນ DocType: Restaurant Reservation,Reservation End Time,ເວລາ Reservation ການສິ້ນສຸດ DocType: Crop,Biennial,Biennial ,BOM Variance Report,BOM Variance Report @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,Plaid Public Key DocType: Payment Term,Payment Term Name,ຊື່ການຈ່າຍເງິນ DocType: Healthcare Settings,Create documents for sample collection,ສ້າງເອກະສານສໍາລັບການເກັບຕົວຢ່າງ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},ຊໍາລະເງິນກັບ {0} {1} ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາທີ່ພົ້ນເດັ່ນຈໍານວນ {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,ການຕັ້ງຄ່າ POS ແ DocType: Stock Entry Detail,Reference Purchase Receipt,ໃບຮັບເງິນການຊື້ເອກະສານ DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,variant ຂອງ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',ສໍາເລັດຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ 'ຈໍານວນການຜະລິດ' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',ສໍາເລັດຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ 'ຈໍານວນການຜະລິດ' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,ໄລຍະເວລາອີງໃສ່ DocType: Period Closing Voucher,Closing Account Head,ປິດຫົວຫນ້າບັນຊີ DocType: Employee,External Work History,ວັດການເຮັດວຽກພາຍນອກ apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Error Reference ວົງ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Student Report Card apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,ຈາກ PIN Code +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,ສະແດງບຸກຄົນຂາຍ DocType: Appointment Type,Is Inpatient,ແມ່ນຜູ້ປ່ວຍນອກ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,ຊື່ Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,ໃນຄໍາສັບຕ່າງໆ (Export) ຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດການຈັດສົ່ງ. @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,ຊື່ມິຕິ apps/erpnext/erpnext/healthcare/setup.py,Resistant,ທົນທານຕໍ່ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},ກະລຸນາຕັ້ງໂຮງແຮມ Rate on {} +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕິດຕັ້ງຊຸດ ໝາຍ ເລກ ສຳ ລັບການເຂົ້າຮຽນຜ່ານການຕິດຕັ້ງ> ຊຸດເລກ ລຳ ດັບ DocType: Journal Entry,Multi Currency,ສະກຸນເງິນຫຼາຍ DocType: Bank Statement Transaction Invoice Item,Invoice Type,ປະເພດໃບເກັບເງິນ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,ຖືກຕ້ອງຈາກວັນທີຕ້ອງມີ ໜ້ອຍ ກວ່າວັນທີທີ່ຖືກຕ້ອງ @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,ຍອມຮັບຢ່າງຈິງ DocType: Workstation,Rent Cost,ເຊົ່າທຶນ 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,ຈໍານວນເງິນຫຼັງຈາກຄ່າເສື່ອມລາຄາ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,ທີ່ຈະເກີດຂຶ້ນປະຕິທິນເຫດການ apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variant Attributes @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,ການຮ້ອງຂໍ 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,ສະແດງບຸກຄົນຂາຍໃນການພິມ 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,ຄວາມເຂັ້ມແຂງ @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,ສ້າງລູກຄ້າໃຫມ່ apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Expiring On apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","ຖ້າຫາກວ່າກົດລະບຽບການຕັ້ງລາຄາທີ່ຫຼາກຫຼາຍສືບຕໍ່ໄຊຊະນະ, ຜູ້ໃຊ້ໄດ້ຮ້ອງຂໍໃຫ້ກໍານົດບຸລິມະສິດດ້ວຍຕົນເອງເພື່ອແກ້ໄຂບັນຫາຂໍ້ຂັດແຍ່ງ." -DocType: Purchase Invoice,Scan Barcode,ສະແກນບາໂຄດ apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,ສ້າງໃບສັ່ງຊື້ ,Purchase Register,ລົງທະບຽນການຊື້ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,ບໍ່ພົບຄົນເຈັບ @@ -817,6 +828,7 @@ DocType: Account,Old Parent,ພໍ່ແມ່ເກົ່າ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,ພາກສະຫນາມບັງຄັບ - ປີທາງວິຊາການ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,ພາກສະຫນາມບັງຄັບ - ປີທາງວິຊາການ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} ບໍ່ກ່ຽວຂ້ອງກັບ {2} {3} +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} @@ -860,6 +872,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,ອົງປະກອບເງິນເດືອນສໍາລັບເງິນເດືອນຕາມ timesheet. DocType: Driver,Applicable for external driver,ສາມາດໃຊ້ໄດ້ສໍາລັບຜູ້ຂັບຂີ່ພາຍນອກ DocType: Sales Order Item,Used for Production Plan,ນໍາໃຊ້ສໍາລັບແຜນການຜະລິດ +DocType: BOM,Total Cost (Company Currency),ຕົ້ນທຶນທັງ ໝົດ (ສະກຸນເງິນຂອງບໍລິສັດ) DocType: Loan,Total Payment,ການຊໍາລະເງິນທັງຫມົດ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,ບໍ່ສາມາດຍົກເລີກການໂອນສໍາລັບຄໍາສັ່ງເຮັດວຽກທີ່ສໍາເລັດໄດ້. DocType: Manufacturing Settings,Time Between Operations (in mins),ທີ່ໃຊ້ເວລາລະຫວ່າງການປະຕິບັດ (ໃນນາທີ) @@ -881,6 +894,7 @@ DocType: Supplier Scorecard Standing,Notify Other,ແຈ້ງອື່ນ ໆ DocType: Vital Signs,Blood Pressure (systolic),ຄວາມດັນເລືອດ (systolic) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} ແມ່ນ {2} DocType: Item Price,Valid Upto,ຖືກຕ້ອງບໍ່ເກີນ +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.,ບອກໄດ້ບໍ່ຫຼາຍປານໃດຂອງລູກຄ້າຂອງທ່ານ. ພວກເຂົາເຈົ້າສາມາດຈະມີອົງການຈັດຕັ້ງຫຼືບຸກຄົນ. @@ -899,6 +913,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},ການປ່ຽນແປງໃນ {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,ກະລຸນາເລືອກບໍລິສັດ DocType: Employee Skill,Employee Skill,ທັກສະຂອງພະນັກງານ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,ບັນຊີທີ່ແຕກຕ່າງກັນ @@ -943,6 +958,7 @@ DocType: Patient,Risk Factors,ປັດໄຈຄວາມສ່ຽງ DocType: Patient,Occupational Hazards and Environmental Factors,ອັນຕະລາຍດ້ານອາຊີບແລະສິ່ງແວດລ້ອມ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ບັນດາຜະລິດຕະພັນທີ່ສ້າງແລ້ວສໍາລັບຄໍາສັ່ງເຮັດວຽກ apps/erpnext/erpnext/templates/pages/cart.html,See past orders,ເບິ່ງການສັ່ງຊື້ທີ່ຜ່ານມາ +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} ການສົນທະນາ DocType: Vital Signs,Respiratory rate,ອັດຕາການຫາຍໃຈ apps/erpnext/erpnext/config/help.py,Managing Subcontracting,ການຄຸ້ມຄອງການ Subcontracting DocType: Vital Signs,Body Temperature,ອຸນຫະພູມຮ່າງກາຍ @@ -984,6 +1000,7 @@ DocType: Purchase Invoice,Registered Composition,ອົງປະກອບທີ apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,ສະບາຍດີ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,ການເຄື່ອນໄຫວສິນຄ້າ DocType: Employee Incentive,Incentive Amount,ຈໍານວນເງິນຊຸກຍູ້ +,Employee Leave Balance Summary,ໃບສະຫຼຸບຍອດເຫຼືອຂອງພະນັກງານ DocType: Serial No,Warranty Period (Days),ໄລຍະເວລາຮັບປະກັນ (ວັນ) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,ຈໍານວນເງິນເຄດິດ / ເງິນຝາກທະນາຄານທັງຫມົດຄວນຈະມີການເຊື່ອມໂຍງກັນກັບວາລະສານ DocType: Installation Note Item,Installation Note Item,ການຕິດຕັ້ງຫມາຍເຫດລາຍການ @@ -997,6 +1014,7 @@ DocType: Vital Signs,Bloated,Bloated DocType: Salary Slip,Salary Slip Timesheet,Timesheet ເງິນເດືອນ Slip apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Warehouse ບັງຄັບສໍາລັບອະນຸສັນຍາຮັບຊື້ DocType: Item Price,Valid From,ຖືກຕ້ອງຈາກ +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,rating ຂອງທ່ານ: DocType: Sales Invoice,Total Commission,ຄະນະກໍາມະການທັງຫມົດ DocType: Tax Withholding Account,Tax Withholding Account,ບັນຊີອອມຊັບພາສີ DocType: Pricing Rule,Sales Partner,Partner ຂາຍ @@ -1004,6 +1022,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,ທັງຫມ DocType: Buying Settings,Purchase Receipt Required,ຊື້ຮັບທີ່ກໍານົດໄວ້ DocType: Sales Invoice,Rail,ລົດໄຟ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ຄ່າໃຊ້ຈ່າຍຕົວຈິງ +DocType: Item,Website Image,ຮູບພາບເວບໄຊທ໌ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,ສາງເປົ້າຫມາຍໃນແຖວ {0} ຕ້ອງຄືກັນກັບຄໍາສັ່ງການເຮັດວຽກ apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,ອັດຕາມູນຄ່າເປັນການບັງຄັບຖ້າຫາກວ່າການເປີດກວ້າງການຕະຫຼາດເຂົ້າໄປ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,ບໍ່ມີພົບເຫັນຢູ່ໃນຕາຕະລາງການບັນທຶກການໃບເກັບເງິນ @@ -1038,8 +1057,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,ກະລຸນາເຮັດ ສຳ ເລັດການຕັ້ງຄ່າ Plaid API ຂອງທ່ານກ່ອນທີ່ຈະຊິ້ງຂໍ້ມູນບັນຊີຂອງທ່ານ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,ວັນທີເຄິ່ງວັນແມ່ນຈໍາເປັນ DocType: Sales Order,Billing and Delivery Status,ໃບບິນແລະການຈັດສົ່ງສິນຄ້າສະຖານະ DocType: Job Applicant,Resume Attachment,ຊີວະປະຫວັດ Attachment @@ -1051,7 +1070,6 @@ DocType: Production Plan,Production Plan,ແຜນການຜະລິດ DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ເປີດເຄື່ອງມືການສ້າງໃບເກັບເງິນ DocType: Salary Component,Round to the Nearest Integer,ມົນກັບການເຊື່ອມໂຍງໃກ້ທີ່ສຸດ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Return ຂາຍ -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ຫມາຍເຫດ: ໃບຈັດສັນທັງຫມົດ {0} ບໍ່ຄວນຈະຫນ້ອຍກ່ວາໃບອະນຸມັດແລ້ວ {1} ສໍາລັບໄລຍະເວລາ DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,ຕັ້ງຄ່າ Qty ໃນການປະຕິບັດການໂດຍອີງໃສ່ການນໍາເຂົ້າບໍ່ມີ Serial ,Total Stock Summary,ທັງຫມົດສະຫຼຸບ Stock apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1080,6 +1098,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,A W apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,ຈໍານວນຜູ້ອໍານວຍການ DocType: Loan Application,Total Payable Interest,ທັງຫມົດດອກເບ້ຍຄ້າງຈ່າຍ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ຍອດລວມ: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,ເປີດຕິດຕໍ່ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,ຂາຍ Invoice 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},ຈຳ ນວນ Serial ບໍ່ ຈຳ ເປັນ ສຳ ລັບສິນຄ້າທີ່ມີ serialized {0} @@ -1089,6 +1108,7 @@ 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,ເກີດຄວາມຜິດພາດໃນຂະບວນການປັບປຸງ DocType: Restaurant Reservation,Restaurant Reservation,ຮ້ານອາຫານການຈອງ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,ລາຍການຂອງທ່ານ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,ຂຽນບົດສະເຫນີ DocType: Payment Entry Deduction,Payment Entry Deduction,ການຫັກ Entry ການຊໍາລະເງິນ DocType: Service Level Priority,Service Level Priority,ບູລິມະສິດໃນລະດັບການບໍລິການ @@ -1097,6 +1117,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Batch Number Series apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,ອີກປະການຫນຶ່ງບຸກຄົນ Sales {0} ມີຢູ່ກັບ id ພະນັກງານດຽວກັນ DocType: Employee Advance,Claimed Amount,ຈໍານວນການຮ້ອງຂໍ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,ການ ໝົດ ອາຍຸການຈັດສັນ DocType: QuickBooks Migrator,Authorization Settings,ການກໍານົດການອະນຸຍາດ DocType: Travel Itinerary,Departure Datetime,ວັນທີອອກເດີນທາງ apps/erpnext/erpnext/hub_node/api.py,No items to publish,ບໍ່ມີສິ່ງໃດທີ່ຈະເຜີຍແຜ່ @@ -1166,7 +1187,6 @@ DocType: Student Batch Name,Batch Name,ຊື່ batch DocType: Fee Validity,Max number of visit,ຈໍານວນການຢ້ຽມຢາມສູງສຸດ DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,ການບັງຄັບບັນຊີ ກຳ ໄລແລະຂາດທຶນ ,Hotel Room Occupancy,Hotel Room Occupancy -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet ສ້າງ: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},ກະລຸນາທີ່ກໍານົດໄວ້ເງິນສົດໃນຕອນຕົ້ນຫຼືບັນຊີທະນາຄານໃນຮູບແບບການຊໍາລະເງິນ {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,ລົງທະບຽນ DocType: GST Settings,GST Settings,ການຕັ້ງຄ່າສີມູນຄ່າເພີ່ມ @@ -1300,6 +1320,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,ກະລຸນາເລືອກໂຄງການ DocType: Project,Estimated Cost,ຕົ້ນທຶນຄາດຄະເນ DocType: Request for Quotation,Link to material requests,ການເຊື່ອມຕໍ່ກັບການຮ້ອງຂໍອຸປະກອນການ +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,ເຜີຍແຜ່ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ຍານອະວະກາດ ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Accounts [FEC] DocType: Journal Entry,Credit Card Entry,Entry ບັດເຄດິດ @@ -1326,6 +1347,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,ຊັບສິນປັດຈຸບັນ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} ບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',ກະລຸນາຕໍານິຕິຊົມຂອງທ່ານເພື່ອຝຶກອົບຮົມໂດຍການຄລິກໃສ່ 'ການຝຶກອົບຮົມ Feedback' ແລະຫຼັງຈາກນັ້ນ 'New' +DocType: Call Log,Caller Information,ຂໍ້ມູນຜູ້ໂທ DocType: Mode of Payment Account,Default Account,ບັນຊີມາດຕະຖານ apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,ກະລຸນາເລືອກຄັງເກັບຮັກສາຕົວຢ່າງໃນການຕັ້ງຄ່າຫຼັກຊັບກ່ອນ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,ກະລຸນາເລືອກປະເພດໂຄງການຫຼາຍຂັ້ນຕອນສໍາລັບຫຼາຍກວ່າກົດລະບຽບການເກັບກໍາ. @@ -1350,6 +1372,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,ການຮ້ອງຂໍການວັດສະດຸ Auto Generated DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),ຊົ່ວໂມງເຮັດວຽກຢູ່ຂ້າງລຸ່ມຊຶ່ງ ໝາຍ ເຖິງເຄິ່ງວັນ. (ສູນທີ່ຈະປິດການໃຊ້ງານ) DocType: Job Card,Total Completed Qty,ຈຳ ນວນທັງ ໝົດ ສຳ ເລັດ +DocType: HR Settings,Auto Leave Encashment,ອັດຕະໂນມັດ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,ການສູນເສຍ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,ທ່ານບໍ່ສາມາດເຂົ້າໃບໃນປັດຈຸບັນ 'ຕໍ່ອະນຸ' ຖັນ DocType: Employee Benefit Application Detail,Max Benefit Amount,Max Benefit Amount @@ -1379,9 +1402,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Subscriber DocType: Item Attribute Value,Item Attribute Value,ລາຍການສະແດງທີ່ມູນຄ່າ apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,ການແລກປ່ຽນເງິນຕາຕ້ອງໃຊ້ສໍາລັບການຊື້ຫຼືຂາຍ. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,ພຽງແຕ່ການຈັດສັນທີ່ ໝົດ ອາຍຸເທົ່ານັ້ນທີ່ສາມາດຍົກເລີກໄດ້ DocType: Item,Maximum sample quantity that can be retained,ປະລິມານຕົວຢ່າງສູງສຸດທີ່ສາມາດຮັກສາໄດ້ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Row {0} # Item {1} ບໍ່ສາມາດຖືກຍົກຍ້າຍຫຼາຍກວ່າ {2} ຕໍ່ຄໍາສັ່ງສັ່ງຊື້ {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,ຂະບວນການຂາຍ. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,ຜູ້ໂທທີ່ບໍ່ຮູ້ຊື່ DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1413,6 +1438,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ເວລ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Name DocType: Expense Claim Detail,Expense Claim Type,ຄ່າໃຊ້ຈ່າຍປະເພດການຮ້ອງຂໍ DocType: Shopping Cart Settings,Default settings for Shopping Cart,ການຕັ້ງຄ່າມາດຕະຖານສໍາລັບການຄ້າໂຄງຮ່າງການ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,ບັນທຶກລາຍການ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,ລາຍຈ່າຍ ໃໝ່ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,ບໍ່ສົນໃຈ ຄຳ ສັ່ງທີ່ມີຢູ່ແລ້ວ Qty apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Add Timeslots @@ -1425,6 +1451,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,ການທົບທວນຄືນການເຊີນສົ່ງ DocType: Shift Assignment,Shift Assignment,Shift Assignment DocType: Employee Transfer Property,Employee Transfer Property,ພະນັກງານໂອນຊັບສິນ +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,ບັນຊີຄວາມສະ ເໝີ ພາບ / ຄວາມຮັບຜິດຊອບບໍ່ສາມາດປ່ອຍໃຫ້ຫວ່າງໄດ້ apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,ຈາກທີ່ໃຊ້ເວລາຄວນຈະມີຫນ້ອຍກ່ວາທີ່ໃຊ້ເວລາ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotechnology apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1507,11 +1534,13 @@ 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,ສ້າງລາຍຊື່ຜູ້ຕິດຕໍ່ ໃໝ່ apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,ກະດານຂ່າວ DocType: GSTR 3B Report,GSTR 3B Report,ບົດລາຍງານ GSTR 3B DocType: Request for Quotation Supplier,Quote Status,ສະຖານະອ້າງ DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,ສະຖານະສໍາເລັດ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},ຈຳ ນວນການຈ່າຍເງິນທັງ ໝົດ ບໍ່ສາມາດໃຫຍ່ກວ່າ {} DocType: Daily Work Summary Group,Select Users,ເລືອກຜູ້ໃຊ້ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ລາຄາຫ້ອງພັກລາຄາຫ້ອງພັກ DocType: Loyalty Program Collection,Tier Name,Tier Name @@ -1549,6 +1578,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST ຈ DocType: Lab Test Template,Result Format,Format Result DocType: Expense Claim,Expenses,ຄ່າໃຊ້ຈ່າຍ DocType: Service Level,Support Hours,ຊົ່ວໂມງສະຫນັບສະຫນູນ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,ບັນທຶກການຈັດສົ່ງ DocType: Item Variant Attribute,Item Variant Attribute,ລາຍການ Variant ຄຸນລັກສະນະ ,Purchase Receipt Trends,ແນວໂນ້ມການຊື້ຮັບ DocType: Payroll Entry,Bimonthly,Bimonthly @@ -1571,7 +1601,6 @@ DocType: Sales Team,Incentives,ສິ່ງຈູງໃຈ DocType: SMS Log,Requested Numbers,ຈໍານວນການຮ້ອງຂໍ DocType: Volunteer,Evening,ຕອນແລງ DocType: Quiz,Quiz Configuration,ການຕັ້ງຄ່າ Quiz -DocType: Customer,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 @@ -1618,7 +1647,6 @@ apps/erpnext/erpnext/config/accounting.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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},ບໍ່ສາມາດຊອກຫາສະລັອດຕິງໃຊ້ເວລາໃນ {0} ວັນຕໍ່ໄປສໍາລັບການດໍາເນີນງານ {1} DocType: Work Order,Plan material for sub-assemblies,ອຸປະກອນການວາງແຜນສໍາລັບອະນຸສະພາແຫ່ງ 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,ບໍ່ມີລາຍະການສໍາຫລັບການໂອນ @@ -1633,9 +1661,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,ທ່ານຕ້ອງເປີດໃຊ້ການສັ່ງຊື້ຄືນອັດຕະໂນມັດໃນການຕັ້ງຄ່າ Stock ເພື່ອຮັກສາລະດັບການສັ່ງຊື້ ໃໝ່. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,ຍົກເລີກການໄປຢ້ຽມຢາມວັດສະດຸ {0} ກ່ອນຍົກເລີກການນີ້ບໍາລຸງຮັກສາ Visit DocType: Pricing Rule,Rate or Discount,ອັດຕາຫລືລາຄາຜ່ອນຜັນ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,ລາຍລະອຽດຂອງທະນາຄານ DocType: Vital Signs,One Sided,ຫນຶ່ງຂ້າງ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serial No {0} ບໍ່ໄດ້ຂຶ້ນກັບ Item {1} -DocType: Purchase Receipt Item Supplied,Required Qty,ທີ່ກໍານົດໄວ້ຈໍານວນ +DocType: Purchase Order Item Supplied,Required Qty,ທີ່ກໍານົດໄວ້ຈໍານວນ DocType: Marketplace Settings,Custom Data,Custom Data apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,ຄັງສິນຄ້າກັບການຊື້ຂາຍທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ. DocType: Service Day,Service Day,ວັນບໍລິການ @@ -1663,7 +1692,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,ສະກຸນເງິນບັນຊີ DocType: Lab Test,Sample ID,ID ຕົວຢ່າງ apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,ກະລຸນາຮອບບັນຊີ Off ໃນບໍລິສັດ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,ລະດັບ DocType: Supplier,Default Payable Accounts,ມາດຕະຖານບັນຊີເຈົ້າຫນີ້ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Employee {0} ບໍ່ແມ່ນການເຄື່ອນໄຫວຫຼືບໍ່ມີ @@ -1704,8 +1732,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,ການຮ້ອງຂໍສໍາລັບການຂໍ້ມູນຂ່າວສານ DocType: Course Activity,Activity Date,ວັນທີກິດຈະ ກຳ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} ຂອງ {} -,LeaderBoard,ກະດານ DocType: Sales Invoice Item,Rate With Margin (Company Currency),ອັດຕາອັດຕາດອກເບ້ຍ (ເງິນບໍລິສັດ) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,ໝວດ apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline ໃບແຈ້ງຫນີ້ DocType: Payment Request,Paid,ການຊໍາລະເງິນ DocType: Service Level,Default Priority,ບູລິມະສິດໃນຕອນຕົ້ນ @@ -1740,11 +1768,11 @@ 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,ລາຍໄດ້ທາງອ້ອມ DocType: Student Attendance Tool,Student Attendance Tool,ເຄື່ອງມືນັກສຶກສາເຂົ້າຮ່ວມ DocType: Restaurant Menu,Price List (Auto created),ລາຄາລາຄາ (ສ້າງໂດຍອັດຕະໂນມັດ) +DocType: Pick List Item,Picked Qty,ເກັບ Qty DocType: Cheque Print Template,Date Settings,ການຕັ້ງຄ່າວັນທີ່ 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,ຂໍ້ມູນການສົ່ງເສີມພະນັກງານ -,Company Name,ຊື່ບໍລິສັດ DocType: SMS Center,Total Message(s),ຂໍ້ຄວາມທັງຫມົດ (s) DocType: Share Balance,Purchased,ຊື້ແລ້ວ DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,ປ່ຽນຊື່ຄ່າ Attribute ໃນ Item Attribute. @@ -1763,7 +1791,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,ຄວາມພະຍາຍາມລ້າສຸດ 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} -DocType: BOM,Raw Material Cost(Company Currency),ຕົ້ນທຶນວັດຖຸດິບ (ບໍລິສັດສະກຸນເງິນ) 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 @@ -1832,6 +1859,7 @@ DocType: Travel Itinerary,Train,ຝຶກອົບຮົມ ,Delayed Item Report,ລາຍງານລາຍການທີ່ລ່າຊ້າ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC ທີ່ມີສິດໄດ້ຮັບ DocType: Healthcare Service Unit,Inpatient Occupancy,Occupancy inpatient +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,ເຜີຍແຜ່ສິ່ງ ທຳ ອິດຂອງທ່ານ DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC -YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,ເວລາຫຼັງຈາກສິ້ນສຸດການເລື່ອນເວລາໃນການອອກໄປກວດກາແມ່ນພິຈາລະນາເຂົ້າຮ່ວມ. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},ກະລຸນາລະບຸ {0} @@ -1950,6 +1978,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,ແອບເປ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,ສ້າງລາຍການວາລະສານ Inter Company DocType: Company,Parent Company,ບໍລິສັດແມ່ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},ຫ້ອງປະເພດ {0} ແມ່ນບໍ່ມີຢູ່ໃນ {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,ປຽບທຽບ BOMs ສຳ ລັບການປ່ຽນແປງໃນວັດຖຸດິບແລະການ ດຳ ເນີນງານ apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,ເອກະສານ {0} DocType: Healthcare Practitioner,Default Currency,ມາດຕະຖານສະກຸນເງິນ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,ຄືນດີບັນຊີນີ້ @@ -1984,6 +2013,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C ແບບຟອມໃບແຈ້ງຫນີ້ຂໍ້ມູນ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ການຊໍາລະເງິນ Reconciliation Invoice DocType: Clinical Procedure,Procedure Template,ແມ່ແບບການດໍາເນີນການ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,ເຜີຍແຜ່ລາຍການ apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,ການປະກອບສ່ວນ% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ໂດຍອີງຕາມການຕັ້ງຄ່າຊື້ຖ້າຫາກວ່າຄໍາສັ່ງຊື້ຕ້ອງການ == 'ໃຊ່', ຫຼັງຈາກນັ້ນສໍາລັບການສ້າງ Purchase ໃບເກັບເງິນ, ຜູ້ໃຊ້ຈໍາເປັນຕ້ອງໄດ້ສ້າງການສັ່ງຊື້ຄັ້ງທໍາອິດສໍາລັບລາຍການ {0}" ,HSN-wise-summary of outward supplies,HSN ສະຫລາດສະຫຼຸບຂອງການສະຫນອງພາຍນອກ @@ -1996,7 +2026,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',ກະລຸນາຕັ້ງ 'ສະຫມັກຕໍາສ່ວນລົດເພີ່ມເຕີມກ່ຽວກັບ' DocType: Party Tax Withholding Config,Applicable Percent,ເປີເຊັນທີ່ສາມາດນໍາໃຊ້ໄດ້ ,Ordered Items To Be Billed,ລາຍການຄໍາສັ່ງຈະ billed -DocType: Employee Checkin,Exit Grace Period Consequence,ຜົນໄດ້ຮັບໄລຍະເວລາ Grace ໄລຍະ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,ຈາກລະດັບທີ່ຈະຫນ້ອຍມີກ່ວາເພື່ອ Range DocType: Global Defaults,Global Defaults,ຄ່າເລີ່ມຕົ້ນຂອງໂລກ apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,ເຊີນຮ່ວມມືໂຄງການ @@ -2004,13 +2033,11 @@ DocType: Salary Slip,Deductions,ຫັກຄ່າໃຊ້ຈ່າຍ DocType: Setup Progress Action,Action Name,ປະຕິບັດຊື່ apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ປີເລີ່ມຕົ້ນ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ສ້າງເງີນກູ້ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,ວັນທີເລີ່ມຕົ້ນຂອງໄລຍະເວລາໃບເກັບເງິນໃນປັດຈຸບັນ DocType: Shift Type,Process Attendance After,ການເຂົ້າຮ່ວມຂະບວນການຫຼັງຈາກ ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,ອອກຈາກໂດຍບໍ່ມີການຈ່າຍ DocType: Payment Request,Outward,ພາຍນອກ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Error ວາງແຜນຄວາມອາດສາມາດ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,ພາສີຂອງລັດ / UT ,Trial Balance for Party,ດຸນການທົດລອງສໍາລັບການພັກ ,Gross and Net Profit Report,ບົດລາຍງານລວມຍອດແລະຜົນ ກຳ ໄລສຸດທິ @@ -2029,7 +2056,6 @@ DocType: Payroll Entry,Employee Details,ລາຍລະອຽດຂອງພະ 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} -DocType: Setup Progress Action,Domains,Domains 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} @@ -2072,7 +2098,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,ກອງ 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.","ການຊໍາລະເງິນບໍ່ໄດ້ຖືກຕັ້ງ. ກະລຸນາກວດສອບ, ບໍ່ວ່າຈະເປັນບັນຊີໄດ້ຮັບການກໍານົດກ່ຽວກັບຮູບແບບການຊໍາລະເງິນຫຼືຂໍ້ມູນ POS." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,ລາຍການແມ່ນບໍ່ສາມາດເຂົ້າໄປໃນເວລາຫຼາຍ. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","ບັນຊີເພີ່ມເຕີມສາມາດເຮັດໄດ້ພາຍໃຕ້ການກຸ່ມ, ແຕ່ການອອກສຽງສາມາດຈະດໍາເນີນຕໍ່ບໍ່ແມ່ນ Groups" -DocType: Email Campaign,Lead,ເປັນຜູ້ນໍາພາ +DocType: Call Log,Lead,ເປັນຜູ້ນໍາພາ DocType: Email Digest,Payables,ເຈົ້າຫນີ້ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Email Campaign For @@ -2084,6 +2110,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,ລາຍການສັ່ງຊື້ເພື່ອໄດ້ຮັບການ billed 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,ຂໍ້ ຈຳ ກັດດ້ານສິນເຊື່ອ DocType: Purchase Invoice Item,Net Rate,ອັດຕາສຸດທິ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,ກະລຸນາເລືອກລູກຄ້າ DocType: Leave Policy,Leave Allocations,ອອກຈາກການຈັດສັນ @@ -2097,6 +2124,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,ປິດບັນຫາຫຼັງຈາກວັນ ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,ທ່ານຈໍາເປັນຕ້ອງເປັນຜູ້ໃຊ້ທີ່ມີລະບົບການຈັດການລະບົບແລະການຈັດການ Item Manager ເພື່ອເພີ່ມຜູ້ໃຊ້ເຂົ້າໃນ Marketplace. +DocType: Attendance,Early Exit,ອອກກ່ອນໄວອັນຄວນ DocType: Job Opening,Staffing Plan,Staffing Plan apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON ສາມາດຜະລິດໄດ້ຈາກເອກະສານທີ່ສົ່ງມາແລ້ວ apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ພາສີພະນັກງານແລະຜົນປະໂຫຍດ @@ -2119,6 +2147,7 @@ DocType: Maintenance Team Member,Maintenance Role,Maintenance Role apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},ຕິດຕໍ່ກັນຊ້ໍາກັນ {0} ກັບດຽວກັນ {1} DocType: Marketplace Settings,Disable Marketplace,ປິດການໃຊ້ງານຕະຫຼາດ DocType: Quality Meeting,Minutes,ນາທີ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,ສິນຄ້າທີ່ແນະ ນຳ ຂອງທ່ານ ,Trial Balance,trial Balance apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,ສະແດງ ສຳ ເລັດ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ປີງົບປະມານ {0} ບໍ່ໄດ້ພົບເຫັນ @@ -2128,8 +2157,8 @@ 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,ກະລຸນາເລືອກຄໍານໍາຫນ້າທໍາອິດ DocType: Contract,Fulfilment Deadline,Fulfillment Deadline +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,ໃກ້ທ່ານ DocType: Student,O-,O- -DocType: Shift Type,Consequence,ຜົນສະທ້ອນ DocType: Subscription Settings,Subscription Settings,Settings Subscription Settings DocType: Purchase Invoice,Update Auto Repeat Reference,ອັບເດດການອ້າງອິງອັດຕະໂນມັດຄືນ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},ລາຍຊື່ວັນພັກທາງເລືອກບໍ່ຖືກກໍານົດໄວ້ໃນໄລຍະເວລາພັກໄວ້ {0} @@ -2140,7 +2169,6 @@ DocType: Maintenance Visit Purpose,Work Done,ວຽກເຮັດ apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,ກະລຸນາລະບຸຢູ່ໃນຢ່າງຫນ້ອຍຫນຶ່ງໃຫ້ເຫດຜົນໃນຕາຕະລາງຄຸນສົມບັດ DocType: Announcement,All Students,ນັກສຶກສາທັງຫມົດ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,ລາຍການ {0} ຈະຕ້ອງເປັນລາຍການບໍ່ແມ່ນຫຼັກຊັບ -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ທະນາຄານ Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,View Ledger DocType: Grading Scale,Intervals,ໄລຍະ DocType: Bank Statement Transaction Entry,Reconciled Transactions,Reconciled Transactions @@ -2176,6 +2204,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",ສາງນີ້ຈະຖືກ ນຳ ໃຊ້ເພື່ອສ້າງ ຄຳ ສັ່ງຂາຍ. ສາງຫລັງຄາແມ່ນ "ຮ້ານ". DocType: Work Order,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,ຮັກສາອັດຕາການດຽວກັນຕະຫຼອດວົງຈອນການຊື້ DocType: Opportunity Item,Opportunity Item,ໂອກາດສິນຄ້າ DocType: Quality Action,Quality Review,ການກວດກາຄຸນນະພາບ @@ -2202,7 +2231,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,ໄດ້ຮັບໃບແຈ້ງຫນີ້ທີ່ຍັງຄ້າງຄາ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,ໃບສັ່ງຂາຍ {0} ບໍ່ຖືກຕ້ອງ +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,ເຕືອນສໍາລັບການຮ້ອງຂໍສໍາລັບວົງຢືມ apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,ສັ່ງຊື້ຊ່ວຍໃຫ້ທ່ານວາງແຜນແລະປະຕິບັດຕາມເຖິງກ່ຽວກັບການຊື້ຂອງທ່ານ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab test Test @@ -2227,6 +2256,7 @@ DocType: Employee Onboarding,Notify users by email,ແຈ້ງເຕືອນ DocType: Travel Request,International,ສາກົນ DocType: Training Event,Training Event,ກິດຈະກໍາການຝຶກອົບຮົມ DocType: Item,Auto re-order,Auto Re: ຄໍາສັ່ງ +DocType: Attendance,Late Entry,ເຂົ້າຊ້າ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,ທັງຫມົດບັນລຸ DocType: Employee,Place of Issue,ສະຖານທີ່ຂອງບັນຫາ DocType: Promotional Scheme,Promotional Scheme Price Discount,ຫຼຸດລາຄາລາຄາໂປໂມຊັ່ນ @@ -2273,6 +2303,7 @@ DocType: Serial No,Serial No Details,Serial ລາຍລະອຽດບໍ່ມ DocType: Purchase Invoice Item,Item Tax Rate,ອັດຕາພາສີສິນຄ້າ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,From Party Name apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,ຈຳ ນວນເງິນເດືອນສຸດທິ +DocType: Pick List,Delivery against Sales Order,ການຈັດສົ່ງຕໍ່ຕ້ານການສັ່ງການຂາຍ DocType: Student Group Student,Group Roll Number,Group ຈໍານວນມ້ວນ DocType: Student Group Student,Group Roll Number,Group ຈໍານວນມ້ວນ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","{0}, ພຽງແຕ່ລະເງິນກູ້ຢືມສາມາດໄດ້ຮັບການເຊື່ອມຕໍ່ເຂົ້າເດບິດອື່ນ" @@ -2346,7 +2377,6 @@ DocType: Contract,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,ຜູ້ສະຫນອງວັນໃບກໍາກັບ -DocType: Asset Settings,This value is used for pro-rata temporis calculation,ມູນຄ່ານີ້ຖືກນໍາໃຊ້ສໍາລັບການຄິດໄລ່ pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,ທ່ານຕ້ອງການເພື່ອເຮັດໃຫ້ໂຄງຮ່າງການຊື້ DocType: Payment Entry,Writeoff,Writeoff DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2360,6 +2390,7 @@ DocType: Delivery Trip,Total Estimated Distance,ໄລຍະການຄາດ DocType: Invoice Discounting,Accounts Receivable Unpaid Account,ບັນຊີທີ່ບໍ່ໄດ້ຮັບເງິນ DocType: Tally Migration,Tally Company,ບໍລິສັດ Tally apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM ຂອງຕົວທ່ອງເວັບ +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},ບໍ່ອະນຸຍາດໃຫ້ສ້າງຂະ ໜາດ ບັນຊີ ສຳ ລັບ {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,ກະລຸນາປັບປຸງສະຖານະພາບຂອງທ່ານສໍາລັບການຝຶກອົບຮົມນີ້ DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,ເພີ່ມຫຼືຫັກ @@ -2369,7 +2400,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,ລາຍການຂາຍທີ່ບໍ່ມີປະໂຫຍດ DocType: Quality Review,Additional Information,ຂໍ້ມູນເພີ່ມເຕີມ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,ມູນຄ່າການສັ່ງຊື້ທັງຫມົດ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,ຂໍ້ຕົກລົງໃນລະດັບການບໍລິການ. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ສະບຽງອາຫານ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Range Ageing 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,ລາຍະລະອຽດການປິດໃບສະຫມັກ POS @@ -2416,6 +2446,7 @@ 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,ການໂຄສະນາ 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',ສະຖານະການອະນຸມັດຕ້ອງໄດ້ຮັບການ 'ອະນຸມັດ' ຫລື 'ປະຕິເສດ' DocType: Healthcare Practitioner,Contacts and Address,ຕິດຕໍ່ແລະທີ່ຢູ່ DocType: Shift Type,Determine Check-in and Check-out,ກຳ ນົດການເຂົ້າ - ອອກແລະເຊັກເອົາ @@ -2435,7 +2466,6 @@ DocType: Student Admission,Eligibility and Details,ສິດແລະລາຍ apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,ລວມເຂົ້າໃນ ກຳ ໄລລວມຍອດ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,ການປ່ຽນແປງສຸດທິໃນຊັບສິນຄົງທີ່ apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,ລະຫັດລູກຄ້າ apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ຮັບຜິດຊອບຂອງປະເພດ 'ທີ່ແທ້ຈິງໃນການຕິດຕໍ່ກັນ {0} ບໍ່ສາມາດລວມຢູ່ໃນລາຄາສິນຄ້າ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},ສູງສຸດທີ່ເຄຍ: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,ຈາກ DATETIME @@ -2503,6 +2533,7 @@ DocType: Journal Entry Account,Account Balance,ດຸນບັນຊີ apps/erpnext/erpnext/config/accounting.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 (%),ເກີນໂອນເງິນອຸດ ໜູນ (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Customer ຈໍາເປັນຕ້ອງກັບບັນຊີລູກຫນີ້ {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ພາສີອາກອນທັງຫມົດແລະຄ່າບໍລິການ (ສະກຸນເງິນຂອງບໍລິສັດ) DocType: Weather,Weather Parameter,Weather Parameter @@ -2565,6 +2596,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,ຂອບເຂດຊົ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,ອາດຈະມີຫຼາຍປັດໄຈການລວບລວມໂດຍອີງໃສ່ການນໍາໃຊ້ທັງຫມົດ. ແຕ່ປັດໄຈທີ່ມີການປ່ຽນແປງສໍາລັບການໄຖ່ຈະເປັນແບບດຽວກັນກັບທຸກຂັ້ນຕອນ. apps/erpnext/erpnext/config/help.py,Item Variants,Variants ລາຍການ apps/erpnext/erpnext/public/js/setup_wizard.js,Services,ການບໍລິການ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Email ເງິນເດືອນ Slip ກັບພະນັກງານ DocType: Cost Center,Parent Cost Center,ສູນຕົ້ນທຶນຂອງພໍ່ແມ່ @@ -2575,7 +2607,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields"," DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,ບັນທຶກການນໍາເຂົ້າສົ່ງອອກຈາກ Shopify ໃນການຂົນສົ່ງ apps/erpnext/erpnext/templates/pages/projects.html,Show closed,ສະແດງໃຫ້ເຫັນປິດ DocType: Issue Priority,Issue Priority,ບຸລິມະສິດອອກ -DocType: Leave Type,Is Leave Without Pay,ແມ່ນອອກຈາກໂດຍບໍ່ມີການຈ່າຍ +DocType: Leave Ledger Entry,Is Leave Without Pay,ແມ່ນອອກຈາກໂດຍບໍ່ມີການຈ່າຍ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,ປະເພດຊັບສິນທີ່ເປັນການບັງຄັບສໍາລັບລາຍການຊັບສິນຄົງທີ່ DocType: Fee Validity,Fee Validity,Fee Validity @@ -2624,6 +2656,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Batch ມີຈໍ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,ຮູບແບບການພິມການປັບປຸງ DocType: Bank Account,Is Company Account,ແມ່ນບັນຊີຂອງບໍລິສັດ apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,ອອກຈາກປະເພດ {0} ບໍ່ສາມາດເຂົ້າໄປໄດ້ +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},ຂອບເຂດ ຈຳ ກັດສິນເຊື່ອແມ່ນ ກຳ ນົດໄວ້ແລ້ວ ສຳ ລັບບໍລິສັດ {0} DocType: Landed Cost Voucher,Landed Cost Help,ລູກຈ້າງຊ່ວຍເຫລືອຄ່າໃຊ້ຈ່າຍ DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,ເລືອກທີ່ຢູ່ Shipping @@ -2648,6 +2681,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,ສອງທາງ DocType: Item,Manufacturers,ຜູ້ຜະລິດ @@ -2685,7 +2719,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,ທະນາຄານສ້າງຄວາມປອງດອງ DocType: Patient Encounter,Medical Coding,Medical Codeing DocType: Healthcare Settings,Reminder Message,ຂໍ້ຄວາມເຕືອນ -,Lead Name,ຊື່ຜູ້ນໍາ +DocType: Call Log,Lead Name,ຊື່ຜູ້ນໍາ ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Prospecting @@ -2717,12 +2751,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Supplier Warehouse DocType: Opportunity,Contact Mobile No,ການຕິດຕໍ່ໂທລະສັບມືຖື apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,ເລືອກບໍລິສັດ ,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: Student Report Generation Tool,Print Section,Print Section DocType: Staffing Plan Detail,Estimated Cost Per Position,ຄ່າໃຊ້ຈ່າຍປະມານການຕໍ່ຕໍາແຫນ່ງ DocType: Employee,HR-EMP-,HR-EMP- 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,ນາທີກອງປະຊຸມຄຸນນະພາບ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ຜູ້ສະ ໜອງ ສິນຄ້າ> ປະເພດຜູ້ສະ ໜອງ ສິນຄ້າ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,ພະນັກງານແນະນໍາ DocType: Student Group,Set 0 for no limit,ກໍານົດ 0 ສໍາລັບທີ່ບໍ່ມີຂອບເຂດຈໍາກັດ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,ມື້ (s) ທີ່ທ່ານກໍາລັງສະຫມັກສໍາລັບໃບມີວັນພັກ. ທ່ານບໍ່ຈໍາເປັນຕ້ອງນໍາໃຊ້ສໍາລັບການອອກຈາກ. @@ -2756,12 +2792,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,ການປ່ຽນແປງສຸດທິໃນເງິນສົດ DocType: Assessment Plan,Grading Scale,ຂະຫນາດການຈັດລໍາດັບ apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ຫນ່ວຍບໍລິການຂອງການ {0} ໄດ້ຮັບເຂົ້າໄປຫຼາຍກ່ວາຫນຶ່ງຄັ້ງໃນການສົນທະນາປັດໄຈຕາຕະລາງ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,ສໍາເລັດແລ້ວ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock ໃນມື apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",ກະລຸນາເພີ່ມຜົນປະໂຫຍດທີ່ຍັງເຫຼືອ {0} ໃຫ້ແກ່ແອັບພລິເຄຊັນເປັນອົງປະກອບ \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',ກະລຸນາ ກຳ ນົດລະຫັດງົບປະມານ ສຳ ລັບການບໍລິຫານພາກລັດ '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},ຄໍາຂໍຊໍາລະຢູ່ແລ້ວ {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,ຄ່າໃຊ້ຈ່າຍຂອງລາຍການອອກ DocType: Healthcare Practitioner,Hospital,ໂຮງຫມໍ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},ປະລິມານຈະຕ້ອງບໍ່ຫຼາຍກ່ວາ {0} @@ -2806,6 +2840,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,ຊັບພະຍາກອນມະນຸດ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Upper ລາຍໄດ້ DocType: Item Manufacturer,Item Manufacturer,ຜູ້ຜະລິດສິນຄ້າ +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,ສ້າງ New Lead DocType: BOM Operation,Batch Size,ຂະ ໜາດ ຊຸດ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,ປະຕິເສດ DocType: Journal Entry Account,Debit in Company Currency,Debit ໃນບໍລິສັດສະກຸນເງິນ @@ -2826,9 +2861,11 @@ DocType: Bank Transaction,Reconciled,ການຄືນດີ DocType: Expense Claim,Total Amount Reimbursed,ຈໍານວນທັງຫມົດການຊົດເຊີຍຄືນ apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,ນີ້ແມ່ນອີງໃສ່ໄມ້ຕໍ່ກັບຍານພາຫະນະນີ້. ເບິ່ງໄລຍະເວລາຂ້າງລຸ່ມນີ້ສໍາລັບລາຍລະອຽດ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,ວັນທີຈ່າຍເງິນບໍ່ນ້ອຍກວ່າວັນເຂົ້າຮ່ວມຂອງພະນັກງານ +DocType: Pick List,Item Locations,ສະຖານທີ່ສິນຄ້າ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} ສ້າງ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",ວຽກເປີດສໍາລັບການກໍານົດ {0} ແລ້ວເປີດຫລືຈ້າງແລ້ວສົມບູນຕາມແຜນການ Staffing {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,ທ່ານສາມາດເຜີຍແຜ່ 200 ລາຍການ. DocType: Vital Signs,Constipated,Constipated apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},ຕໍ່ Supplier Invoice {0} ວັນ {1} DocType: Customer,Default Price List,ລາຄາມາດຕະຖານ @@ -2922,6 +2959,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,ເລື່ອນການເລີ່ມຕົ້ນຕົວຈິງ DocType: Tally Migration,Is Day Book Data Imported,ແມ່ນຂໍ້ມູນປື້ມວັນທີ່ ນຳ ເຂົ້າ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,ຄ່າໃຊ້ຈ່າຍການຕະຫຼາດ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} ຫົວ ໜ່ວຍ ຂອງ {1} ບໍ່ມີບໍລິການ. ,Item Shortage Report,ບົດລາຍງານການຂາດແຄນສິນຄ້າ 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,ບໍ່ສາມາດສ້າງເງື່ອນໄຂມາດຕະຖານ. ກະລຸນາປ່ຽນເກນມາດຕະຖານ @@ -2945,6 +2983,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,ວັນທີ່ສະຫມັກບໍານານ DocType: Upload Attendance,Get Template,ໄດ້ຮັບ Template +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ເອົາບັນຊີ ,Sales Person Commission Summary,ຜູ້ຂາຍສ່ວນບຸກຄົນລາຍລະອຽດ DocType: Material Request,Transferred,ໂອນ DocType: Vehicle,Doors,ປະຕູ @@ -3025,7 +3064,7 @@ DocType: Sales Invoice Item,Customer's Item Code,ຂອງລູກຄ້າລ DocType: Stock Reconciliation,Stock Reconciliation,Stock Reconciliation DocType: Territory,Territory Name,ຊື່ອານາເຂດ DocType: Email Digest,Purchase Orders to Receive,ຊື້ຄໍາສັ່ງທີ່ຈະໄດ້ຮັບ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,ການເຮັດວຽກໃນຄວາມຄືບຫນ້າ Warehouse ກ່ອນການຍື່ນສະເຫນີການ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,ການເຮັດວຽກໃນຄວາມຄືບຫນ້າ Warehouse ກ່ອນການຍື່ນສະເຫນີການ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,ທ່ານພຽງແຕ່ສາມາດມີ Plans ທີ່ມີວົງຈອນການເອີ້ນເກັບເງິນດຽວກັນໃນການຈອງ DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapped Data DocType: Purchase Order Item,Warehouse and Reference,ຄັງສິນຄ້າແລະເອກສານອ້າງອິງ @@ -3101,6 +3140,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,ການຈັດສົ່ງສິນຄ້າ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Fetch Data apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},ການອະນຸຍາດທີ່ສູງສຸດໃນປະເພດການປະຕິບັດ {0} ແມ່ນ {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,ເຜີຍແຜ່ 1 ລາຍການ DocType: SMS Center,Create Receiver List,ສ້າງບັນຊີຮັບ DocType: Student Applicant,LMS Only,LMS ເທົ່ານັ້ນ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,ວັນທີ່ມີຢູ່ສໍາລັບການນໍາໃຊ້ຄວນຈະມີຫຼັງຈາກວັນທີຊື້ @@ -3134,6 +3174,7 @@ DocType: Serial No,Delivery Document No,ສົ່ງເອກະສານທີ DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ຮັບປະກັນການຈັດສົ່ງໂດຍອີງໃສ່ການຜະລິດແບບ Serial No DocType: Vital Signs,Furry,ມີຂົນຍາວ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ກະລຸນາຕັ້ງ 'ບັນຊີ / ການສູນເສຍກໍາໄຮຈາກການທໍາລາຍຊັບສິນໃນບໍລິສັດ {0} +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} @@ -3145,6 +3186,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},ເບິ່ງທຸກປັນຫາຈາກ {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,ຕາຕະລາງກອງປະຊຸມຄຸນນະພາບ +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/templates/pages/help.html,Visit the forums,ຢ້ຽມຊົມຟໍລັ່ມ DocType: Student,Student Mobile Number,ຈໍານວນໂທລະສັບມືຖືນັກສຶກສາ DocType: Item,Has Variants,ມີ Variants @@ -3156,9 +3198,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,ຊື່ຂອ DocType: Quality Procedure Process,Quality Procedure Process,ຂັ້ນຕອນການປະຕິບັດຄຸນນະພາບ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ID batch ເປັນການບັງຄັບ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ID batch ເປັນການບັງຄັບ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,ກະລຸນາເລືອກລູກຄ້າກ່ອນ DocType: Sales Person,Parent Sales Person,ບຸກຄົນຜູ້ປົກຄອງ Sales apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,ບໍ່ມີລາຍການລາຍການທີ່ຈະໄດ້ຮັບແມ່ນລ້າສະໄຫມ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,ຜູ້ຂາຍແລະຜູ້ຊື້ບໍ່ສາມາດດຽວກັນ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,ບໍ່ມີການເບິ່ງເຫັນເທື່ອ DocType: Project,Collect Progress,ເກັບກໍາຄວາມຄືບຫນ້າ DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,ເລືອກໂຄງການກ່ອນ @@ -3180,11 +3224,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,ໄດ້ບັນລຸຜົນ DocType: Student Admission,Application Form Route,ຄໍາຮ້ອງສະຫມັກແບບຟອມການເສັ້ນທາງ apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,ວັນສິ້ນສຸດສັນຍາບໍ່ສາມາດຈະຕໍ່າກວ່າມື້ນີ້. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter ເພື່ອສົ່ງ DocType: Healthcare Settings,Patient Encounters in valid days,ຄົນເຈັບພົບໃນວັນທີ່ຖືກຕ້ອງ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,ອອກຈາກປະເພດ {0} ບໍ່ສາມາດຈັດຕັ້ງແຕ່ມັນໄດ້ຖືກອອກໂດຍບໍ່ມີການຈ່າຍເງິນ 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ໃນຄໍາສັບຕ່າງໆຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດໃບກໍາກັບສິນ Sales. DocType: Lead,Follow Up,ປະຕິບັດຕາມ Up +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,ສູນຄ່າໃຊ້ຈ່າຍ: {0} ບໍ່ມີ DocType: Item,Is Sales Item,ເປັນສິນຄ້າລາຄາ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,ລາຍ Group ເປັນໄມ້ຢືນຕົ້ນ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,ລາຍການ {0} ບໍ່ແມ່ນການຕິດຕັ້ງສໍາລັບການ Serial Nos. ກວດສອບການຕົ້ນສະບັບລາຍການ @@ -3228,9 +3274,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Supplied ຈໍານວນ DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR -YYYY.- DocType: Purchase Order Item,Material Request Item,ອຸປະກອນການຈອງສິນຄ້າ -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,ກະລຸນາຍົກເລີກໃບຢັ້ງຢືນການຊື້ {0} ກ່ອນ apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,ເປັນໄມ້ຢືນຕົ້ນຂອງກຸ່ມສິນຄ້າ. DocType: Production Plan,Total Produced Qty,Total Produced Qty +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,ບໍ່ມີຄວາມຄິດເຫັນເທື່ອ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,ບໍ່ສາມາດສົ່ງຈໍານວນການຕິດຕໍ່ກັນຫຼາຍກ່ວາຫຼືເທົ່າກັບຈໍານວນການຕິດຕໍ່ກັນໃນປັດຈຸບັນສໍາລັບປະເພດຄ່າໃຊ້ຈ່າຍນີ້ DocType: Asset,Sold,ຂາຍ ,Item-wise Purchase History,ປະວັດການຊື້ລາຍການທີ່ສະຫລາດ @@ -3249,7 +3295,7 @@ DocType: Designation,Required Skills,ທັກສະທີ່ຕ້ອງກາ DocType: Inpatient Record,O Positive,O Positive apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,ການລົງທຶນ DocType: Issue,Resolution Details,ລາຍລະອຽດຄວາມລະອຽດ -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,ປະເພດການເຮັດທຸລະກໍາ +DocType: Leave Ledger Entry,Transaction Type,ປະເພດການເຮັດທຸລະກໍາ DocType: Item Quality Inspection Parameter,Acceptance Criteria,ເງື່ອນໄຂການຍອມຮັບ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,ກະລຸນາໃສ່ການຮ້ອງຂໍການວັດສະດຸໃນຕາຕະລາງຂ້າງເທິງ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ບໍ່ມີການຊໍາລະເງິນສໍາລັບວາລະສານເຂົ້າ @@ -3291,6 +3337,7 @@ DocType: Bank Account,Bank Account No,ບັນຊີທະນາຄານ DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ຂໍ້ສະເຫນີຕົວຍົກເວັ້ນພາສີຂອງພະນັກງານ DocType: Patient,Surgical History,Surgical History DocType: Bank Statement Settings Item,Mapped Header,Mapped Header +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ພະນັກງານໃນຊັບພະຍາກອນມະນຸດ> ການຕັ້ງຄ່າ HR DocType: Employee,Resignation Letter Date,ການລາອອກວັນທີ່ສະຫມັກຈົດຫມາຍສະບັບ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,ກົດລະບຽບການຕັ້ງລາຄາໄດ້ຖືກກັ່ນຕອງຕື່ມອີກໂດຍອີງໃສ່ປະລິມານ. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ກະລຸນາຕັ້ງວັນທີ່ຂອງການເຂົ້າຮ່ວມສໍາລັບພະນັກງານທີ່ {0} @@ -3359,7 +3406,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Add Letterhead DocType: Program Enrollment,Self-Driving Vehicle,ຍານພາຫະນະຂອງຕົນເອງຂັບລົດ 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ໃບຈັດສັນທັງຫມົດ {0} ບໍ່ສາມາດຈະຫນ້ອຍກ່ວາໃບອະນຸມັດແລ້ວ {1} ສໍາລັບໄລຍະເວລາ DocType: Contract Fulfilment Checklist,Requirement,ຄວາມຕ້ອງການ DocType: Journal Entry,Accounts Receivable,ບັນຊີລູກຫນີ້ DocType: Quality Goal,Objectives,ຈຸດປະສົງ @@ -3382,7 +3428,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Single Transaction Th DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ມູນຄ່ານີ້ຈະຖືກປັບປຸງໃນລາຄາການຂາຍລາຄາຕໍ່າສຸດ. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,ລົດເຂັນຂອງທ່ານຫວ່າງເປົ່າ DocType: Email Digest,New Expenses,ຄ່າໃຊ້ຈ່າຍໃຫມ່ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC Amount apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,ບໍ່ສາມາດເພີ່ມປະສິດທິພາບເສັ້ນທາງໄດ້ເນື່ອງຈາກທີ່ຢູ່ຂອງຄົນຂັບບໍ່ໄດ້. DocType: Shareholder,Shareholder,ຜູ້ຖືຫຸ້ນ DocType: Purchase Invoice,Additional Discount Amount,ເພີ່ມເຕີມຈໍານວນສ່ວນລົດ @@ -3419,6 +3464,7 @@ DocType: Asset Maintenance Task,Maintenance Task,ວຽກງານບໍາລ 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,Marketplace Settings DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Warehouse ບ່ອນທີ່ທ່ານກໍາລັງຮັກສາຫຼັກຊັບຂອງລາຍການຖືກປະຕິເສດ +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} ແມ່ນໃນປັດຈຸບັນເລີ່ມຕົ້ນປີງົບປະມານ. ກະລຸນາໂຫຼດຫນ້າຈໍຄືນຂອງຕົວທ່ອງເວັບຂອງທ່ານສໍາລັບການປ່ຽນແປງທີ່ຈະມີຜົນກະທົບ. @@ -3455,6 +3501,7 @@ DocType: Salary Component,Deduction,ການຫັກ DocType: Item,Retain Sample,ເກັບຕົວຢ່າງ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,ຕິດຕໍ່ກັນ {0}: ຈາກທີ່ໃຊ້ເວລາແລະຈະໃຊ້ເວລາເປັນການບັງຄັບ. DocType: Stock Reconciliation Item,Amount Difference,ຈໍານວນທີ່ແຕກຕ່າງກັນ +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,ຫນ້ານີ້ຕິດຕາມລາຍການທີ່ທ່ານຕ້ອງການຊື້ຈາກຜູ້ຂາຍ. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},ລາຍການລາຄາເພີ່ມຂຶ້ນສໍາລັບ {0} ໃນລາຄາ {1} DocType: Delivery Stop,Order Information,ຂໍ້ມູນການສັ່ງຊື້ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,ກະລຸນາໃສ່ລະຫັດພະນັກງານຂອງບຸກຄົນການຂາຍນີ້ @@ -3483,6 +3530,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ປີງົບປະມານ ** ເປັນຕົວແທນເປັນປີການເງິນ. entries ບັນຊີທັງຫມົດແລະເຮັດທຸລະກໍາທີ່ສໍາຄັນອື່ນໆມີການຕິດຕາມຕໍ່ປີງົບປະມານ ** **. DocType: Opportunity,Customer / Lead Address,ລູກຄ້າ / ທີ່ຢູ່ນໍາ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Supplier Setup Scorecard +DocType: Customer Credit Limit,Customer Credit Limit,ຂໍ້ ຈຳ ກັດດ້ານສິນເຊື່ອຂອງລູກຄ້າ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,ຊື່ແຜນການປະເມີນຜົນ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ລາຍລະອຽດເປົ້າ ໝາຍ apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","ສະ ໝັກ ໄດ້ຖ້າບໍລິສັດແມ່ນ SpA, SApA ຫຼື SRL" @@ -3535,7 +3583,6 @@ DocType: Company,Transactions Annual History,ປະວັດການປະຕ 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,ຊື່ທະນາຄານ -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Above 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 @@ -3589,6 +3636,7 @@ 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,ເພີ່ມເຂົ້າໃນສິນຄ້າທີ່ແນະ ນຳ apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,ຜົນກໍາໄລສໍາລັບປີ 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,ໃນຂະບວນການ @@ -3643,12 +3691,10 @@ 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,ອະນຸຍາດໃຫ້ເອກະສານດຽວກັນຫຼາຍຄັ້ງ -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,ບໍ່ພົບເລກ GST ສຳ ລັບບໍລິສັດ. 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,ພະນັກງານ DocType: Question,Single Correct Answer,ຄຳ ຕອບດຽວທີ່ຖືກຕ້ອງ -DocType: Employee,Contact Details,ລາຍລະອຽດການຕິດຕໍ່ DocType: C-Form,Received Date,ວັນທີ່ໄດ້ຮັບ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","ຖ້າຫາກວ່າທ່ານໄດ້ມີການສ້າງແມ່ແບບມາດຕະຖານໃນພາສີອາກອນການຂາຍແລະຄ່າບໍລິການແບບ, ເລືອກເອົາຫນຶ່ງແລະໃຫ້ຄລິກໃສ່ປຸ່ມຂ້າງລຸ່ມນີ້." DocType: BOM Scrap Item,Basic Amount (Company Currency),ຈໍານວນເງິນຂັ້ນພື້ນຖານ (ບໍລິສັດສະກຸນເງິນ) @@ -3678,12 +3724,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM ການດໍາເ DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,ຄະແນນ Supplier apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,ຕາຕະລາງການເຂົ້າຊົມ +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,ຈຳ ນວນການຮ້ອງຂໍການຈ່າຍເງິນທັງ ໝົດ ບໍ່ສາມາດໃຫຍ່ກວ່າ {0} ຈຳ ນວນ DocType: Tax Withholding Rate,Cumulative Transaction Threshold,ອັດຕາສ່ວນການເຮັດວຽກສະສົມ DocType: Promotional Scheme Price Discount,Discount Type,ປະເພດຫຼຸດລາຄາ -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,ທັງຫມົດອອກໃບແຈ້ງຫນີ້ Amt DocType: Purchase Invoice Item,Is Free Item,ແມ່ນລາຍການຟຣີ +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,ເປີເຊັນທີ່ທ່ານໄດ້ຮັບອະນຸຍາດໃຫ້ໂອນຫຼາຍທຽບໃສ່ປະລິມານທີ່ສັ່ງ. ຕົວຢ່າງ: ຖ້າທ່ານໄດ້ສັ່ງ 100 ໜ່ວຍ ຂື້ນໄປ. ແລະເງິນອຸດ ໜູນ ຂອງທ່ານແມ່ນ 10% ຈາກນັ້ນທ່ານໄດ້ຮັບອະນຸຍາດໂອນ 110 ໜ່ວຍ. DocType: Supplier,Warn RFQs,ເຕືອນ RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,ໂຄງການຂຸດຄົ້ນ +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,ໂຄງການຂຸດຄົ້ນ DocType: BOM,Conversion Rate,ອັດຕາການປ່ຽນແປງ apps/erpnext/erpnext/www/all-products/index.html,Product Search,ຄົ້ນຫາຜະລິດຕະພັນ ,Bank Remittance,ການໂອນເງິນຈາກທະນາຄານ @@ -3695,6 +3742,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,ຈໍານວນເງິນທີ່ຈ່າຍ DocType: Asset,Insurance End Date,ວັນສິ້ນສຸດການປະກັນໄພ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,ກະລຸນາເລືອກການເຂົ້າຮຽນຂອງນັກຮຽນເຊິ່ງບັງຄັບໃຫ້ນັກຮຽນທີ່ໄດ້ຮັບຄ່າຈ້າງ +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,ລາຍະການງົບປະມານ DocType: Campaign,Campaign Schedules,ຕາຕະລາງການໂຄສະນາ DocType: Job Card Time Log,Completed Qty,ສໍາເລັດຈໍານວນ @@ -3717,6 +3765,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,ທີ່ DocType: Quality Inspection,Sample Size,ຂະຫນາດຕົວຢ່າງ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,ກະລຸນາໃສ່ເອກະສານຮັບ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,ລາຍການທັງຫມົດໄດ້ຮັບການອະນຸແລ້ວ +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,ໃບປະຕິບັດ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',ກະລຸນາລະບຸທີ່ຖືກຕ້ອງ 'ຈາກກໍລະນີສະບັບເລກທີ 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,ສູນຕົ້ນທຶນເພີ່ມເຕີມສາມາດເຮັດໄດ້ພາຍໃຕ້ Groups ແຕ່ລາຍະການສາມາດຈະດໍາເນີນຕໍ່ບໍ່ແມ່ນ Groups 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,ໃບທັງຫມົດທີ່ໄດ້ຈັດສັນແມ່ນມື້ຫຼາຍກວ່າການຈັດສັນສູງສຸດຂອງ {0} ປະເພດອອກສໍາລັບພະນັກງານ {1} ໃນໄລຍະເວລາ @@ -3817,6 +3866,8 @@ 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: Call Log,Received By,ໄດ້ຮັບໂດຍ 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.,ຕິດຕາມລາຍໄດ້ແຍກຕ່າງຫາກແລະຄ່າໃຊ້ຈ່າຍສໍາລັບການຕັ້ງຜະລິດຕະພັນຫຼືພະແນກ. @@ -3870,6 +3921,7 @@ DocType: Support Search Source,Result Title Field,Title Field ຜົນການ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,ສະຫຼຸບການໂທ DocType: Sample Collection,Collected Time,ເກັບເວລາ DocType: Employee Skill Map,Employee Skills,ຄວາມສາມາດຂອງພະນັກງານ +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,ຄ່າໃຊ້ຈ່າຍເຊື້ອໄຟ DocType: Company,Sales Monthly History,ປະຫວັດລາຍເດືອນຂາຍ apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,ກະລຸນາຕັ້ງຄ່າແຖວຢ່າງ ໜ້ອຍ ໜຶ່ງ ແຖວໃນຕາຕະລາງພາສີແລະຄ່າບໍລິການ DocType: Asset Maintenance Task,Next Due Date,Next Due Date @@ -3879,6 +3931,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Vital Sig DocType: Payment Entry,Payment Deductions or Loss,ນຫັກລົບການຊໍາລະເງິນຫຼືການສູນເສຍ DocType: Soil Analysis,Soil Analysis Criterias,Criterias ການວິເຄາະດິນ apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,ເງື່ອນໄຂສັນຍາມາດຕະຖານສໍາລັບການຂາຍຫຼືຊື້. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},ຖອດອອກຈາກແຖວເກັດທີ່ຢູ່ໃນ {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),ເລີ່ມເຊັກອິນກ່ອນເວລາເລີ່ມການປ່ຽນແປງ (ໃນນາທີ) DocType: BOM Item,Item operation,ການເຮັດວຽກຂອງສິນຄ້າ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Group ໂດຍ Voucher @@ -3904,11 +3957,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Slip ເງິນເດືອນຂອງພະນັກງານ {0} ສ້າງຮຽບຮ້ອຍແລ້ວສໍາລັບການໄລຍະເວລານີ້ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,ຢາ apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,ທ່ານພຽງແຕ່ສາມາດສົ່ງໃບຮັບເງິນຄືນສໍາລັບຈໍານວນການເຂົ້າພັກທີ່ຖືກຕ້ອງ +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,ລາຍການໂດຍ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,ຄ່າໃຊ້ຈ່າຍຂອງສິນຄ້າທີ່ຊື້ DocType: Employee Separation,Employee Separation Template,ແມ່ແບບການແຍກແຮງງານ DocType: Selling Settings,Sales Order Required,ຕ້ອງການຂາຍສິນຄ້າ apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,ກາຍເປັນຜູ້ຂາຍ -DocType: Shift Type,The number of occurrence after which the consequence is executed.,ຈຳ ນວນເຫດການທີ່ເກີດຂື້ນຫລັງຈາກນັ້ນຜົນໄດ້ຮັບຈະຖືກປະຕິບັດ. ,Procurement Tracker,ຜູ້ຕິດຕາມການຈັດຊື້ DocType: Purchase Invoice,Credit To,ການປ່ອຍສິນເຊື່ອເພື່ອ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC ປະຕິເສດ @@ -3921,6 +3974,7 @@ DocType: Quality Meeting,Agenda,ວາລະ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ຂໍ້ມູນຕາຕະລາງການບໍາລຸງຮັກສາ DocType: Supplier Scorecard,Warn for new Purchase Orders,ເຕືອນສໍາຫລັບໃບສັ່ງຊື້ໃຫມ່ DocType: Quality Inspection Reading,Reading 9,ອ່ານ 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,ເຊື່ອມຕໍ່ບັນຊີ Exotel ຂອງທ່ານກັບ ERPNext ແລະຕິດຕາມບັນທຶກການໂທ DocType: Supplier,Is Frozen,ແມ່ນ Frozen DocType: Tally Migration,Processed Files,ເອກະສານທີ່ປະມວນຜົນ apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,warehouse node ກຸ່ມດັ່ງກ່າວແມ່ນບໍ່ອະນຸຍາດໃຫ້ເລືອກສໍາລັບການເຮັດທຸລະກໍາ @@ -3930,6 +3984,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM ເລກສໍ DocType: Upload Attendance,Attendance To Date,ຜູ້ເຂົ້າຮ່ວມເຖິງວັນທີ່ 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 @@ -3955,7 +4010,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,ຜູ້ຮ້ອງຂໍ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},ກະສານອ້າງອີງທີ່ບໍ່ຖືກຕ້ອງ {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,ກົດລະບຽບໃນການ ນຳ ໃຊ້ແຜນການໂຄສະນາທີ່ແຕກຕ່າງກັນ. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ quanitity ການວາງແຜນ ({2}) ໃນການຜະລິດການສັ່ງຊື້ {3} DocType: Shipping Rule,Shipping Rule Label,Label Shipping ກົດລະບຽບ DocType: Journal Entry Account,Payroll Entry,Payroll Entry apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,View Fees Records @@ -3967,6 +4021,7 @@ DocType: Contract,Fulfilment Status,ສະຖານະການປະຕິບ DocType: Lab Test Sample,Lab Test Sample,Lab Test Sample DocType: Item Variant Settings,Allow Rename Attribute Value,ອະນຸຍາດໃຫ້ປ່ຽນຊື່ຄ່າຄຸນລັກສະນະ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,ໄວອະນຸທິນ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,ຈຳ ນວນເງິນໃນການ ຊຳ ລະໃນອະນາຄົດ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,ທ່ານບໍ່ສາມາດມີການປ່ຽນແປງອັດຕາການຖ້າຫາກວ່າ BOM ທີ່ໄດ້ກ່າວມາ agianst ລາຍການໃດ DocType: Restaurant,Invoice Series Prefix,Invoice Series Prefix DocType: Employee,Previous Work Experience,ຕໍາແຫນ່ງທີ່ເຄີຍເຮັດຜ່ານມາ @@ -3996,6 +4051,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,ສະຖານະການ DocType: UOM,Check this to disallow fractions. (for Nos),ກວດສອບນີ້ຈະບໍ່ອະນຸຍາດແຕ່ສ່ວນຫນຶ່ງ. (ສໍາລັບພວກເຮົາ) DocType: Student Admission Program,Naming Series (for Student Applicant),ການຕັ້ງຊື່ Series (ສໍາລັບນັກສຶກສາສະຫມັກ) +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/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 @@ -4019,6 +4075,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,ໄດ້ຮັບການ Stock ປັດຈຸບັນ DocType: Purchase Invoice,ineligible,ບໍ່ມີສິດໄດ້ຮັບ apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ເປັນໄມ້ຢືນຕົ້ນຂອງບັນຊີລາຍການຂອງວັດສະດຸ +DocType: BOM,Exploded Items,ລາຍການລະເບີດ DocType: Student,Joining Date,ເຂົ້າຮ່ວມວັນທີ່ ,Employees working on a holiday,ພະນັກງານເຮັດວຽກກ່ຽວກັບວັນພັກ ,TDS Computation Summary,TDS Computation Summary @@ -4051,6 +4108,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),ອັດຕາຂັ DocType: SMS Log,No of Requested SMS,ບໍ່ມີຂອງ SMS ຂໍ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,ອອກຈາກໂດຍບໍ່ມີການຈ່າຍບໍ່ມີຄໍາວ່າດ້ວຍການອະນຸມັດການບັນທຶກການອອກຈາກຄໍາຮ້ອງສະຫມັກ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,ຂັ້ນຕອນຕໍ່ໄປ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,ລາຍການທີ່ບັນທຶກໄວ້ DocType: Travel Request,Domestic,ພາຍໃນປະເທດ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,ກະລຸນາສະຫນອງໃຫ້ແກ່ລາຍການທີ່ລະບຸໄວ້ໃນລາຄາທີ່ເປັນໄປໄດ້ທີ່ດີທີ່ສຸດ apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,ບໍ່ສາມາດສົ່ງຄືນການໂອນເງິນພະນັກງານກ່ອນວັນທີໂອນ @@ -4104,7 +4162,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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} ແລ້ວ. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,ແຖວ # {0} (ຕາລາງຈ່າຍ): ຈໍານວນເງິນຕ້ອງເປັນບວກ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},ບໍ່ສາມາດຜະລິດສິນຄ້າຫຼາຍ {0} ກ່ວາປະລິມານສັ່ງຂາຍ {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},ບໍ່ສາມາດຜະລິດສິນຄ້າຫຼາຍ {0} ກ່ວາປະລິມານສັ່ງຂາຍ {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,ບໍ່ມີຫຍັງລວມຢູ່ໃນລວມຍອດ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill ມີຢູ່ແລ້ວ ສຳ ລັບເອກະສານນີ້ apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Select Values Attribute @@ -4139,12 +4197,10 @@ 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,ຕິດຕັ້ງບໍລິສັດ -DocType: Shift Type,Enable Different Consequence for Early Exit,ເປີດໃຊ້ຜົນສະທ້ອນທີ່ແຕກຕ່າງກັນ ສຳ ລັບການອອກກ່ອນ ກຳ ນົດ ,Lab Test Report,Lab Report Test DocType: Employee Benefit Application,Employee Benefit Application,Application Benefit Employee apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,ອົງປະກອບເງິນເດືອນເພີ່ມເຕີມ. DocType: Purchase Invoice,Unregistered,ບໍ່ໄດ້ລົງທະບຽນ -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,ກະລຸນາສົ່ງຫມາຍເຫດທໍາອິດ DocType: Student Applicant,Application Date,ຄໍາຮ້ອງສະຫມັກວັນທີ່ DocType: Salary Component,Amount based on formula,ຈໍານວນຕາມສູດ DocType: Purchase Invoice,Currency and Price List,ສະກຸນເງິນແລະບັນຊີລາຄາ @@ -4173,6 +4229,7 @@ DocType: Purchase Receipt,Time at which materials were received,ເວລາທ DocType: Products Settings,Products per Page,ຜະລິດຕະພັນຕໍ່ຫນ້າ 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,ວັນທີໃບບິນ apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,ຈຳ ນວນເງິນທີ່ຈັດສັນໃຫ້ບໍ່ເປັນລົບ DocType: Sales Order,Billing Status,ສະຖານະການເອີ້ນເກັບເງິນ apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ລາຍງານສະບັບທີ່ເປັນ @@ -4182,6 +4239,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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}: Journal Entry {1} ບໍ່ມີບັນຊີ {2} ຫລືແລ້ວປຽບທຽບ voucher ອື່ນ" DocType: Supplier Scorecard Criteria,Criteria Weight,ມາດຕະຖານນ້ໍາຫນັກ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,ບັນຊີ: {0} ບໍ່ໄດ້ຮັບອະນຸຍາດພາຍໃຕ້ການເຂົ້າການຊໍາລະເງິນ DocType: Production Plan,Ignore Existing Projected Quantity,ບໍ່ສົນໃຈ ຈຳ ນວນໂຄງການທີ່ມີຢູ່ apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,ອອກແຈ້ງການອະນຸມັດ DocType: Buying Settings,Default Buying Price List,ມາດຕະຖານບັນຊີການຊື້ລາຄາ @@ -4190,6 +4248,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},ແຖວ {0}: ປ້ອນສະຖານທີ່ສໍາລັບລາຍການສິນຊັບ {1} DocType: Employee Checkin,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.","ກໍານົດມູນຄ່າມາດຕະຖານຄືບໍລິສັດ, ສະກຸນເງິນ, ປັດຈຸບັນປີງົບປະມານ, ແລະອື່ນໆ" DocType: Payment Entry,Payment Type,ປະເພດການຊໍາລະເງິນ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ກະລຸນາເລືອກຊຸດສໍາລັບລາຍການທີ່ {0}. ບໍ່ສາມາດຊອກຫາ batch ດຽວທີ່ຕອບສະຫນອງຂໍ້ກໍານົດນີ້ @@ -4219,6 +4278,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,ການຕັ້ງຄ DocType: Journal Entry,Accounting Entries,ການອອກສຽງການບັນຊີ 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 ຖືກກໍານົດໄວ້ສໍາລັບ 'ອັດຕາ', ມັນຈະລົບລ້າງລາຄາລາຄາ. ອັດຕາກໍານົດລາຄາແມ່ນອັດຕາສຸດທ້າຍ, ດັ່ງນັ້ນບໍ່ມີການຫຼຸດຜ່ອນຕື່ມອີກ. ດັ່ງນັ້ນ, ໃນການເຮັດທຸລະກໍາເຊັ່ນການສັ່ງຊື້, ຄໍາສັ່ງຊື້, ແລະອື່ນໆ, ມັນຈະຖືກເກັບຢູ່ໃນລະດັບ 'ອັດຕາ', ແທນທີ່ຈະເປັນລາຄາ "ລາຄາລາຍະການ"." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ຜູ້ສອນໃນການສຶກສາ> ການຕັ້ງຄ່າການສຶກສາ DocType: Journal Entry,Paid Loan,ເງິນກູ້ຢືມ 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 @@ -4235,12 +4295,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Details apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,ບໍ່ມີແຜ່ນທີ່ໃຊ້ເວລາ DocType: GoCardless Mandate,GoCardless Customer,ລູກຄ້າ GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,"ອອກຈາກປະເພດ {0} ບໍ່ສາມາດໄດ້ຮັບການປະຕິບັດ, ການສົ່ງ" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມລາຍການ> ຍີ່ຫໍ້ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',ບໍາລຸງຮັກສາເປັນເວລາທີ່ບໍ່ໄດ້ສ້າງຂຶ້ນສໍາລັບການລາຍການທັງຫມົດ. ກະລຸນາຄລິກໃສ່ "ສ້າງຕາຕະລາງ" ,To Produce,ກັບຜະລິດຕະພັນ DocType: Leave Encashment,Payroll,Payroll 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} ຍັງຕ້ອງໄດ້ຮັບການປະກອບ" DocType: Healthcare Service Unit,Parent Service Unit,ຫນ່ວຍບໍລິການຂອງພໍ່ແມ່ DocType: Packing Slip,Identification of the package for the delivery (for print),ການກໍານົດຂອງຊຸດສໍາລັບການຈັດສົ່ງ (ສໍາລັບການພິມ) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,ຂໍ້ຕົກລົງລະດັບການບໍລິການຖືກຕັ້ງ ໃໝ່. DocType: Bin,Reserved Quantity,ຈໍານວນສະຫງວນ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,ກະລຸນາໃສ່ທີ່ຢູ່ອີເມວທີ່ຖືກຕ້ອງ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,ກະລຸນາໃສ່ທີ່ຢູ່ອີເມວທີ່ຖືກຕ້ອງ @@ -4262,7 +4324,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,ລາຄາຫລືຫຼຸດລາຄາສິນຄ້າ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,ສໍາຫລັບແຖວ {0}: ກະລຸນາໃສ່ qty ວາງແຜນ DocType: Account,Income Account,ບັນຊີລາຍໄດ້ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ລູກຄ້າ> ກຸ່ມລູກຄ້າ> ອານາເຂດ DocType: Payment Request,Amount in customer's currency,ຈໍານວນເງິນໃນສະກຸນເງິນຂອງລູກຄ້າ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,ສົ່ງ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,ການມອບ ໝາຍ ໂຄງສ້າງ… @@ -4285,6 +4346,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,ທ່ານຈະສູນເສຍບັນທຶກບັນຊີຂອງໃບບິນສ້າງທີ່ຜ່ານມາ. ທ່ານແນ່ໃຈວ່າທ່ານຕ້ອງການເລີ່ມຕົ້ນການສະຫມັກນີ້ຄືນໃຫມ່ບໍ? @@ -4340,11 +4402,10 @@ DocType: Additional Salary,HR User,User HR DocType: Bank Guarantee,Reference Document Name,ຊື່ເອກະສານອ້າງອີງ DocType: Purchase Invoice,Taxes and Charges Deducted,ພາສີອາກອນແລະຄ່າບໍລິການຫັກ DocType: Support Settings,Issues,ບັນຫາ -DocType: Shift Type,Early Exit Consequence after,ຜົນສະທ້ອນອອກກ່ອນໄວອັນຄວນຫຼັງຈາກ DocType: Loyalty Program,Loyalty Program Name,ຊື່ໂຄງການຄວາມຊື່ສັດ apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},ສະຖານະພາບຕ້ອງເປັນຫນຶ່ງໃນ {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,ເຕືອນເພື່ອອັບເດດ GSTIN Sent -DocType: Sales Invoice,Debit To,ເດບິດໄປ +DocType: Discounted Invoice,Debit To,ເດບິດໄປ DocType: Restaurant Menu Item,Restaurant Menu Item,Restaurant Menu Item DocType: Delivery Note,Required only for sample item.,ຕ້ອງການສໍາລັບລາຍການຕົວຢ່າງ. DocType: Stock Ledger Entry,Actual Qty After Transaction,ຈໍານວນຕົວຈິງຫຼັງຈາກການ @@ -4427,6 +4488,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,ຊື່ພາລ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,ອອກພຽງແຕ່ຄໍາຮ້ອງສະຫມັກທີ່ມີສະຖານະພາບ 'ອະນຸມັດ' ແລະ 'ປະຕິເສດ' ສາມາດໄດ້ຮັບການສົ່ງ apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,ກຳ ລັງສ້າງຂະ ໜາດ ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},ນັກສຶກສາ Group Name ເປັນຂໍ້ບັງຄັບໃນການຕິດຕໍ່ກັນ {0} +DocType: Customer Credit Limit,Bypass credit limit_check,limit_check ສິນເຊື່ອແບບຜິດປົກກະຕິ DocType: Homepage,Products to be shown on website homepage,ຜະລິດຕະພັນທີ່ຈະໄດ້ຮັບການສະແດງໃຫ້ເຫັນໃນຫນ້າທໍາອິດເວັບໄຊທ໌ DocType: HR Settings,Password Policy,ນະໂຍບາຍລະຫັດຜ່ານ apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,ນີ້ເປັນກຸ່ມລູກຄ້າຮາກແລະບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ. @@ -4474,10 +4536,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),ຖ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,ກະລຸນາຕັ້ງຄ່າລູກຄ້າເລີ່ມຕົ້ນໃນການຕັ້ງຮ້ານອາຫານ ,Salary Register,ເງິນເດືອນຫມັກສະມາຊິກ DocType: Company,Default warehouse for Sales Return,ຄັງສິນຄ້າເລີ່ມຕົ້ນ ສຳ ລັບການສົ່ງຄືນການຂາຍ -DocType: Warehouse,Parent Warehouse,Warehouse ພໍ່ແມ່ +DocType: Pick List,Parent Warehouse,Warehouse ພໍ່ແມ່ DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},Default BOM ບໍ່ພົບລາຍການ {0} ແລະໂຄງການ {1} +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}: ກະລຸນາ ກຳ ນົດຮູບແບບການຈ່າຍເງິນໃນຕາຕະລາງການຈ່າຍເງິນ apps/erpnext/erpnext/config/non_profit.py,Define various loan types,ກໍານົດປະເພດການກູ້ຢືມເງິນຕ່າງໆ DocType: Bin,FCFS Rate,FCFS ອັດຕາ @@ -4514,6 +4576,7 @@ DocType: Travel Itinerary,Lodging Required,Lodging Required DocType: Promotional Scheme,Price Discount Slabs,ແຜ່ນຫຼຸດລາຄາ DocType: Stock Reconciliation Item,Current Serial No,ສະບັບເລກທີບໍ່ມີໃນປະຈຸບັນ DocType: Employee,Attendance and Leave Details,ລາຍລະອຽດການເຂົ້າຮ່ວມແລະຝາກເບີໄວ້ +,BOM Comparison Tool,ເຄື່ອງມືປຽບທຽບ BOM ,Requested,ການຮ້ອງຂໍ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,ບໍ່ມີຂໍ້ສັງເກດ DocType: Asset,In Maintenance,ໃນການບໍາລຸງຮັກສາ @@ -4536,6 +4599,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,ຂໍ້ຕົກລົງລະດັບການບໍລິການໃນຕອນຕົ້ນ DocType: SG Creation Tool Course,Course Code,ລະຫັດຂອງລາຍວິຊາ apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,ບໍ່ມີການເລືອກຫຼາຍກວ່າ ໜຶ່ງ ສຳ ລັບ {0} +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Qty ຂອງວັດຖຸດິບຈະຖືກຕັດສິນໃຈໂດຍອີງໃສ່ຄຸນນະພາບຂອງສິນຄ້າ ສຳ ເລັດຮູບ DocType: Location,Parent Location,ຕໍາແຫນ່ງພໍ່ແມ່ DocType: POS Settings,Use POS in Offline Mode,ໃຊ້ POS ໃນໂຫມດ Offline apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,ບຸລິມະສິດໄດ້ຖືກປ່ຽນເປັນ {0}. @@ -4554,7 +4618,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Sample Retention Warehouse DocType: Company,Default Receivable Account,ມາດຕະຖານ Account Receivable apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,ສູດ ຈຳ ນວນປະລິມານ DocType: Sales Invoice,Deemed Export,Deemed ສົ່ງອອກ -DocType: Stock Entry,Material Transfer for Manufacture,ອຸປະກອນການໂອນສໍາລັບການຜະລິດ +DocType: Pick List,Material Transfer for Manufacture,ອຸປະກອນການໂອນສໍາລັບການຜະລິດ 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.,ເປີເຊັນສ່ວນລົດສາມາດນໍາໃຊ້ບໍ່ວ່າຈະຕໍ່ລາຄາຫຼືສໍາລັບລາຄາທັງຫມົດ. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Entry ບັນຊີສໍາລັບ Stock DocType: Lab Test,LabTest Approver,ຜູ້ຮັບຮອງ LabTest @@ -4597,7 +4661,6 @@ DocType: Training Event,Theory,ທິດສະດີ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,ການເຕືອນໄພ: ວັດສະດຸຂໍຈໍານວນແມ່ນຫນ້ອຍກ່ວາສັ່ງຊື້ຂັ້ນຕ່ໍາຈໍານວນ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,ບັນຊີ {0} ແມ່ນ frozen DocType: Quiz Question,Quiz Question,ຄຳ ຖາມຖາມ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ຜູ້ສະ ໜອງ ສິນຄ້າ> ປະເພດຜູ້ສະ ໜອງ ສິນຄ້າ 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","ສະບຽງອາຫານ, ເຄື່ອງດື່ມແລະຢາສູບ" @@ -4628,6 +4691,7 @@ 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,ລາຍການທີ່ເຜີຍແຜ່ DocType: Account,Expense Account,ບັນຊີຄ່າໃຊ້ຈ່າຍ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,ຊອບແວ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,ສີ @@ -4666,6 +4730,7 @@ 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,ທຸກໆການເຮັດທຸລະ ກຳ ຂອງທະນາຄານໄດ້ຖືກສ້າງຂື້ນ DocType: Fee Validity,Visited yet,ຢ້ຽມຊົມແລ້ວ +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,ທ່ານສາມາດ Feature Upto 8 item ໄດ້. 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.,ບໍລິສັດແລະບໍລິສັດຄວນຈະໄດ້ຮັບການປັບປຸງໂດຍວິທີການຂາຍໄລຍະເວລາເທົ່າໃດ. @@ -4673,7 +4738,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4698,7 +4762,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,ການປ່ຽ DocType: Contract,Signee Details,Signee Details apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} ປະຈຸບັນມີ {1} ຈໍາ Supplier Scorecard ແລະ RFQs ເພື່ອສະຫນອງນີ້ຄວນໄດ້ຮັບການອອກກັບລະມັດລະວັງ. DocType: Certified Consultant,Non Profit Manager,Nonprofit Manager -DocType: BOM,Total Cost(Company Currency),ຄ່າໃຊ້ຈ່າຍທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serial No {0} ສ້າງ DocType: Homepage,Company Description for website homepage,ລາຍລະອຽດເກມບໍລິສັດສໍາລັບການຫນ້າທໍາອິດເວັບໄຊທ໌ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ເພື່ອຄວາມສະດວກຂອງລູກຄ້າ, ລະຫັດເຫຼົ່ານີ້ສາມາດຖືກນໍາໃຊ້ໃນຮູບແບບການພິມເຊັ່ນ: ໃບແຈ້ງຫນີ້ແລະການສົ່ງເງິນ" @@ -4727,7 +4790,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,ຊື້ DocType: Amazon MWS Settings,Enable Scheduled Synch,ເປີດໃຊ້ງານ Synch ທີ່ກໍານົດໄວ້ apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,ການ DATETIME apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,ຂໍ້ມູນບັນທຶກການຮັກສາສະຖານະພາບການຈັດສົ່ງ sms -DocType: Shift Type,Early Exit Consequence,ຜົນສະທ້ອນຈາກການອອກກ່ອນໄວອັນຄວນ DocType: Accounts Settings,Make Payment via Journal Entry,ເຮັດໃຫ້ການຊໍາລະເງິນໂດຍຜ່ານການອະນຸທິນ apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,ກະລຸນາຢ່າສ້າງຫຼາຍກວ່າ 500 ລາຍການໃນຄັ້ງດຽວ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,ພິມກ່ຽວກັບ @@ -4784,6 +4846,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,ຂອບເຂ 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 +DocType: Plaid Settings,Plaid Secret,Plaid ລັບ DocType: Company,Date of Establishment,Date of Establishment apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,ການຮ່ວມລົງທຶນ apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,ເປັນໄລຍະທາງວິຊາການກັບນີ້ປີທາງວິຊາການ '{0} ແລະ' ໄລຍະຊື່ '{1} ມີຢູ່ແລ້ວ. ກະລຸນາປັບປຸງແກ້ໄຂການອອກສຽງເຫຼົ່ານີ້ແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ. @@ -4846,6 +4909,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,ປະເພດລູກຄ້າ DocType: Compensatory Leave Request,Leave Allocation,ອອກຈາກການຈັດສັນ DocType: Payment Request,Recipient Message And Payment Details,ຜູ້ຮັບຂໍ້ຄວາມແລະລາຍລະອຽດການຊໍາລະເງິນ +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,ກະລຸນາເລືອກ ໝາຍ ເຫດສົ່ງ DocType: Support Search Source,Source DocType,Source DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,ເປີດຕົ໋ວໃຫມ່ DocType: Training Event,Trainer Email,ຄູຝຶກ Email @@ -4968,6 +5032,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,ປະຕິບັດໃບໄມ້ສົ່ງຕໍ່ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','ຈາກວັນທີ່ສະຫມັກ' ຈະຕ້ອງຫລັງຈາກທີ່ໄປວັນ ' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,ບໍ່ມີບັນດາແຜນການປັບປຸງງານສໍາລັບການອອກແບບນີ້ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,ລະຫັດ {0} ຂອງລາຍການ {1} ຖືກປິດໃຊ້ງານ. @@ -4989,7 +5054,7 @@ DocType: Clinical Procedure,Patient,ຄົນເຈັບ apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,ກວດສອບການຢັ້ງຢືນຢັ້ງຢືນຢູ່ທີ່ Sales Order DocType: Employee Onboarding Activity,Employee Onboarding Activity,Employee Onboarding Activity DocType: Location,Check if it is a hydroponic unit,ກວດເບິ່ງວ່າມັນເປັນຫນ່ວຍບໍລິການ hydroponic -DocType: Stock Reconciliation Item,Serial No and Batch,ບໍ່ມີ Serial ແລະ Batch +DocType: Pick List Item,Serial No and Batch,ບໍ່ມີ Serial ແລະ Batch DocType: Warranty Claim,From Company,ຈາກບໍລິສັດ DocType: GSTR 3B Report,January,ມັງກອນ apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,ຜົນບວກຂອງຄະແນນຂອງເງື່ອນໄຂການປະເມີນຜົນທີ່ຕ້ອງການຈະ {0}. @@ -5014,7 +5079,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ບໍ່ພົບ {0} ສໍາລັບ Inter Company Transactions. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,ເຊົ່າລົດ apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ກ່ຽວກັບບໍລິສັດຂອງທ່ານ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ການປ່ອຍສິນເຊື່ອການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ @@ -5047,11 +5111,13 @@ apps/erpnext/erpnext/config/accounting.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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,ສ່ວນທີ່ຍັງເຫຼືອ DocType: Appraisal,Appraisal,ການປະເມີນຜົນ DocType: Loan,Loan Account,ບັນຊີເງິນກູ້ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,ຈາກທົ່ງນາທີ່ຖືກຕ້ອງແລະຖືກຕ້ອງແມ່ນ ຈຳ ເປັນ ສຳ ລັບການສະສົມ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","ສຳ ລັບສິນຄ້າ {0} ຢູ່ແຖວ {1}, ການນັບ ຈຳ ນວນຕົວເລກບໍ່ກົງກັບ ຈຳ ນວນທີ່ເກັບ" DocType: Purchase Invoice,GST Details,ລາຍລະອຽດ GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,ນີ້ແມ່ນອີງໃສ່ການເຮັດທຸລະກໍາກັບຜູ້ປະຕິບັດສຸຂະພາບນີ້. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},ອີເມລ໌ສົ່ງໃຫ້ຜູ້ຂາຍ {0} @@ -5115,6 +5181,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ນ້ໍາລວມທັງຫມົດຂອງຊຸດການ. ປົກກະຕິແລ້ວນ້ໍາຫນັກສຸດທິ + ຫຸ້ມຫໍ່ນ້ໍາອຸປະກອນການ. (ສໍາລັບການພິມ) DocType: Assessment Plan,Program,ໂຄງການ DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ຜູ້ໃຊ້ທີ່ມີພາລະບົດບາດນີ້ໄດ້ຖືກອະນຸຍາດໃຫ້ສ້າງຕັ້ງບັນຊີ frozen ແລະສ້າງ / ປັບປຸງແກ້ໄຂການອອກສຽງການບັນຊີກັບບັນຊີ frozen +DocType: Plaid Settings,Plaid Environment,ສິ່ງແວດລ້ອມ Plaid ,Project Billing Summary,ບົດສະຫຼຸບໃບເກັບເງິນຂອງໂຄງການ DocType: Vital Signs,Cuts,Cuts DocType: Serial No,Is Cancelled,ແມ່ນຖືກຍົກເລີກ @@ -5177,7 +5244,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ຫມາຍເຫດ: ລະບົບຈະບໍ່ກວດສອບໃນໄລຍະການຈັດສົ່ງແລະໃນໄລຍະການຈອງສໍາລັບລາຍການ {0} ກັບປະລິມານຫຼືຈໍານວນເງິນທັງຫມົດ 0 DocType: Issue,Opening Date,ວັນທີ່ສະຫມັກເປີດ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,ກະລຸນາຊ່ວຍຄົນເຈັບກ່ອນ -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,ເຮັດໃຫ້ຕິດຕໍ່ ໃໝ່ apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,ຜູ້ເຂົ້າຮ່ວມໄດ້ຮັບການຫມາຍຢ່າງສໍາເລັດຜົນ. DocType: Program Enrollment,Public Transport,ການຂົນສົ່ງສາທາລະນະ DocType: Sales Invoice,GST Vehicle Type,GST Vehicle Type @@ -5204,6 +5270,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,ໃບບ DocType: POS Profile,Write Off Account,ຂຽນ Off ບັນຊີ DocType: Patient Appointment,Get prescribed procedures,ໄດ້ຮັບຂັ້ນຕອນທີ່ຖືກຕ້ອງ DocType: Sales Invoice,Redemption Account,ບັນຊີການໄຖ່ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,ທຳ ອິດເພີ່ມລາຍການເຂົ້າໃນຕາຕະລາງ Item Locations DocType: Pricing Rule,Discount Amount,ຈໍານວນສ່ວນລົດ DocType: Pricing Rule,Period Settings,ການຕັ້ງຄ່າໄລຍະເວລາ DocType: Purchase Invoice,Return Against Purchase Invoice,ກັບຄືນຕໍ່ຊື້ Invoice @@ -5236,7 +5303,6 @@ DocType: Assessment Plan,Assessment Plan,ແຜນການປະເມີນຜ DocType: Travel Request,Fully Sponsored,Fully Sponsored apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Reverse Journal Entry apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,ສ້າງບັດວຽກ -DocType: Shift Type,Consequence after,ຜົນສະທ້ອນພາຍຫຼັງ DocType: Quality Procedure Process,Process Description,ລາຍລະອຽດຂອງຂະບວນການ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ລູກຄ້າ {0} ຖືກສ້າງຂຶ້ນ. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,ໃນປະຈຸບັນບໍ່ມີຫຼັກຊັບໃນຄັງສິນຄ້າໃດໆ @@ -5271,6 +5337,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,ວັນເກັບກູ DocType: Delivery Settings,Dispatch Notification Template,ເຜີຍແຜ່ຂໍ້ມູນການແຈ້ງເຕືອນ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,ບົດລາຍງານການປະເມີນຜົນ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,ໄດ້ຮັບພະນັກງານ +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 @@ -5364,7 +5431,6 @@ DocType: Stock Settings,Use Naming Series,ໃຊ້ນາມສະກຸນ apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,ບໍ່ມີການກະ ທຳ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,ຄ່າບໍລິການປະເພດການປະເມີນຄ່າບໍ່ສາມາດເຮັດເຄື່ອງຫມາຍເປັນ Inclusive DocType: POS Profile,Update Stock,ຫລັກຊັບ -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ທີ່ແຕກຕ່າງກັນສໍາລັບລາຍການທີ່ຈະນໍາໄປສູ່ການທີ່ບໍ່ຖືກຕ້ອງ (Total) ຄ່ານ້ໍາຫນັກສຸດທິ. ໃຫ້ແນ່ໃຈວ່ານ້ໍາຫນັກສຸດທິຂອງແຕ່ລະລາຍການແມ່ນຢູ່ໃນ UOM ດຽວກັນ. DocType: Certification Application,Payment Details,ລາຍລະອຽດການຊໍາລະເງິນ apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM ອັດຕາ @@ -5400,7 +5466,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,ນີ້ແມ່ນບຸກຄົນຂາຍຮາກແລະບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ຖ້າເລືອກ, ມູນຄ່າທີ່ລະບຸໄວ້ຫລືຄໍານວນໃນອົງປະກອບນີ້ຈະບໍ່ປະກອບສ່ວນເຂົ້າລາຍຮັບຫຼືຫັກຄ່າໃຊ້ຈ່າຍ. ຢ່າງໃດກໍຕາມ, ມັນເປັນມູນຄ່າສາມາດໄດ້ຮັບການອ້າງອິງໂດຍອົງປະກອບອື່ນໆທີ່ສາມາດໄດ້ຮັບການເພີ່ມຫລືຫັກ." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ຖ້າເລືອກ, ມູນຄ່າທີ່ລະບຸໄວ້ຫລືຄໍານວນໃນອົງປະກອບນີ້ຈະບໍ່ປະກອບສ່ວນເຂົ້າລາຍຮັບຫຼືຫັກຄ່າໃຊ້ຈ່າຍ. ຢ່າງໃດກໍຕາມ, ມັນເປັນມູນຄ່າສາມາດໄດ້ຮັບການອ້າງອິງໂດຍອົງປະກອບອື່ນໆທີ່ສາມາດໄດ້ຮັບການເພີ່ມຫລືຫັກ." -DocType: Asset Settings,Number of Days in Fiscal Year,ຈໍານວນວັນໃນປີງົບປະມານ ,Stock Ledger,Ledger Stock DocType: Company,Exchange Gain / Loss Account,ແລກປ່ຽນກໍາໄຮ / ບັນຊີການສູນເສຍ DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials @@ -5436,6 +5501,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,ຖັນໃນເອກະສານຂອງທະນາຄານ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},ອອກຈາກແອັບພລິເຄຊັນ {0} ແລ້ວມີຕໍ່ນັກຮຽນ {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,ຄິວສໍາລັບການອັບເດດລາຄາຫລ້າສຸດໃນທຸກບັນຊີລາຍການຂອງວັດສະດຸ. ມັນອາດຈະໃຊ້ເວລາສອງສາມນາທີ. +DocType: Pick List,Get Item Locations,ເອົາສະຖານທີ່ Item apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,ຊື່ຂອງບັນຊີໃຫມ່. ຫມາຍເຫດ: ກະລຸນາຢ່າສ້າງບັນຊີສໍາລັບລູກຄ້າແລະຜູ້ສະຫນອງ DocType: POS Profile,Display Items In Stock,ສະແດງລາຍະການໃນສະຕັອກ apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,ປະເທດແມ່ແບບທີ່ຢູ່ໃນຕອນຕົ້ນສະຫລາດ @@ -5459,6 +5525,7 @@ DocType: Crop,Materials Required,ວັດສະດຸທີ່ຕ້ອງກ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,ບໍ່ພົບຂໍ້ມູນນັກສຶກສາ DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,ການຍົກເວັ້ນ HRA ປະຈໍາເດືອນ DocType: Clinical Procedure,Medical Department,ກົມການແພດ +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,ລວມອອກກ່ອນໄວອັນຄວນ DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Supplier ເກນ Scorecard Scoring apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,ໃບເກັບເງິນວັນທີ່ປະກາດ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,ຂາຍ @@ -5470,11 +5537,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ກະລຸນາລຶບພະນັກງານ {0} \ ເພື່ອຍົກເລີກເອກະສານນີ້" DocType: Program Enrollment,School House,ໂຮງຮຽນບ້ານ DocType: Serial No,Out of AMC,ອອກຈາກ AMC DocType: Opportunity,Opportunity Amount,Opportunity Amount +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,ຂໍ້ມູນຂອງທ່ານ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ຈໍານວນຂອງການອ່ອນຄ່າຈອງບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດຂອງຄ່າເສື່ອມລາຄາ DocType: Purchase Order,Order Confirmation Date,ວັນທີທີ່ຢືນຢັນການສັ່ງຊື້ DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5568,7 +5634,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","ມີຄວາມບໍ່ສອດຄ່ອງລະຫວ່າງອັດຕາ, ບໍ່ມີຮຸ້ນແລະຈໍານວນເງິນທີ່ຖືກຄິດໄລ່" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,ທ່ານບໍ່ໄດ້ສະແດງທຸກວັນ (s) ລະຫວ່າງວັນທີ່ຕ້ອງການທີ່ຈະຈ່າຍຄ່າຊົດເຊີຍ apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,ກະລຸນາປະເພດຊື່ບໍລິສັດຢືນຢັນ -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,ທັງຫມົດ Amt ເດັ່ນ DocType: Journal Entry,Printing Settings,ການຕັ້ງຄ່າການພິມ DocType: Payment Order,Payment Order Type,ປະເພດການສັ່ງຈ່າຍ DocType: Employee Advance,Advance Account,Advance Account @@ -5658,7 +5723,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,ຊື່ປີ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,ມີວັນພັກຫຼາຍກ່ວາມື້ທີ່ເຮັດວຽກໃນເດືອນນີ້ແມ່ນ. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,ລາຍການຕໍ່ໄປນີ້ {0} ບໍ່ໄດ້ຫມາຍເປັນ {1} ລາຍການ. ທ່ານສາມາດເຮັດໃຫ້ພວກເຂົາເປັນ {1} ລາຍະການຈາກຫົວຂໍ້ຂອງລາຍະການ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,ຜະລິດຕະພັນ Bundle Item DocType: Sales Partner,Sales Partner Name,ຊື່ Partner ຂາຍ apps/erpnext/erpnext/hooks.py,Request for Quotations,ການຮ້ອງຂໍສໍາລັບວົງຢືມ @@ -5667,7 +5731,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,ໃບ +DocType: Leave Ledger Entry,Leaves,ໃບ DocType: Student Language,Student Language,ພາສານັກສຶກສາ DocType: Cash Flow Mapping,Is Working Capital,ແມ່ນການເຮັດວຽກຂອງທຶນ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,ສົ່ງຫຼັກຖານສະແດງ @@ -5675,12 +5739,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,ຄໍາສັ່ງ / quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Record Patient Vitals DocType: Fee Schedule,Institution,ສະຖາບັນ -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: Asset,Partially Depreciated,ຄ່າເສື່ອມລາຄາບາງສ່ວນ DocType: Issue,Opening Time,ທີ່ໃຊ້ເວລາເປີດ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,ຈາກແລະໄປວັນທີ່ຄຸນຕ້ອງ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,ຫຼັກຊັບແລະການແລກປ່ຽນສິນຄ້າ -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},ສະຫຼຸບໂທໂດຍ {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,ຄົ້ນຫາເອກະສານ apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ມາດຕະຖານຫນ່ວຍງານຂອງມາດຕະການ Variant '{0}' ຈະຕ້ອງເຊັ່ນດຽວກັນກັບໃນແມ່ '{1}' DocType: Shipping Rule,Calculate Based On,ຄິດໄລ່ພື້ນຖານກ່ຽວກັບ @@ -5727,6 +5789,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,ຄ່າສູງສຸດທີ່ອະນຸຍາດໃຫ້ DocType: Journal Entry Account,Employee Advance,Employee Advance DocType: Payroll Entry,Payroll Frequency,Payroll Frequency +DocType: Plaid Settings,Plaid Client ID,ID ຂອງລູກຄ້າ Plaid DocType: Lab Test Template,Sensitivity,ຄວາມອ່ອນໄຫວ DocType: Plaid Settings,Plaid Settings,ຕັ້ງ Plaid apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Sync ໄດ້ຮັບການພິຈາລະນາຊົ່ວຄາວຍ້ອນວ່າການທົດລອງສູງສຸດໄດ້ຖືກເກີນໄປ @@ -5744,6 +5807,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,ກະລຸນາເລືອກວັນທີ່ປະກາດຄັ້ງທໍາອິດ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,ເປີດວັນທີ່ຄວນເປັນກ່ອນທີ່ຈະປິດວັນທີ່ DocType: Travel Itinerary,Flight,ການບິນ +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,ກັບຄືນບ້ານ DocType: Leave Control Panel,Carry Forward,ປະຕິບັດໄປຂ້າງຫນ້າ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,ສູນຕົ້ນທຶນກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ DocType: Budget,Applicable on booking actual expenses,ສາມາດໃຊ້ໄດ້ໃນການຈອງຄ່າໃຊ້ຈ່າຍຕົວຈິງ @@ -5800,6 +5864,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,ສ້າງວົ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,ເຈົ້າຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ອະນຸມັດໃບໃນວັນທີ Block apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} ການຮ້ອງຂໍ ສຳ ລັບ {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,ລາຍການທັງຫມົດເຫຼົ່ານີ້ໄດ້ຖືກອະນຸແລ້ວ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,ບໍ່ມີໃບແຈ້ງການທີ່ຍັງຄ້າງຄາ ສຳ ລັບ {0} {1} ທີ່ມີຄຸນນະພາບຂອງຕົວກອງທີ່ທ່ານລະບຸ. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,ກໍານົດວັນທີປ່ອຍໃຫມ່ DocType: Company,Monthly Sales Target,ລາຍເດືອນເປົ້າຫມາຍການຂາຍ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,ບໍ່ພົບໃບເກັບເງິນທີ່ຍັງຄ້າງຄາ @@ -5847,6 +5912,7 @@ DocType: Batch,Source Document Name,ແຫຼ່ງຂໍ້ມູນຊື່ D DocType: Batch,Source Document Name,ແຫຼ່ງຂໍ້ມູນຊື່ Document DocType: Production Plan,Get Raw Materials For Production,ເອົາວັດຖຸດິບສໍາລັບການຜະລິດ DocType: Job Opening,Job Title,ຕໍາແຫນ່ງ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,ການ ຊຳ ລະເງິນໃນອະນາຄົດ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} ຊີ້ໃຫ້ເຫັນວ່າ {1} ຈະບໍ່ໃຫ້ຢືມ, ແຕ່ລາຍການທັງຫມົດ \ ໄດ້ຖືກບາຍດີທຸກ. ການປັບປຸງສະຖານະພາບ RFQ quote ໄດ້." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ຕົວຢ່າງທີ່ສູງສຸດ - {0} ໄດ້ຖືກເກັບຮັກສາໄວ້ສໍາລັບຊຸດ {1} ແລະລາຍການ {2} ໃນຈໍານວນ {3}. @@ -5857,12 +5923,10 @@ 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: Company,Product Code,ລະຫັດຜະລິດຕະພັນ DocType: Quality Review Table,Objective,ຈຸດປະສົງ DocType: Supplier Scorecard,Per Month,ຕໍ່ເດືອນ DocType: Education Settings,Make Academic Term Mandatory,ໃຫ້ກໍານົດເງື່ອນໄຂທາງວິຊາການ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,ປະລິມານການຜະລິດຕ້ອງໄດ້ຫຼາຍກ່ວາ 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,ຄິດໄລ່ຕາຕະລາງການຫັກຄາດອກເບ້ຍປະກັນໂດຍອີງໃສ່ປີງົບປະມານ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,ປະລິມານການຜະລິດຕ້ອງໄດ້ຫຼາຍກ່ວາ 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,ໄປຢ້ຽມຢາມບົດລາຍງານສໍາລັບການໂທບໍາລຸງຮັກສາ. DocType: Stock Entry,Update Rate and Availability,ການປັບປຸງອັດຕາແລະຈໍາຫນ່າຍ 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 ຫົວຫນ່ວຍ. @@ -5874,7 +5938,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,ວັນທີປ່ອຍຕ້ອງຢູ່ໃນອະນາຄົດ DocType: BOM,Website Description,ລາຍລະອຽດເວັບໄຊທ໌ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,ການປ່ຽນແປງສຸດທິໃນການລົງທຶນ -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,ກະລຸນາຍົກເລີກການຊື້ Invoice {0} ທໍາອິດ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,ບໍ່ອະນຸຍາດ. ໂປດປິດປະເພດຫນ່ວຍບໍລິການ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","ທີ່ຢູ່ອີເມວຈະຕ້ອງເປັນເອກະລັກ, ລາຄາສໍາລັບ {0}" DocType: Serial No,AMC Expiry Date,AMC ຫມົດເຂດ @@ -5918,6 +5981,7 @@ DocType: Pricing Rule,Price Discount Scheme,ໂຄງການຫຼຸດລາ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,ສະຖານະການບໍາລຸງຮັກສາຕ້ອງຖືກຍົກເລີກຫຼືສິ້ນສຸດລົງເພື່ອສົ່ງ DocType: Amazon MWS Settings,US,ພວກເຮົາ DocType: Holiday List,Add Weekly Holidays,ເພີ່ມວັນຢຸດຕໍ່ອາທິດ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,ລາຍງານລາຍການ DocType: Staffing Plan Detail,Vacancies,ຕໍາແຫນ່ງວຽກຫວ່າງ DocType: Hotel Room,Hotel Room,Hotel Room apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},ບັນຊີ {0} ບໍ່ໄດ້ເປັນບໍລິສັດ {1} @@ -5969,12 +6033,15 @@ DocType: Email Digest,Open Quotations,Open Quotations 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ກະລຸນາລຶບພະນັກງານ {0} \ ເພື່ອຍົກເລີກເອກະສານນີ້" 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,ຈໍານວນພື້ນຖານ @@ -5988,6 +6055,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Vacant DocType: Patient,Alcohol Past Use,Alcohol Past Use DocType: Fertilizer Content,Fertilizer Content,ເນື້ອຫາປຸ໋ຍ +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,ບໍ່ມີ ຄຳ ອະທິບາຍ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,State Billing DocType: Quality Goal,Monitoring Frequency,ຄວາມຖີ່ຂອງການກວດສອບ @@ -6005,6 +6073,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,ສິ້ນສຸດວັນທີ່ບໍ່ສາມາດກ່ອນວັນທີຕິດຕໍ່ຕໍ່ໄປ. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,ການອອກສຽງກຸ່ມ DocType: Journal Entry,Pay To / Recd From,ຈ່າຍໄປ / Recd ຈາກ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,ບໍ່ເຜີຍແຜ່ລາຍການ DocType: Naming Series,Setup Series,Series ຕິດຕັ້ງ DocType: Payment Reconciliation,To Invoice Date,ສົ່ງໃບເກັບເງິນວັນທີ່ DocType: Bank Account,Contact HTML,ຕິດຕໍ່ HTML @@ -6026,6 +6095,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,ຂາຍຍ່ອຍ DocType: Student Attendance,Absent,ບໍ່ DocType: Staffing Plan,Staffing Plan Detail,Staffing Plan Detail DocType: Employee Promotion,Promotion Date,ວັນໂປໂມຊັ່ນ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,ການແບ່ງເງິນອອກ% s ຕິດພັນກັບການຂໍໃບສະ ໝັກ% s 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} @@ -6060,9 +6130,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,ໃບແຈ້ງຫນີ້ {0} ບໍ່ມີຢູ່ແລ້ວ DocType: Guardian Interest,Guardian Interest,ຜູ້ປົກຄອງທີ່ຫນ້າສົນໃຈ DocType: Volunteer,Availability,Availability +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,ໃບສະ ໝັກ ອອກແມ່ນຕິດພັນກັບການຈັດສັນການພັກຜ່ອນ {0}. ໃບສະ ໝັກ ບໍ່ສາມາດ ກຳ ນົດເປັນວັນພັກໂດຍບໍ່ຕ້ອງຈ່າຍ apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,ຕັ້ງຄ່າຄ່າເລີ່ມຕົ້ນສໍາຫລັບໃບແຈ້ງຫນີ້ POS DocType: Employee Training,Training,ການຝຶກອົບຮົມ DocType: Project,Time to send,ເວລາທີ່ຈະສົ່ງ +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,ຫນ້ານີ້ຕິດຕາມລາຍການຂອງທ່ານທີ່ຜູ້ຊື້ໄດ້ສະແດງຄວາມສົນໃຈບາງຢ່າງ. 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 @@ -6163,12 +6235,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ມູນຄ່າການເປີດ DocType: Salary Component,Formula,ສູດ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial: -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕິດຕັ້ງລະບົບການຕັ້ງຊື່ພະນັກງານໃນຊັບພະຍາກອນມະນຸດ> ການຕັ້ງຄ່າ HR 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/setup/doctype/company/company.py,Sales Account,ບັນຊີການຂາຍ DocType: Purchase Invoice Item,Total Weight,ນ້ໍາຫນັກລວມ +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}" @@ -6192,6 +6264,7 @@ DocType: Company,Default Employee Advance Account,ບັນຊີເງິນລ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Search Item (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF -YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດໄດ້ຮັບການລຶບ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,ເປັນຫຍັງທ່ານຄິດວ່າລາຍການນີ້ຄວນຖືກໂຍກຍ້າຍ? DocType: Vehicle,Last Carbon Check,Check Carbon ຫຼ້າສຸດ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,ຄ່າໃຊ້ຈ່າຍດ້ານກົດຫມາຍ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,ກະລຸນາເລືອກປະລິມານກ່ຽວກັບການຕິດຕໍ່ກັນ @@ -6211,6 +6284,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,ລາຍລະອຽດ DocType: Travel Itinerary,Vegetarian,Vegetarian DocType: Patient Encounter,Encounter Date,Encounter Date +DocType: Work Order,Update Consumed Material Cost In Project,ປັບປຸງຄ່າໃຊ້ຈ່າຍອຸປະກອນການບໍລິໂພກໃນໂຄງການ apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,ບັນຊີ: {0} ກັບສະກຸນເງິນ: {1} ບໍ່ສາມາດໄດ້ຮັບການຄັດເລືອກ DocType: Bank Statement Transaction Settings Item,Bank Data,Bank Data DocType: Purchase Receipt Item,Sample Quantity,ຕົວຢ່າງຈໍານວນ @@ -6265,7 +6339,7 @@ DocType: GSTR 3B Report,April,ເດືອນເມສາ DocType: Plant Analysis,Collection Datetime,Collection Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,ຄ່າໃຊ້ຈ່າຍປະຕິບັດການທັງຫມົດ -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,ຫມາຍເຫດ: {0} ເຂົ້າໄປເວລາຫຼາຍ +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,ຫມາຍເຫດ: {0} ເຂົ້າໄປເວລາຫຼາຍ apps/erpnext/erpnext/config/buying.py,All Contacts.,ຕິດຕໍ່ພົວພັນທັງຫມົດ. DocType: Accounting Period,Closed Documents,Closed Documents DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,ຈັດການຈັດການເງິນໃບສະເຫນີລາຄາສົ່ງແລະຍົກເລີກອັດຕະໂນມັດສໍາລັບການພົບກັບຜູ້ເຈັບ @@ -6347,9 +6421,7 @@ DocType: Member,Membership Type,ປະເພດສະມາຊິກ ,Reqd By Date,Reqd ໂດຍວັນທີ່ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,ຫນີ້ DocType: Assessment Plan,Assessment Name,ຊື່ການປະເມີນຜົນ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,ສະແດງ PDC ໃນການພິມ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,"ຕິດຕໍ່ກັນ, {0}: ບໍ່ມີ Serial ເປັນການບັງຄັບ" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,ບໍ່ພົບໃບແຈ້ງການທີ່ຍັງຄ້າງຄາ ສຳ ລັບ {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ລາຍການຂໍ້ມູນພາສີສະຫລາດ DocType: Employee Onboarding,Job Offer,Job Offer apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,ສະຖາບັນສະບັບຫຍໍ້ @@ -6408,6 +6480,7 @@ DocType: Serial No,Out of Warranty,ອອກຈາກການຮັບປະກ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapped Data Type DocType: BOM Update Tool,Replace,ທົດແທນ apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,ບໍ່ມີສິນຄ້າພົບ. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,ເຜີຍແຜ່ລາຍການເພີ່ມເຕີມ apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},ສັນຍາລະດັບການບໍລິການນີ້ແມ່ນສະເພາະ ສຳ ລັບລູກຄ້າ {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} ກັບການຂາຍທີ່ເຊັນ {1} DocType: Antibiotic,Laboratory User,ຜູ້ໃຊ້ຫ້ອງທົດລອງ @@ -6430,7 +6503,6 @@ DocType: Payment Order Reference,Bank Account Details,ລາຍະລະອຽ DocType: Purchase Order Item,Blanket Order,Blanket Order 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,ຊັບສິນອາກອນ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Production ສັ່ງຊື້ໄດ້ {0} DocType: BOM Item,BOM No,BOM No 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,ການເຄື່ອນຍ້າຍໂດຍສະເລ່ຍ @@ -6504,6 +6576,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),ອຸປະກອນທີ່ຕ້ອງເສຍພາສີພາຍນອກ (ບໍ່ໄດ້ຈັດອັນດັບ) DocType: BOM,Materials Required (Exploded),ອຸປະກອນທີ່ຕ້ອງການ (ລະເບີດ) 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/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,ວັນທີ່ບໍ່ສາມາດເປັນວັນໃນອະນາຄົດ @@ -6561,7 +6634,6 @@ DocType: Pricing Rule,Same Item,ລາຍການດຽວກັນ DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry DocType: Quality Action Resolution,Quality Action Resolution,ການປະຕິບັດຄຸນນະພາບ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} ໃນເວລາເຄິ່ງວັນພັກສຸດ {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,ລາຍການດຽວກັນໄດ້ຮັບເຂົ້າໄປຫຼາຍຄັ້ງ DocType: Department,Leave Block List,ອອກຈາກບັນຊີ Block DocType: Purchase Invoice,Tax ID,ID ພາສີ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,ລາຍການ {0} ບໍ່ແມ່ນການຕິດຕັ້ງສໍາລັບການ Serial Nos. Column ຕ້ອງມີຊ່ອງຫວ່າງ @@ -6599,7 +6671,7 @@ 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} ເປັນຄົນພິການຫຼືບໍ່ມີ DocType: Purchase Invoice,Return,ການກັບຄືນມາ -DocType: Accounting Dimension,Disable,ປິດການທໍາງານ +DocType: Account,Disable,ປິດການທໍາງານ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,ຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນເພື່ອເຮັດໃຫ້ການຊໍາລະເງິນ DocType: Task,Pending Review,ລໍຖ້າການທົບທວນຄືນ apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","ແກ້ໄຂໃນຫນ້າເຕັມສໍາລັບທາງເລືອກຫຼາຍເຊັ່ນຊັບສິນ, serial nos, lots ແລະອື່ນໆ." @@ -6713,7 +6785,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,ສ່ວນໃບຮັບເງິນລວມຈະຕ້ອງເທົ່າກັບ 100% DocType: Item Default,Default Expense Account,ບັນຊີມາດຕະຖານຄ່າໃຊ້ຈ່າຍ DocType: GST Account,CGST Account,ບັນຊີ CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມລາຍການ> ຍີ່ຫໍ້ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,ID Email ນັກສຶກສາ DocType: Employee,Notice (days),ຫນັງສືແຈ້ງການ (ວັນ) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,ໃບຢັ້ງຢືນການປິດໃບຢັ້ງຢືນ POS ໃບຢັ້ງຢືນ @@ -6724,6 +6795,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ເລືອກລາຍການທີ່ຈະຊ່ວຍປະຢັດໃບເກັບເງິນ DocType: Employee,Encashment Date,ວັນທີ່ສະຫມັກ Encashment DocType: Training Event,Internet,ອິນເຕີເນັດ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,ຂໍ້ມູນຜູ້ຂາຍ DocType: Special Test Template,Special Test Template,ແບບທົດສອບພິເສດ DocType: Account,Stock Adjustment,ການປັບ Stock apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},ມາດຕະຖານຂອງກິດຈະກໍາຕົ້ນທຶນທີ່ມີຢູ່ສໍາລັບການປະເພດຂອງກິດຈະກໍາ - {0} @@ -6736,7 +6808,6 @@ 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,ວັນທີເລີ່ມຕົ້ນແລະໄລຍະເວລາໄລຍະເວລາການທົດລອງຕ້ອງຖືກກໍານົດໄວ້ທັງສອງໄລຍະເວລາທົດລອງ -DocType: Company,Bank Remittance Settings,ການຕັ້ງຄ່າໂອນເງິນຂອງທະນາຄານ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ອັດຕາເສລີ່ຍ 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","ສິນຄ້າທີ່ໃຫ້ກັບລູກຄ້າ" ບໍ່ສາມາດມີອັດຕາການປະເມີນມູນຄ່າໄດ້ @@ -6764,6 +6835,7 @@ DocType: Grading Scale Interval,Threshold,ໃກ້ຈະເຂົ້າສູ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),ກັ່ນຕອງພະນັກງານໂດຍ (ທາງເລືອກ) DocType: BOM Update Tool,Current BOM,BOM ປັດຈຸບັນ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),ດຸນ (Dr-Cr) +DocType: Pick List,Qty of Finished Goods Item,Qty ຂອງສິນຄ້າ ສຳ ເລັດຮູບ apps/erpnext/erpnext/public/js/utils.js,Add Serial No,ເພີ່ມບໍ່ມີ Serial DocType: Work Order Item,Available Qty at Source Warehouse,ສາມາດໃຊ້ໄດ້ຈໍານວນທີ່ມາ Warehouse apps/erpnext/erpnext/config/support.py,Warranty,ການຮັບປະກັນ @@ -6842,7 +6914,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ໃນທີ່ນີ້ທ່ານສາມາດຮັກສາລະດັບຄວາມສູງ, ນ້ໍາ, ອາການແພ້, ຄວາມກັງວົນດ້ານການປິ່ນປົວແລະອື່ນໆ" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,ການສ້າງບັນຊີ ... DocType: Leave Block List,Applies to Company,ໃຊ້ໄດ້ກັບບໍລິສັດ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,ບໍ່ສາມາດຍົກເລີກເພາະວ່າສົ່ງ Stock Entry {0} ມີຢູ່ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,ບໍ່ສາມາດຍົກເລີກເພາະວ່າສົ່ງ Stock Entry {0} ມີຢູ່ DocType: Loan,Disbursement Date,ວັນທີ່ສະຫມັກນໍາເຂົ້າ DocType: Service Level Agreement,Agreement Details,ລາຍລະອຽດຂອງຂໍ້ຕົກລົງ apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,ວັນທີເລີ່ມຕົ້ນຂອງສັນຍາບໍ່ສາມາດໃຫຍ່ກວ່າຫຼືເທົ່າກັບວັນທີສິ້ນສຸດ. @@ -6851,6 +6923,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medical Record DocType: Vehicle,Vehicle,ຍານພາຫະນະ DocType: Purchase Invoice,In Words,ໃນຄໍາສັບຕ່າງໆ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,ວັນທີຕ້ອງການກ່ອນວັນທີ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,ກະລຸນາໃສ່ຊື່ຂອງທະນາຄານຫຼືສະຖາບັນການໃຫ້ຍືມກ່ອນສົ່ງ. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} ຕ້ອງໄດ້ຮັບການສົ່ງ DocType: POS Profile,Item Groups,ກຸ່ມລາຍການ @@ -6923,7 +6996,6 @@ DocType: Customer,Sales Team Details,ລາຍລະອຽດ Team Sales apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,ລຶບຢ່າງຖາວອນ? DocType: Expense Claim,Total Claimed Amount,ຈໍານວນທັງຫມົດອ້າງວ່າ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,ກາລະໂອກາດທີ່ອາດມີສໍາລັບການຂາຍ. -DocType: Plaid Settings,Link a new bank account,ເຊື່ອມໂຍງບັນຊີທະນາຄານ ໃໝ່ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} ແມ່ນສະຖານະການເຂົ້າຮຽນທີ່ບໍ່ຖືກຕ້ອງ. DocType: Shareholder,Folio no.,Folio no apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},ບໍ່ຖືກຕ້ອງ {0} @@ -6939,7 +7011,6 @@ DocType: Production Plan,Material Requested,Material Requested DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,ຈໍາກັດສໍາລັບສັນຍາຍ່ອຍ DocType: Patient Service Unit,Patinet Service Unit,ຫນ່ວຍບໍລິການ Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,ສ້າງເອກະສານຂໍ້ຄວາມ DocType: Sales Invoice,Base Change Amount (Company Currency),ຖານການປ່ຽນແປງຈໍານວນເງິນ (ບໍລິສັດສະກຸນເງິນ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,ບໍ່ມີການຈົດບັນຊີສໍາລັບການສາງດັ່ງຕໍ່ໄປນີ້ apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},ມີພຽງແຕ່ {0} ມີຫຼັກຊັບສໍາລັບລາຍການ {1} @@ -6953,6 +7024,7 @@ DocType: Item,No of Months,ບໍ່ມີເດືອນ DocType: Item,Max Discount (%),ນ້ໍາສ່ວນລົດ (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,ວັນທີເຄດິດບໍ່ສາມາດເປັນຕົວເລກລົບ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,ອັບລົງຖະແຫຼງການ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,ລາຍງານລາຍການນີ້ DocType: Purchase Invoice Item,Service Stop Date,Service Stop Date apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,ຈໍານວນຄໍາສັ່ງຫຼ້າສຸດ DocType: Cash Flow Mapper,e.g Adjustments for:,ຕົວຢ່າງ: ການປັບສໍາລັບ: @@ -7046,16 +7118,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,ຫມວດການຍົກເວັ້ນພາສີຂອງພະນັກງານ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,ຈຳ ນວນເງິນບໍ່ຄວນຕ່ ຳ ກວ່າສູນ. DocType: Sales Invoice,C-Form Applicable,"C, ໃບສະຫມັກ" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},ການດໍາເນີນງານທີ່ໃຊ້ເວລາຕ້ອງໄດ້ຫຼາຍກ່ວາ 0 ສໍາລັບການດໍາເນີນງານ {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},ການດໍາເນີນງານທີ່ໃຊ້ເວລາຕ້ອງໄດ້ຫຼາຍກ່ວາ 0 ສໍາລັບການດໍາເນີນງານ {0} DocType: Support Search Source,Post Route String,Post Route String apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Warehouse ເປັນການບັງຄັບ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,ບໍ່ສາມາດສ້າງເວັບໄຊທ໌ DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ແປງຂໍ້ມູນ apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,ເປີດປະຕູຮັບແລະລົງທະບຽນເຂົ້າຮຽນ -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,ການເກັບຮັກສາໄວ້ການເກັບຮັກສາໄວ້ແລ້ວຫຼືບໍ່ມີຈໍານວນຕົວຢ່າງ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,ການເກັບຮັກສາໄວ້ການເກັບຮັກສາໄວ້ແລ້ວຫຼືບໍ່ມີຈໍານວນຕົວຢ່າງ DocType: Program,Program Abbreviation,ຊື່ຫຍໍ້ໂຄງການ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,ຜະລິດພັນທີ່ບໍ່ສາມາດໄດ້ຮັບການຍົກຂຶ້ນມາຕໍ່ຕ້ານແມ່ແບບລາຍການ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),ກຸ່ມໂດຍ Voucher (Consolidated) DocType: HR Settings,Encrypt Salary Slips in Emails,ເຂົ້າລະຫັດໃບເງິນເດືອນໃນອີເມວ DocType: Question,Multiple Correct Answer,ມີຫຼາຍ ຄຳ ຕອບທີ່ຖືກຕ້ອງ @@ -7102,7 +7173,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,ຖືກຈັດອັ DocType: Employee,Educational Qualification,ຄຸນສົມບັດການສຶກສາ DocType: Workstation,Operating Costs,ຄ່າໃຊ້ຈ່າຍປະຕິບັດການ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},ສະກຸນເງິນສໍາລັບ {0} ຕ້ອງ {1} -DocType: Employee Checkin,Entry Grace Period Consequence,ຜົນສະທ້ອນໄລຍະເວລາເຂົ້າສູ່ລະບົບ Grace DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,ໝາຍ ເອົາການເຂົ້າຮຽນໂດຍອີງໃສ່ 'ເຊັກອິນຂອງພະນັກງານ' ສຳ ລັບພະນັກງານທີ່ຖືກມອບ ໝາຍ ໃຫ້ເຮັດວຽກນີ້. DocType: Asset,Disposal Date,ວັນທີ່ຈໍາຫນ່າຍ DocType: Service Level,Response and Resoution Time,ເວລາຕອບສະ ໜອງ ແລະຜົນຕອບແທນ @@ -7151,6 +7221,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,ວັນທີ່ສະຫມັກສໍາເລັດ DocType: Purchase Invoice Item,Amount (Company Currency),ຈໍານວນເງິນ (ບໍລິສັດສະກຸນເງິນ) DocType: Program,Is Featured,ແມ່ນທີ່ໂດດເດັ່ນ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ກຳ ລັງດຶງ ... DocType: Agriculture Analysis Criteria,Agriculture User,ກະສິກໍາຜູ້ໃຊ້ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,ຖືກຕ້ອງຈົນເຖິງວັນທີ່ບໍ່ສາມາດຈະກ່າວກ່ອນວັນທີທຸລະກໍາ 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} ເພື່ອໃຫ້ສໍາເລັດການນີ້. @@ -7183,7 +7254,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,ມູນຄ່າລວມ Amt 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 ສິນຄ້າລາຄາລົງທະບຽນ @@ -7207,6 +7277,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonymous apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ໄດ້ຮັບຈາກ DocType: Lead,Converted,ປ່ຽນໃຈເຫລື້ອມໃສ DocType: Item,Has Serial No,ມີບໍ່ມີ Serial +DocType: Stock Entry Detail,PO Supplied Item,PO ລາຍການສະ ໜອງ 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}" @@ -7321,7 +7392,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synch ພາສີແລະ 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,BOM ມາດຕະຖານສໍາລັບການ {0} ບໍ່ໄດ້ພົບເຫັນ +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" apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,ແຕະລາຍການຈະເພີ່ມໃຫ້ເຂົາເຈົ້າຢູ່ທີ່ນີ້ @@ -7357,7 +7428,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,ວັນທີ່ສະຫມັກບໍາລຸງຮັກສາ DocType: Purchase Invoice Item,Rejected Serial No,ປະຕິເສດບໍ່ມີ Serial apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,ປີວັນທີເລີ່ມຕົ້ນຫລືວັນທີ່ສິ້ນສຸດແມ່ນ overlapping ກັບ {0}. ເພື່ອຫຼີກເວັ້ນການກະລຸນາຕັ້ງບໍລິສັດ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕິດຕັ້ງຊຸດ ໝາຍ ເລກ ສຳ ລັບການເຂົ້າຮຽນຜ່ານການຕັ້ງຄ່າ> ເລກ ລຳ ດັບ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},ກະລຸນາລະບຸຊື່ນໍາໃນ Lead {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},ວັນທີ່ເລີ່ມຕົ້ນຄວນຈະມີຫນ້ອຍກ່ວາວັນທີ່ສິ້ນສຸດສໍາລັບລາຍການ {0} DocType: Shift Type,Auto Attendance Settings,ການຕັ້ງຄ່າການເຂົ້າຮຽນອັດຕະໂນມັດ @@ -7367,9 +7437,11 @@ DocType: Upload Attendance,Upload Attendance,ຜູ້ເຂົ້າຮ່ວ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM ແລະປະລິມານການຜະລິດຈໍາເປັນຕ້ອງ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Range Ageing 2 DocType: SG Creation Tool Course,Max Strength,ຄວາມສູງສຸດທີ່ເຄຍ +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","ບັນຊີ {0} ມີຢູ່ແລ້ວໃນບໍລິສັດເດັກ {1}. ບັນດາຂົງເຂດຕໍ່ໄປນີ້ມີຄຸນຄ່າທີ່ແຕກຕ່າງກັນ, ພວກມັນຄວນຈະຄືກັນ:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,ການຕິດຕັ້ງ presets DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-yYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},ບໍ່ມີການຈັດສົ່ງຂໍ້ມູນສໍາລັບລູກຄ້າ {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},ເພີ່ມແຖວເຂົ້າໃນ {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,ພະນັກງານ {0} ບໍ່ມີເງິນຊ່ວຍເຫຼືອສູງສຸດ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,ເລືອກລາຍການໂດຍອີງໃສ່ວັນທີ່ສົ່ງ DocType: Grant Application,Has any past Grant Record,ມີບັນຊີລາຍການ Grant ໃດຫນຶ່ງຜ່ານມາ @@ -7415,6 +7487,7 @@ DocType: Fees,Student Details,ລາຍລະອຽດນັກຮຽນ DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",ນີ້ແມ່ນ UOM ເລີ່ມຕົ້ນທີ່ໃຊ້ ສຳ ລັບສິນຄ້າແລະ ຄຳ ສັ່ງຂາຍ. UOM ທີ່ກັບຄືນມາແມ່ນ "Nos". DocType: Purchase Invoice Item,Stock Qty,ສິນຄ້າພ້ອມສົ່ງ DocType: Purchase Invoice Item,Stock Qty,ສິນຄ້າພ້ອມສົ່ງ +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 DocType: Loan,Repayment Period in Months,ໄລຍະເວລາການຊໍາລະຄືນໃນໄລຍະເດືອນ @@ -7443,6 +7516,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ສ່ວນລ apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet ສໍາລັບວຽກງານ. DocType: Purchase Invoice,Against Expense Account,ຕໍ່ບັນຊີຄ່າໃຊ້ຈ່າຍ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ການຕິດຕັ້ງຫມາຍເຫດ {0} ໄດ້ຖືກສົ່ງແລ້ວ +DocType: BOM,Raw Material Cost (Company Currency),ຕົ້ນທຶນວັດຖຸດິບ (ເງິນບໍລິສັດ) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},ມື້ຈ່າຍຄ່າເຊົ່າເຮືອນແມ່ນການທັບຊ້ອນກັນກັບ {0} DocType: GSTR 3B Report,October,ເດືອນຕຸລາ DocType: Bank Reconciliation,Get Payment Entries,ໄດ້ຮັບການອອກສຽງການຊໍາລະເງິນ @@ -7490,15 +7564,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,ຕ້ອງມີວັນທີ່ໃຊ້ສໍາລັບການນໍາໃຊ້ DocType: Request for Quotation,Supplier Detail,ຂໍ້ມູນຈໍາຫນ່າຍ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},ຄວາມຜິດພາດໃນສູດຫຼືສະພາບ: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,ຈໍານວນອະນຸ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,ຈໍານວນອະນຸ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,ນ້ໍາຫນັກມາດຕະຖານຕ້ອງໄດ້ເພີ່ມສູງເຖິງ 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,ຜູ້ເຂົ້າຮ່ວມ apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,ສິນຄ້າພ້ອມສົ່ງ DocType: Sales Invoice,Update Billed Amount in Sales Order,ປັບປຸງຈໍານວນໃບເກັບເງິນໃນການສັ່ງຊື້ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,ຕິດຕໍ່ຜູ້ຂາຍ 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,ກະລຸນາເຂົ້າສູ່ລະບົບເປັນຜູ້ໃຊ້ Marketplace ເພື່ອລາຍງານລາຍການນີ້. ,Sales Partner Commission Summary,ບົດສະຫຼຸບຄະນະ ກຳ ມະການຄູ່ຮ່ວມງານການຂາຍ ,Item Prices,ລາຄາສິນຄ້າ DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,ໃນຄໍາສັບຕ່າງໆຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດໃບສັ່ງຊື້. @@ -7512,6 +7588,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,ລາຄາຕົ້ນສະບັບ. DocType: Task,Review Date,ການທົບທວນຄືນວັນທີ່ DocType: BOM,Allow Alternative Item,ອະນຸຍາດໃຫ້ເອກະສານທາງເລືອກ +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ໃບຮັບເງິນການຊື້ບໍ່ມີລາຍການທີ່ຕົວຢ່າງ Retain ຖືກເປີດໃຊ້ງານ. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ໃບເກັບເງິນ Grand Total DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Series ສໍາລັບການອອກສຽງຄ່າເສື່ອມລາຄາສິນຊັບ (ອະນຸທິນ) DocType: Membership,Member Since,ສະຫມາຊິກຕັ້ງແຕ່ @@ -7521,6 +7598,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,ກ່ຽວກັບສຸດທິທັງຫມົດ 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} ໃນ increments ຂອງ {3} ສໍາລັບລາຍການ {4} DocType: Pricing Rule,Product Discount Scheme,ໂຄງການຫຼຸດລາຄາສິນຄ້າ +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,ບໍ່ມີບັນຫາໃດຖືກຍົກຂື້ນມາໂດຍຜູ້ໂທ. DocType: Restaurant Reservation,Waitlisted,ລໍຖ້າລາຍການ DocType: Employee Tax Exemption Declaration Category,Exemption Category,ຫມວດຍົກເວັ້ນ apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,ສະກຸນເງິນບໍ່ສາມາດມີການປ່ຽນແປງຫຼັງຈາກການເຮັດໃຫ້ການອອກສຽງການນໍາໃຊ້ສະກຸນເງິນອື່ນ ໆ @@ -7534,7 +7612,6 @@ DocType: Customer Group,Parent Customer Group,ກຸ່ມລູກຄ້າຂ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON ສາມາດຜະລິດໄດ້ຈາກໃບເກັບເງິນໃນການຂາຍເທົ່ານັ້ນ apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ບັນລຸໄດ້ຄວາມພະຍາຍາມສູງສຸດ ສຳ ລັບແບບສອບຖາມນີ້! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Subscription -DocType: Purchase Invoice,Contact Email,ການຕິດຕໍ່ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ການສ້າງຄ່າທໍານຽມທີ່ຍັງຄ້າງຢູ່ DocType: Project Template Task,Duration (Days),ໄລຍະເວລາ (ວັນ) DocType: Appraisal Goal,Score Earned,ຄະແນນທີ່ໄດ້ຮັບ @@ -7560,7 +7637,6 @@ DocType: Landed Cost Item,Landed Cost Item,ລູກຈ້າງສິນຄ້ 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","ຈຳ ນວນເງິນ ສຳ ລັບການເຮັດທຸລະ ກຳ ຄັ້ງ ໜຶ່ງ ເກີນ ຈຳ ນວນທີ່ອະນຸຍາດສູງສຸດ, ສ້າງໃບສັ່ງຈ່າຍແຍກຕ່າງຫາກໂດຍແຍກການເຮັດທຸລະ ກຳ" DocType: Service Level Agreement,Entity,ຫົວ ໜ່ວຍ DocType: Payment Reconciliation,Receivable / Payable Account,Receivable / Account Payable DocType: Delivery Note Item,Against Sales Order Item,ຕໍ່ສັ່ງຂາຍສິນຄ້າ @@ -7731,6 +7807,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,ສ DocType: Quality Inspection Reading,Reading 3,ອ່ານ 3 DocType: Stock Entry,Source Warehouse Address,ທີ່ຢູ່ Warehouse Address DocType: GL Entry,Voucher Type,ປະເພດ Voucher +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,ການ ຊຳ ລະໃນອະນາຄົດ 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 ,ກິດຈະ ກຳ ສຸດທ້າຍ @@ -7757,6 +7834,7 @@ 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 Customer DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,ລາຍຊື່ຂອງພະຍາດທີ່ພົບໃນພາກສະຫນາມ. ເມື່ອເລືອກແລ້ວມັນຈະເພີ່ມບັນຊີລາຍຊື່ຂອງວຽກເພື່ອຈັດການກັບພະຍາດ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,ນີ້ແມ່ນຫນ່ວຍບໍລິການສຸຂະພາບຮາກແລະບໍ່ສາມາດແກ້ໄຂໄດ້. DocType: Asset Repair,Repair Status,Repair Status apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Qty ທີ່ຖືກຮ້ອງຂໍ: ຈຳ ນວນທີ່ຕ້ອງການຊື້, ແຕ່ບໍ່ໄດ້ສັ່ງ." @@ -7771,6 +7849,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,ບັນຊີສໍາລັບການປ່ຽນແປງຈໍານວນເງິນ DocType: QuickBooks Migrator,Connecting to QuickBooks,ເຊື່ອມຕໍ່ກັບ QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,ລວມ Gain / Loss +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,ສ້າງລາຍຊື່ Pick apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ຕິດຕໍ່ກັນ {0}: ພັກ / ບັນຊີບໍ່ກົງກັບ {1} / {2} ໃນ {3} {4} DocType: Employee Promotion,Employee Promotion,ພະນັກງານສົ່ງເສີມ DocType: Maintenance Team Member,Maintenance Team Member,ທີມງານບໍາລຸງຮັກສາ @@ -7854,6 +7933,7 @@ 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,ປະເພດຊັບສິນ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ຈ່າຍລວມບໍ່ສາມາດກະທົບທາງລົບ @@ -7885,7 +7965,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,ເປົ້າ ໝາຍ ຄຸນນະພາບ DocType: BOM,Item to be manufactured or repacked,ລາຍການທີ່ຈະໄດ້ຮັບຜະລິດຕະພັນຫຼືຫຸ້ມຫໍ່ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},ຂໍ້ຜິດພາດຂອງສະຄິບໃນເງື່ອນໄຂ: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,ບໍ່ມີບັນຫາໃດທີ່ລູກຄ້າຍົກຂຶ້ນມາ. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-yYYY.- DocType: Employee Education,Major/Optional Subjects,ທີ່ສໍາຄັນ / ວິຊາຖ້າຕ້ອງການ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,ກະລຸນາຕັ້ງກຸ່ມຜູ້ໃຫ້ບໍລິການໃນການຊື້ການຕັ້ງຄ່າ. @@ -7978,8 +8057,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Days ການປ່ອຍສິນເຊື່ອ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,ກະລຸນາເລືອກຄົນເຈັບເພື່ອໃຫ້ໄດ້ຮັບການທົດລອງໃນຫ້ອງທົດລອງ DocType: Exotel Settings,Exotel Settings,ການຕັ້ງຄ່າ Exotel -DocType: Leave Type,Is Carry Forward,ແມ່ນປະຕິບັດຕໍ່ +DocType: Leave Ledger Entry,Is Carry Forward,ແມ່ນປະຕິບັດຕໍ່ DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ຊົ່ວໂມງເຮັດວຽກຂ້າງລຸ່ມນີ້ເຊິ່ງ ໝາຍ ຄວາມວ່າຂາດ. (ສູນທີ່ຈະປິດການໃຊ້ງານ) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,ສົ່ງຂໍ້ຄວາມ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,ຮັບສິນຄ້າຈາກ BOM 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,ແມ່ນຄ່າໃຊ້ຈ່າຍພາສີລາຍໄດ້ diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv index 620445d6f0..c9142807de 100644 --- a/erpnext/translations/lt.csv +++ b/erpnext/translations/lt.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Pranešti tiekėjui apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Prašome pasirinkti šalies tipo pirmas DocType: Item,Customer Items,klientų daiktai +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Įsipareigojimai DocType: Project,Costing and Billing,Sąnaudų ir atsiskaitymas apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Išankstinio sąskaitos valiuta turi būti tokia pati kaip ir įmonės valiuta {0} DocType: QuickBooks Migrator,Token Endpoint,Tokeno galutinis taškas @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Numatytasis matavimo vienetas DocType: SMS Center,All Sales Partner Contact,Visos pardavimo partnerė Susisiekite DocType: Department,Leave Approvers,Palikite Approvers DocType: Employee,Bio / Cover Letter,Bio / motyvacinis laiškas +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Ieškoti elementų ... DocType: Patient Encounter,Investigations,Tyrimai DocType: Restaurant Order Entry,Click Enter To Add,Spustelėkite "Įtraukti" apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Trūksta slaptažodžio, API klavišo arba Shopify URL vertės" DocType: Employee,Rented,nuomojamos apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Visos sąskaitos apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Negalima perkelti Darbuotojo statuso į kairę -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Sustabdyta Gamybos nurodymas negali būti atšauktas, atkišti ji pirmą kartą atšaukti" DocType: Vehicle Service,Mileage,Rida apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Ar tikrai norite atsisakyti šios turtą? DocType: Drug Prescription,Update Schedule,Atnaujinti tvarkaraštį @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,klientas DocType: Purchase Receipt Item,Required By,reikalaujama pagal DocType: Delivery Note,Return Against Delivery Note,Grįžti Prieš važtaraštyje DocType: Asset Category,Finance Book Detail,Finansų knygos detalės +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Visi nusidėvėjimai buvo užregistruoti DocType: Purchase Order,% Billed,% Sąskaitos pateiktos apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Darbo užmokesčio numeris apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),"Valiutų kursai turi būti toks pat, kaip {0} {1} ({2})" @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Serija punktas Galiojimo Būsena apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,bankas projektas DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Iš viso vėlyvų įrašų DocType: Mode of Payment Account,Mode of Payment Account,mokėjimo sąskaitos režimas apps/erpnext/erpnext/config/healthcare.py,Consultation,Konsultacijos DocType: Accounts Settings,Show Payment Schedule in Print,Rodyti mokėjimo grafiką Spausdinti @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Pr apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Pagrindinė kontaktinė informacija apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Atviri klausimai DocType: Production Plan Item,Production Plan Item,Gamybos planas punktas +DocType: Leave Ledger Entry,Leave Ledger Entry,Palikite knygos įrašą apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Vartotojas {0} jau priskirtas Darbuotojo {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},Lauko {0} dydis yra {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ė @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Did DocType: Purchase Invoice Item,Item Weight Details,Prekės svarumo duomenys DocType: Asset Maintenance Log,Periodicity,periodiškumas apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Finansiniai metai {0} reikalingas +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Grynasis pelnas / nuostolis DocType: Employee Group Table,ERPNext User ID,„ERPNext“ vartotojo ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Mažiausias atstumas tarp augalų eilučių siekiant optimalaus augimo apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,"Pasirinkite „Patient“, kad gautumėte paskirtą procedūrą" @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Pardavimo kainoraštis DocType: Patient,Tobacco Current Use,Tabako vartojimas apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Pardavimo norma -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,"Prieš pridėdami naują sąskaitą, išsaugokite savo dokumentą" 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,pens DocType: Exchange Rate Revaluation Account,Gain/Loss,Pelnas / nuostoliai DocType: Crop,Perennial,Daugiametis DocType: Program,Is Published,Skelbiama +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Rodyti pristatymo pastabas apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Jei norite leisti pateikti daugiau sąskaitų nei sąskaitoje, atnaujinkite skiltį „Sąskaitų nustatymai“ arba elementas „Permokos už viršytą atsiskaitymą“." DocType: Patient Appointment,Procedure,Procedūra DocType: Accounts Settings,Use Custom Cash Flow Format,Naudokite tinkintą pinigų srautų formatą @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Išsaugokite informaciją apie politiką DocType: BOM,Item Image (if not slideshow),Prekė vaizdas (jei ne skaidrių) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"Nr. {0}: {1} operacija {1} neužbaigta, kai užsakytas {3} kiekis paruoštų prekių. Atnaujinkite operacijos būseną naudodamiesi darbo kortele {4}." -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} yra privalomas generuojant perlaidų mokėjimus, nustatykite lauką ir bandykite dar kartą" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Per valandą/ 60) * Tikrasis veikimo laikas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Eilutė # {0}: standartinio dokumento tipas turi būti vienas iš išlaidų reikalavimo arba leidimo įrašo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Pasirinkite BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Grąžinti Over periodų skaičius apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Produkcijos kiekis negali būti mažesnis už nulį DocType: Stock Entry,Additional Costs,Papildomos išlaidos +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Sąskaita su esama sandoris negali būti konvertuojamos į grupę. DocType: Lead,Product Enquiry,Prekės Užklausa DocType: Education Settings,Validate Batch for Students in Student Group,Patvirtinti Serija studentams Studentų grupės @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,pagal diplomas apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Prašome nustatyti numatytąjį šabloną pranešimui apie būklės palikimą HR nustatymuose. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Tikslinė Apie DocType: BOM,Total Cost,Iš viso išlaidų +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Paskirstymas pasibaigė! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maksimalus nešiotų lapų skaičius DocType: Salary Slip,Employee Loan,Darbuotojų Paskolos DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Siųsti mokėjimo užklausą el. Paštu @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Nekiln apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Sąskaitų ataskaita apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,vaistai DocType: Purchase Invoice Item,Is Fixed Asset,Ar Ilgalaikio turto +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Rodyti būsimus mokėjimus DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Ši banko sąskaita jau sinchronizuota DocType: Homepage,Homepage Section,Pagrindinio puslapio skyrius @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Trąšos apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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į." -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Bent vienas režimas mokėjimo reikalingas POS sąskaitą. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Siunčiamos prekės {0} partijos nereikia DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Banko sąskaita faktūra @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,Pasirinkite Terminai ir sąlygos apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,iš Vertė DocType: Bank Statement Settings Item,Bank Statement Settings Item,Banko ataskaitos nustatymo elementas DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce nustatymai +DocType: Leave Ledger Entry,Transaction Name,Sandorio pavadinimas DocType: Production Plan,Sales Orders,pardavimų užsakymai apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Kolektyvinė lojalumo programa. Prašome pasirinkti rankiniu būdu. DocType: Purchase Taxes and Charges,Valuation,įvertinimas @@ -461,6 +469,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: 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ė DocType: POS Profile,Only show Customer of these Customer Groups,Rodyti tik šių klientų grupių klientus DocType: Sales Invoice,Is Opening Entry,Ar atidarymas įrašą @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,"Nurodyk, jei nestandartinis gautinos sąskaitos taikoma" 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šą DocType: Supplier Scorecard,Criteria Setup,Kriterijų nustatymas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Sandėliavimo reikalingas prieš Pateikti +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 DocType: Codification Table,Medical Code,Medicinos kodeksas apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Prijunkite "Amazon" su ERPNext @@ -486,7 +496,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Banko sąskaitos pridėtos -DocType: Delivery Stop,Contact Name,Kontaktinis vardas +DocType: Call Log,Contact Name,Kontaktinis vardas DocType: Plaid Settings,Synchronize all accounts every hour,Sinchronizuokite visas paskyras kas valandą DocType: Course Assessment Criteria,Course Assessment Criteria,Žinoma vertinimo kriterijai DocType: Pricing Rule Detail,Rule Applied,Taikoma taisyklė @@ -530,7 +540,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Nežinomas numeris DocType: Website Filter Field,Website Filter Field,Svetainės filtro laukas apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Tiekimo tipas DocType: Material Request Item,Min Order Qty,Min Užsakomas kiekis @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,Visa pagrindinė suma DocType: Student Guardian,Relation,santykis DocType: Quiz Result,Correct,Teisingai DocType: Student Guardian,Mother,Motina -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Pirmiausia į „site_config.json“ pridėkite galiojančius „Plaid api“ raktus DocType: Restaurant Reservation,Reservation End Time,Rezervacijos pabaiga DocType: Crop,Biennial,Bienalė ,BOM Variance Report,BOM Variance Report @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Mokėjimo prieš {0} {1} negali būti didesnis nei nesumokėtos sumos {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,POS nustatymai neprisijungus DocType: Stock Entry Detail,Reference Purchase Receipt,Pirkinio pirkimo kvitas DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,variantas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Užbaigtas Kiekis negali būti didesnis nei "Kiekis iki Gamyba" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Užbaigtas Kiekis negali būti didesnis nei "Kiekis iki Gamyba" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Laikotarpis pagrįstas DocType: Period Closing Voucher,Closing Account Head,Uždarymo sąskaita vadovas DocType: Employee,External Work History,Išorinis darbo istoriją apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Ciklinę nuorodą Klaida apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Studentų kortelės ataskaita apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Iš PIN kodo +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Parodyti pardavėją DocType: Appointment Type,Is Inpatient,Yra stacionarus apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Vardas DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Žodžiais (eksportas) bus matomas, kai jūs išgelbėti važtaraštyje." @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Matmens pavadinimas apps/erpnext/erpnext/healthcare/setup.py,Resistant,Atsparus apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Prašome nustatyti viešbučio kambario kainą už () +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: Journal Entry,Multi Currency,Daugiafunkciniai Valiuta DocType: Bank Statement Transaction Invoice Item,Invoice Type,Sąskaitos faktūros tipas apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,"Galioja nuo datos, turi būti mažesnė už galiojančią datą" @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,pripažino DocType: Workstation,Rent Cost,nuomos kaina 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Artimiausi Kalendoriaus įvykiai apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Varianto atributai @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,Užklausimas 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Rodyti parduotą asmenį spausdintuve 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 @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Sukurti naują klientų apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Pabaiga apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jei ir toliau vyrauja daug kainodaros taisyklės, vartotojai, prašoma, kad prioritetas rankiniu būdu išspręsti konfliktą." -DocType: Purchase Invoice,Scan Barcode,Skenuoti Barcodą apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Sukurti Pirkimų užsakymus ,Purchase Register,pirkimo Registruotis apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacientas nerastas @@ -817,6 +828,7 @@ DocType: Account,Old Parent,Senas Tėvų apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Privalomas laukas - akademiniai metai apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Privalomas laukas - akademiniai metai apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} nėra susietas su {2} {3} +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} @@ -859,6 +871,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Pajamos komponentas žiniaraštis pagrįstą darbo užmokesčio. DocType: Driver,Applicable for external driver,Taikoma išoriniam vairuotojui DocType: Sales Order Item,Used for Production Plan,Naudojamas gamybos planas +DocType: BOM,Total Cost (Company Currency),Bendros išlaidos (įmonės valiuta) DocType: Loan,Total Payment,bendras Apmokėjimas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Negalima atšaukti sandorio už užbaigtą darbo užsakymą. DocType: Manufacturing Settings,Time Between Operations (in mins),Laikas tarp operacijų (minutėmis) @@ -880,6 +893,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Pranešti apie kitą DocType: Vital Signs,Blood Pressure (systolic),Kraujo spaudimas (sistolinis) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} yra {2} DocType: Item Price,Valid Upto,galioja upto +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. @@ -898,6 +912,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} pokyčiai apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Prašome pasirinkti kompaniją DocType: Employee Skill,Employee Skill,Darbuotojų įgūdžiai apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,skirtumas paskyra @@ -942,6 +957,7 @@ DocType: Patient,Risk Factors,Rizikos veiksniai DocType: Patient,Occupational Hazards and Environmental Factors,Profesiniai pavojai ir aplinkos veiksniai apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Daliniai įrašai jau sukurta darbo užsakymui apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Peržiūrėkite ankstesnius užsakymus +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} pokalbiai DocType: Vital Signs,Respiratory rate,Kvėpavimo dažnis apps/erpnext/erpnext/config/help.py,Managing Subcontracting,valdymas Subranga DocType: Vital Signs,Body Temperature,Kūno temperatūra @@ -983,6 +999,7 @@ DocType: Purchase Invoice,Registered Composition,Užregistruota kompozicija apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Sveiki apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Perkelti punktas DocType: Employee Incentive,Incentive Amount,Skatinamoji suma +,Employee Leave Balance Summary,Darbuotojų atostogų balanso suvestinė DocType: Serial No,Warranty Period (Days),Garantinis laikotarpis (dienomis) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,"Bendra kredito / debeto suma turi būti tokia pati, kaip ir susietas žurnalo įrašas" DocType: Installation Note Item,Installation Note Item,Įrengimas Pastaba Prekė @@ -996,6 +1013,7 @@ DocType: Vital Signs,Bloated,Išpūstas DocType: Salary Slip,Salary Slip Timesheet,Pajamos Kuponas Lapą apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Tiekėjas tiekiantis sandėlis privalomas SUBRANGOVAMS pirkimo kvito DocType: Item Price,Valid From,Galioja nuo +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Jūsų įvertinimas: DocType: Sales Invoice,Total Commission,Iš viso Komisija DocType: Tax Withholding Account,Tax Withholding Account,Mokesčių išskaitymo sąskaita DocType: Pricing Rule,Sales Partner,Partneriai pardavimo @@ -1003,6 +1021,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Visi tiekėjų re 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 +DocType: Item,Website Image,Svetainės vaizdas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Tikslinė sandėlio eilutė {0} turi būti tokia pat kaip ir darbo užsakymas apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Vertinimo rodiklis yra privalomas, jei atidarymas sandėlyje įvesta" 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šų @@ -1037,8 +1056,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},P 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,"Prieš sinchronizuodami sąskaitą, užpildykite „Plaid API“ konfigūraciją" 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 DocType: Job Applicant,Resume Attachment,Gyvenimo Priedas @@ -1050,7 +1069,6 @@ DocType: Production Plan,Production Plan,Gamybos planas DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Sąskaitų faktūrų kūrimo įrankio atidarymas DocType: Salary Component,Round to the Nearest Integer,Apvalus iki artimiausio sveikojo skaičiaus apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,pardavimų Grįžti -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Pastaba: Iš viso skiriami lapai {0} turi būti ne mažesnis nei jau patvirtintų lapų {1} laikotarpiui DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,"Nustatykite kiekį sandoriuose, kurie yra pagrįsti serijiniu numeriu" ,Total Stock Summary,Viso sandėlyje santrauka apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1079,6 +1097,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Log apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,pagrindinę sumą DocType: Loan Application,Total Payable Interest,Viso mokėtinos palūkanos apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Iš viso neįvykdyti: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Atidaryti kontaktą DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Pardavimų sąskaita faktūra Lapą 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} @@ -1088,6 +1107,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Numatytoji sąskaitų vard 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 DocType: Restaurant Reservation,Restaurant Reservation,Restorano rezervavimas +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Jūsų daiktai apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Pasiūlymas rašymas DocType: Payment Entry Deduction,Payment Entry Deduction,Mokėjimo Įėjimo išskaičiavimas DocType: Service Level Priority,Service Level Priority,Aptarnavimo lygio prioritetas @@ -1096,6 +1116,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Serijos numerio serija apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Kitas pardavimų asmuo {0} egzistuoja su tuo pačiu Darbuotojo ID DocType: Employee Advance,Claimed Amount,Reikalaujama suma +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Pasibaigęs paskirstymas 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ų @@ -1165,7 +1186,6 @@ DocType: Student Batch Name,Batch Name,Serija Vardas DocType: Fee Validity,Max number of visit,Maksimalus apsilankymo skaičius DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Privalomas pelno (nuostolių) ataskaitai ,Hotel Room Occupancy,Viešbučio kambario užimtumas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Lapą sukurta: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Prašome nustatyti numatytąją grynaisiais ar banko sąskaitą mokėjimo būdas {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,įrašyti DocType: GST Settings,GST Settings,GST Nustatymai @@ -1299,6 +1319,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Prašome pasirinkti programą DocType: Project,Estimated Cost,Numatoma kaina DocType: Request for Quotation,Link to material requests,Nuoroda į materialinių prašymus +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Paskelbti apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aviacija ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Kreditinė kortelė įrašas @@ -1325,6 +1346,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Turimas turtas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} nėra sandėlyje punktas apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Prašome pasidalinti savo atsiliepimais su mokymu spustelėdami "Mokymo atsiliepimai", tada "Naujas"" +DocType: Call Log,Caller Information,Informacija apie skambinantįjį asmenį DocType: Mode of Payment Account,Default Account,numatytoji paskyra apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Pirmiausia pasirinkite "Sample Storage Warehouse" atsargų nustatymuose apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Pasirinkite daugialypės pakopos programos tipą daugiau nei vienai rinkimo taisyklėms. @@ -1349,6 +1371,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Auto Medžiaga Prašymai Sugeneruoti DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Darbo valandos, kuriomis mažesnė pusė yra pažymėta. (Nulis išjungti)" DocType: Job Card,Total Completed Qty,Iš viso užpildytas kiekis +DocType: HR Settings,Auto Leave Encashment,Automatinis atostogų užšifravimas apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,prarastas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Jūs negalite įvesti dabartinį kuponą į "prieš leidinys įrašas" skiltyje DocType: Employee Benefit Application Detail,Max Benefit Amount,Maksimali išmokos suma @@ -1378,9 +1401,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Abonentas DocType: Item Attribute Value,Item Attribute Value,Prekė Pavadinimas Reikšmė apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valiutos keitimas turi būti taikomas pirkimui arba pardavimui. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Tik pasibaigęs paskirstymas gali būti atšauktas DocType: Item,Maximum sample quantity that can be retained,"Maksimalus mėginių kiekis, kurį galima išsaugoti" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Eilutė {0} # Item {1} negalima perkelti daugiau nei {2} prieš pirkimo užsakymą {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Pardavimų kampanijas. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Nežinomas skambinantysis DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1412,6 +1437,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Sveikatos p apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Dok. Vardas DocType: Expense Claim Detail,Expense Claim Type,Kompensuojamos Paraiškos tipas DocType: Shopping Cart Settings,Default settings for Shopping Cart,Numatytieji nustatymai krepšelį +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Išsaugoti elementą apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Naujos išlaidos apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignoruoti esamą užsakytą kiekį apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Pridėti "Timeslots" @@ -1424,6 +1450,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Išsiųsta pakvietimo peržiūra DocType: Shift Assignment,Shift Assignment,Shift Assignment DocType: Employee Transfer Property,Employee Transfer Property,Darbuotojo perleidimo turtas +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Lauko Nuosavybės / įsipareigojimų sąskaita negali būti tuščia apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Laikas turi būti mažesnis nei laikas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotechnologija apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1506,11 +1533,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Iš valst 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ą apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Žinoma Tvarkaraštis DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B ataskaita DocType: Request for Quotation Supplier,Quote Status,Citata statusas DocType: GoCardless Settings,Webhooks Secret,Webhooks paslaptis DocType: Maintenance Visit,Completion Status,užbaigimo būsena +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Bendra mokėjimų suma negali būti didesnė nei {} DocType: Daily Work Summary Group,Select Users,Pasirinkite vartotojus DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Viešbučių kambario kainų punktas DocType: Loyalty Program Collection,Tier Name,Pakopos pavadinimas @@ -1548,6 +1577,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST sum DocType: Lab Test Template,Result Format,Rezultato formatas DocType: Expense Claim,Expenses,išlaidos DocType: Service Level,Support Hours,paramos valandos +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Pristatymo pastabos DocType: Item Variant Attribute,Item Variant Attribute,Prekė variantas Įgūdis ,Purchase Receipt Trends,Pirkimo kvito tendencijos DocType: Payroll Entry,Bimonthly,Dviejų mėnesių @@ -1570,7 +1600,6 @@ DocType: Sales Team,Incentives,paskatos DocType: SMS Log,Requested Numbers,Pageidaujami numeriai DocType: Volunteer,Evening,Vakaras DocType: Quiz,Quiz Configuration,Viktorinos konfigūracija -DocType: Customer,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 @@ -1617,7 +1646,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Valiuto ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Nepavyko rasti laiko tarpsnių per ateinančius {0} dienų darbui {1} DocType: Work Order,Plan material for sub-assemblies,Planas medžiaga mazgams 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ų @@ -1632,9 +1660,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,"Norėdami išlaikyti pakartotinio užsakymo lygį, atsargų nustatymuose turite įjungti automatinį užsakymą." apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Atšaukti Medžiaga Apsilankymai {0} prieš atšaukiant šią Priežiūros vizitas DocType: Pricing Rule,Rate or Discount,Įkainiai arba nuolaidos +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Banko duomenis DocType: Vital Signs,One Sided,Vienos pusės apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serijos Nr {0} nepriklauso punkte {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Reikalinga Kiekis +DocType: Purchase Order Item Supplied,Required Qty,Reikalinga Kiekis DocType: Marketplace Settings,Custom Data,Tinkinti duomenys apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Sandėliai su esamais sandoris negali būti konvertuojamos į knygą. DocType: Service Day,Service Day,Aptarnavimo diena @@ -1662,7 +1691,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,sąskaita Valiuta DocType: Lab Test,Sample ID,Pavyzdžio ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Paminėkite suapvalinti Narystė Bendrovėje -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debet_note_amt DocType: Purchase Receipt,Range,diapazonas DocType: Supplier,Default Payable Accounts,Numatytieji mokėtinų sumų apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Darbuotojų {0} is not active arba neegzistuoja @@ -1703,8 +1731,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Paprašyti informacijos DocType: Course Activity,Activity Date,Veiklos data apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} apie {} -,LeaderBoard,Lyderių DocType: Sales Invoice Item,Rate With Margin (Company Currency),Norma su marža (įmonės valiuta) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategorijos apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sinchronizuoti Atsijungęs Sąskaitos DocType: Payment Request,Paid,Mokama DocType: Service Level,Default Priority,Numatytasis prioritetas @@ -1739,11 +1767,11 @@ DocType: Agriculture Task,Agriculture Task,Žemės ūkio Užduotis apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,netiesioginė pajamos DocType: Student Attendance Tool,Student Attendance Tool,Studentų dalyvavimas įrankis DocType: Restaurant Menu,Price List (Auto created),Kainoraštis (automatiškai sukurta) +DocType: Pick List Item,Picked Qty,Išrinktas kiekis DocType: Cheque Print Template,Date Settings,data Nustatymai 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 -,Company Name,Įmonės pavadinimas 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. @@ -1762,7 +1790,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Naujausias bandymas DocType: Quiz Result,Quiz Result,Viktorinos rezultatas 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}" -DocType: BOM,Raw Material Cost(Company Currency),Žaliavų kaina (Įmonės valiuta) 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 @@ -1831,6 +1858,7 @@ DocType: Travel Itinerary,Train,Traukinys ,Delayed Item Report,Atidėto daikto ataskaita apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Tinkamas ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Stacionarinė būklė +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Paskelbkite savo pirmuosius daiktus DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Laikas po pamainos pabaigos, per kurį svarstomas išvykimo laikas." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Nurodykite {0} @@ -1949,6 +1977,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Visi BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Sukurkite „Inter Company“ žurnalo įrašą DocType: Company,Parent Company,Motininė kompanija apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Viešbučio kambario tipo {0} negalima {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Palyginkite BOM dėl žaliavų ir operacijų pokyčių apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,{0} dokumentas sėkmingai neišvalytas DocType: Healthcare Practitioner,Default Currency,Pirminė kainoraščio valiuta apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Suderinkite šią sąskaitą @@ -1983,6 +2012,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-formos sąskaita faktūra detalės DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Mokėjimo Susitaikymas Sąskaita DocType: Clinical Procedure,Procedure Template,Procedūros šablonas +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Skelbti elementus apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,indėlis% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kaip už pirkimo parametrus, jei pirkimas įsakymu Reikalinga == "Taip", tada sukurti sąskaitą-faktūrą, vartotojo pirmiausia reikia sukurti pirkinių užsakymą už prekę {0}" ,HSN-wise-summary of outward supplies,"HSN-wise" - išvežamų prekių santrauka @@ -1995,7 +2025,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Prašome nustatyti "Taikyti papildomą nuolaidą On" DocType: Party Tax Withholding Config,Applicable Percent,Taikomas procentas ,Ordered Items To Be Billed,Užsakytas prekes Norėdami būti mokami -DocType: Employee Checkin,Exit Grace Period Consequence,Išėjimo iš lengvatinio laikotarpio pasekmė apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Iš klasės turi būti mažesnis nei svyruoja DocType: Global Defaults,Global Defaults,Global Numatytasis apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Projektų Bendradarbiavimas Kvietimas @@ -2003,13 +2032,11 @@ DocType: Salary Slip,Deductions,atskaitymai DocType: Setup Progress Action,Action Name,Veiksmo pavadinimas apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,pradžios metus apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Sukurti paskolą -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Pradžios data einamųjų sąskaitos faktūros laikotarpį DocType: Shift Type,Process Attendance After,Proceso lankomumas po ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Palikite be darbo užmokesčio DocType: Payment Request,Outward,Išvykimas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Talpa planavimas Klaida apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Valstybinis / UT mokestis ,Trial Balance for Party,Bandomoji likutis partijos ,Gross and Net Profit Report,Bendrojo ir grynojo pelno ataskaita @@ -2028,7 +2055,6 @@ DocType: Payroll Entry,Employee Details,Informacija apie darbuotoją 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 -DocType: Setup Progress Action,Domains,Domenai 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 @@ -2072,7 +2098,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Viso tėv 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.","Mokėjimo būdas yra neužpildė. Prašome patikrinti, ar sąskaita buvo nustatytas mokėjimų Mode arba POS profilis." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Tas pats daiktas negali būti įrašytas kelis kartus. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Daugiau sąskaitos gali būti grupėse, tačiau įrašai gali būti pareikštas ne grupės" -DocType: Email Campaign,Lead,Vadovauti +DocType: Call Log,Lead,Vadovauti DocType: Email Digest,Payables,Mokėtinos sumos DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,El. Pašto kampanija @@ -2084,6 +2110,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Pirkimui užsakyti klausimai turi būti apmokestinama 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 DocType: Purchase Invoice Item,Net Rate,grynasis Balsuok apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Pasirinkite klientą DocType: Leave Policy,Leave Allocations,Palikite asignavimus @@ -2097,6 +2124,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Uždaryti išdavimas Po dienos ,Eway Bill,Eway Billas apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,"Norint pridėti naudotojų prie "Marketplace", turite būti "System Manager" ir "Item Manager" funkcijų turintis vartotojas." +DocType: Attendance,Early Exit,Ankstyvas išėjimas DocType: Job Opening,Staffing Plan,Personalo planas apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,„e-Way Bill JSON“ gali būti sugeneruotas tik iš pateikto dokumento apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Darbuotojų mokestis ir išmokos @@ -2119,6 +2147,7 @@ DocType: Maintenance Team Member,Maintenance Role,Priežiūros vaidmuo apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dubliuoti eilutė {0} su tuo pačiu {1} DocType: Marketplace Settings,Disable Marketplace,Išjungti Marketplace DocType: Quality Meeting,Minutes,Minutės +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Jūsų siūlomi daiktai ,Trial Balance,bandomasis balansas apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Rodyti baigta apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Finansiniai metai {0} nerastas @@ -2128,8 +2157,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Viešbučių rezervavimo apps/erpnext/erpnext/projects/doctype/project/project.js,Set Status,Nustatyti būseną apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please select prefix first,Prašome pasirinkti prefiksą pirmas DocType: Contract,Fulfilment Deadline,Įvykdymo terminas +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Šalia jūsų DocType: Student,O-,O- -DocType: Shift Type,Consequence,Pasekmė DocType: Subscription Settings,Subscription Settings,Prenumeratos nustatymai DocType: Purchase Invoice,Update Auto Repeat Reference,Atnaujinti automatinio kartojimo nuorodą apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},"Neprivalomas atostogų sąrašas, nenustatytas atostogų laikotarpiui {0}" @@ -2140,7 +2169,6 @@ DocType: Maintenance Visit Purpose,Work Done,Darbas pabaigtas apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Prašome nurodyti bent vieną atributą Atributų lentelės DocType: Announcement,All Students,Visi studentai apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Prekė {0} turi būti ne akcijų punktas -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Banko deselai apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Peržiūrėti Ledgeris DocType: Grading Scale,Intervals,intervalai DocType: Bank Statement Transaction Entry,Reconciled Transactions,Suderinti sandoriai @@ -2176,6 +2204,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,galimybė punktas DocType: Quality Action,Quality Review,Kokybės apžvalga @@ -2202,7 +2231,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Gauk neapmokėtų sąskaitų faktūrų -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Pardavimų užsakymų {0} negalioja +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ų apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Pirkimo pavedimai padės jums planuoti ir sekti savo pirkimų apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab testo rekvizitai @@ -2227,6 +2256,7 @@ DocType: Employee Onboarding,Notify users by email,Praneškite vartotojams el. P DocType: Travel Request,International,Tarptautinis DocType: Training Event,Training Event,Kvalifikacijos tobulinimo renginys DocType: Item,Auto re-order,Auto naujo užsakymas +DocType: Attendance,Late Entry,Pavėluotas įėjimas apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Iš viso Pasiektas DocType: Employee,Place of Issue,Išdavimo vieta DocType: Promotional Scheme,Promotional Scheme Price Discount,Reklaminės schemos kainos nuolaida @@ -2273,6 +2303,7 @@ DocType: Serial No,Serial No Details,Serijos Nr detalės DocType: Purchase Invoice Item,Item Tax Rate,Prekė Mokesčio tarifas apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Iš partijos vardo apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Grynoji atlyginimo suma +DocType: Pick List,Delivery against Sales Order,Pristatymas pagal pardavimo užsakymą DocType: Student Group Student,Group Roll Number,Grupė salė Taškų DocType: Student Group Student,Group Roll Number,Grupė salė Taškų apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",Dėl {0} tik kredito sąskaitos gali būti susijęs su kitos debeto įrašą @@ -2346,7 +2377,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ši vertė naudojama pro rata temporis apskaičiavimui apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Jums reikia įgalinti Prekių krepšelis DocType: Payment Entry,Writeoff,Nusirašinėti DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2360,6 +2390,7 @@ DocType: Delivery Trip,Total Estimated Distance,Bendras numatomas atstumas DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Gautinos neapmokėtos sąskaitos DocType: Tally Migration,Tally Company,„Tally“ įmonė apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM naršyklė +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Neleidžiama sukurti {0} apskaitos aspekto apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Prašome atnaujinti savo statusą šiam renginiui DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Pridėti arba atimama @@ -2369,7 +2400,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Neaktyvūs pardavimo elementai DocType: Quality Review,Additional Information,Papildoma informacija apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Iš viso užsakymo vertė -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Iš naujo nustatyti paslaugų lygio susitarimą. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,maistas apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Senėjimas klasės 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS uždarymo kupono duomenys @@ -2416,6 +2446,7 @@ 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 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" DocType: Healthcare Practitioner,Contacts and Address,Kontaktai ir adresas DocType: Shift Type,Determine Check-in and Check-out,Nustatykite registraciją ir išsiregistravimą @@ -2435,7 +2466,6 @@ DocType: Student Admission,Eligibility and Details,Tinkamumas ir detalės apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Įtrauktas į bendrąjį pelną apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Grynasis pokytis ilgalaikio turto apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Kliento kodas apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mokesčio tipas "Tikrasis" iš eilės {0} negali būti įtraukti į klausimus lygis apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,nuo datetime @@ -2503,6 +2533,7 @@ DocType: Journal Entry Account,Account Balance,Sąskaitos balansas apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Klientas privalo prieš gautinos sąskaitos {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Iš viso mokesčiai ir rinkliavos (Įmonės valiuta) DocType: Weather,Weather Parameter,Oras parametras @@ -2565,6 +2596,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,"Darbo laiko riba, kai n apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,"Remiantis išleistu bendra suma, gali būti kelias pakopų rinkimo koeficientas. Tačiau išpirkimo konversijos koeficientas visada bus vienodas visame lygyje." apps/erpnext/erpnext/config/help.py,Item Variants,Prekė Variantai apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Paslaugos +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Siųsti darbo užmokestį į darbuotojų DocType: Cost Center,Parent Cost Center,Tėvų Kaina centras @@ -2575,7 +2607,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","P DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importuokite "Shopify" pristatymo pastabas iš siuntos apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Rodyti uždarytas DocType: Issue Priority,Issue Priority,Išdavimo prioritetas -DocType: Leave Type,Is Leave Without Pay,Ar palikti be Pay +DocType: Leave Ledger Entry,Is Leave Without Pay,Ar palikti be Pay apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Turto Kategorija privaloma ilgalaikio turto DocType: Fee Validity,Fee Validity,Mokesčio galiojimas @@ -2624,6 +2656,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Turimas Serija Kiek apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Atnaujinti Spausdinti Formatas DocType: Bank Account,Is Company Account,Ar yra įmonės paskyra apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Išeiti iš tipo {0} negalima užpildyti +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Kredito limitas įmonei jau yra apibrėžtas {0} DocType: Landed Cost Voucher,Landed Cost Help,Nusileido kaina Pagalba DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Pasirinkite pristatymo adresas @@ -2648,6 +2681,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Dvipusis DocType: Item,Manufacturers,Gamintojai @@ -2685,7 +2719,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Bankas Susitaikymas pareiškimas DocType: Patient Encounter,Medical Coding,Medicininis kodavimas DocType: Healthcare Settings,Reminder Message,Priminimo pranešimas -,Lead Name,Švinas Vardas +DocType: Call Log,Lead Name,Švinas Vardas ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Žvalgyba @@ -2717,12 +2751,14 @@ DocType: Purchase Invoice,Supplier Warehouse,tiekėjas tiekiantis sandėlis DocType: Opportunity,Contact Mobile No,Kontaktinė Mobilus Nėra apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Pasirinkite įmonę ,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: 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- 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.,Vartotojas {0} neturi numatytojo POS profilio. Patikrinkite numatytuosius šio vartotojo {1} eilutėje (1). DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kokybės susitikimo protokolas +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Darbuotojo kreipimasis DocType: Student Group,Set 0 for no limit,Nustatykite 0 jokios ribos apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Dieną (-os), kada prašote atostogų yra šventės. Jums nereikia prašyti atostogų." @@ -2754,12 +2790,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Grynasis Pakeisti pinigais DocType: Assessment Plan,Grading Scale,vertinimo skalė apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Matavimo vienetas {0} buvo įrašytas daugiau nei vieną kartą konversijos koeficientas lentelėje -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,jau baigtas apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Akcijų In Hand apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Pridėkite likusią naudą {0} prie programos kaip \ pro-rata komponentą apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Prašome nustatyti mokesčių kodą viešajai administracijai „% s“ -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Mokėjimo prašymas jau yra {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Kaina išduotą prekės DocType: Healthcare Practitioner,Hospital,Ligoninė apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Kiekis turi būti ne daugiau kaip {0} @@ -2804,6 +2838,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Žmogiškieji ištekliai apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,viršutinė pajamos DocType: Item Manufacturer,Item Manufacturer,Prekė Gamintojas +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Sukurti naują klientą DocType: BOM Operation,Batch Size,Partijos dydis apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,atmesti DocType: Journal Entry Account,Debit in Company Currency,Debeto įmonėje Valiuta @@ -2824,9 +2859,11 @@ DocType: Bank Transaction,Reconciled,Susitaikė DocType: Expense Claim,Total Amount Reimbursed,Iš viso kompensuojama suma apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Tai grindžiama rąstų prieš šią transporto priemonę. Žiūrėti grafikas žemiau detales apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Darbo užmokesčio data negali būti mažesnė nei darbuotojo prisijungimo data +DocType: Pick List,Item Locations,Prekės vietos apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} sukūrė apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}","Darbo atrankos, skirtos paskirti {0} jau atidaryti / išsinuomoti pagal personalo planą {1}" +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Galite paskelbti iki 200 elementų. DocType: Vital Signs,Constipated,Užkietėjimas apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Prieš tiekėjo sąskaitoje {0} data {1} DocType: Customer,Default Price List,Numatytasis Kainų sąrašas @@ -2920,6 +2957,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,„Shift“ faktinė pradžia DocType: Tally Migration,Is Day Book Data Imported,Ar dienos knygos duomenys importuoti apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,rinkodaros išlaidos +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} {1} vienetų nėra. ,Item Shortage Report,Prekė trūkumas ataskaita 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 @@ -2943,6 +2981,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ą 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ė DocType: Material Request,Transferred,Perduotas DocType: Vehicle,Doors,durys @@ -3023,7 +3062,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Kliento punktas kodas DocType: Stock Reconciliation,Stock Reconciliation,akcijų suderinimas DocType: Territory,Territory Name,teritorija Vardas DocType: Email Digest,Purchase Orders to Receive,Pirkimo užsakymai gauti -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Darbas-in-progress sandėlio reikalingas prieš Pateikti +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Darbas-in-progress sandėlio reikalingas prieš Pateikti apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Prenumeruojant galite turėti tik planus su tuo pačiu atsiskaitymo ciklu DocType: Bank Statement Transaction Settings Item,Mapped Data,Įrašyti duomenys DocType: Purchase Order Item,Warehouse and Reference,Sandėliavimo ir nuoroda @@ -3099,6 +3138,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Pristatymo nustatymai apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Paimkite duomenis apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Didžiausias leistinas atostogas tipo atostogų {0} yra {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Paskelbkite 1 elementą DocType: SMS Center,Create Receiver List,Sukurti imtuvas sąrašas DocType: Student Applicant,LMS Only,Tik LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Galima naudoti Data turėtų būti po pirkimo datos @@ -3132,6 +3172,7 @@ 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į DocType: Vital Signs,Furry,Skustis apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prašome nustatyti "Gain / Loss sąskaitą turto perdavimo" Bendrovėje {0} +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} @@ -3154,9 +3195,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Pavadinimas Mėne DocType: Quality Procedure Process,Quality Procedure Process,Kokybės procedūros procesas apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Serija ID privalomi apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Serija ID privalomi +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Pirmiausia pasirinkite Klientas DocType: Sales Person,Parent Sales Person,Tėvų pardavimų asmuo apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Nepateikiama jokių daiktų apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Pardavėjas ir pirkėjas negali būti vienodi +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Dar nėra peržiūrų DocType: Project,Collect Progress,Rinkti pažangą DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Pirmiausia pasirinkite programą @@ -3178,11 +3221,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,pasiektas DocType: Student Admission,Application Form Route,Prašymo forma Vartojimo būdas apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Sutarties pabaigos data negali būti trumpesnė nei šiandien. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,„Ctrl“ + „Enter“ pateikti DocType: Healthcare Settings,Patient Encounters in valid days,Pacientų susitikimai galiojančiomis dienomis apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Palikite tipas {0} negali būti paskirstytos, nes ji yra palikti be darbo užmokesčio" 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},Eilutės {0}: Paskirti suma {1} turi būti mažesnis arba lygus sąskaitą skolos likutį {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Žodžiais bus matomas, kai įrašote pardavimo sąskaita-faktūra." DocType: Lead,Follow Up,Sekti +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Išlaidų centras: {0} neegzistuoja DocType: Item,Is Sales Item,Ar Pardavimų punktas apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Prekė Grupė medis apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Prekė {0} nėra setup Serijos Nr. Patikrinkite Elementą meistras @@ -3226,9 +3271,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Tiekiami Kiekis DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Medžiaga Prašymas punktas -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Pirmiausia atšaukite pirkimo kvitą {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Medis punktas grupes. DocType: Production Plan,Total Produced Qty,Bendras pagamintas kiekis +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Nėra atsiliepimų dar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Negali remtis eilutės skaičius didesnis nei arba lygus dabartinės eilutės numeris Šio mokesčio tipą DocType: Asset,Sold,parduota ,Item-wise Purchase History,Prekė išmintingas pirkimas Istorija @@ -3247,7 +3292,7 @@ DocType: Designation,Required Skills,Reikalingi įgūdžiai DocType: Inpatient Record,O Positive,O teigiamas apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,investicijos DocType: Issue,Resolution Details,geba detalės -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Sandorio tipas +DocType: Leave Ledger Entry,Transaction Type,Sandorio tipas DocType: Item Quality Inspection Parameter,Acceptance Criteria,priimtinumo kriterijai apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Prašome įvesti Materialieji prašymus pirmiau pateiktoje lentelėje apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Negalima grąžinti žurnalo įrašo @@ -3289,6 +3334,7 @@ DocType: Bank Account,Bank Account No,Banko sąskaita Nr DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Darbuotojų atleidimo nuo mokesčio įrodymas pateikimas DocType: Patient,Surgical History,Chirurginė istorija DocType: Bank Statement Settings Item,Mapped Header,Mape Header +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: 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į. 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} @@ -3357,7 +3403,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Pridėti burtinę DocType: Program Enrollment,Self-Driving Vehicle,Savęs Vairavimas automobiliai 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Iš viso skiriami lapai {0} negali būti mažesnė nei jau patvirtintų lapų {1} laikotarpiu DocType: Contract Fulfilment Checklist,Requirement,Reikalavimas DocType: Journal Entry,Accounts Receivable,gautinos DocType: Quality Goal,Objectives,Tikslai @@ -3380,7 +3425,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Vieno sandorio slenks DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ši vertė yra atnaujinta pagal numatytą pardavimo kainoraštį. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Jūsų krepšelis tuščias DocType: Email Digest,New Expenses,Nauja išlaidos -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC suma apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Neįmanoma optimizuoti maršruto, nes trūksta vairuotojo adreso." DocType: Shareholder,Shareholder,Akcininkas DocType: Purchase Invoice,Additional Discount Amount,Papildoma Nuolaida suma @@ -3417,6 +3461,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Techninės priežiūros užduot apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Nustatykite B2C limitus GST nustatymuose. DocType: Marketplace Settings,Marketplace Settings,Marketplace Settings DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Sandėlis, kuriame jūs išlaikyti atsargų atmestų daiktų" +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Skelbti {0} elementus 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,"Negali rasti keitimo kursą {0}, kad {1} rakto dienos {2}. Prašome sukurti valiutos keitykla įrašą rankiniu būdu" DocType: POS Profile,Price List,Kainoraštis 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ų. @@ -3453,6 +3498,7 @@ DocType: Salary Component,Deduction,Atskaita DocType: Item,Retain Sample,Išsaugoti pavyzdį apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Eilutės {0}: Nuo Laikas ir laiko yra privalomas. DocType: Stock Reconciliation Item,Amount Difference,suma skirtumas +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"Šiame puslapyje saugomos prekės, kurias norite nusipirkti iš pardavėjų." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Prekė Kaina pridėta {0} kainoraštis {1} DocType: Delivery Stop,Order Information,Užsakymo informacija apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Prašome įvesti darbuotojo ID Šio pardavimo asmuo @@ -3481,6 +3527,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Vertinimo plano pavadinimas apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Tikslinė informacija apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Taikoma, jei įmonė yra SpA, SApA ar SRL" @@ -3533,7 +3580,6 @@ DocType: Company,Transactions Annual History,Sandorių metinė istorija 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Virš 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 @@ -3587,6 +3633,7 @@ 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ų apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Pelnas už metus 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 @@ -3641,12 +3688,10 @@ DocType: Supplier Scorecard,Scoring Setup,Balų nustatymas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,elektronika 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ų -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Bendrovei nerastas GST Nr. 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 DocType: Question,Single Correct Answer,Vienintelis teisingas atsakymas -DocType: Employee,Contact Details,Kontaktiniai duomenys DocType: C-Form,Received Date,gavo data DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Jei sukūrėte standartinį šabloną pardavimo mokesčius bei rinkliavas ruošiniu, pasirinkite vieną ir spauskite žemiau esantį mygtuką." DocType: BOM Scrap Item,Basic Amount (Company Currency),Pagrindinė suma (Įmonės valiuta) @@ -3676,12 +3721,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM svetainė Operacija DocType: Bank Statement Transaction Payment Item,outstanding_amount,išskirtinis_svoris DocType: Supplier Scorecard,Supplier Score,Tiekėjo balas apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Tvarkaraštis Įėjimas +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Bendra mokėjimo užklausos suma negali būti didesnė nei {0} suma DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kumuliacinis sandorio slenkstis DocType: Promotional Scheme Price Discount,Discount Type,Nuolaidos tipas -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Viso į sąskaitas įtraukto Amt DocType: Purchase Invoice Item,Is Free Item,Yra nemokama prekė +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Procentas, kurį jums leidžiama pervesti daugiau, palyginti su užsakytu kiekiu. Pvz .: Jei užsisakėte 100 vienetų. o jūsų pašalpa yra 10%, tada jums leidžiama pervesti 110 vienetų." DocType: Supplier,Warn RFQs,Perspėti RFQ -apps/erpnext/erpnext/templates/pages/home.html,Explore,tyrinėti +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,tyrinėti DocType: BOM,Conversion Rate,Perskaičiavimo kursas apps/erpnext/erpnext/www/all-products/index.html,Product Search,Prekės paieška ,Bank Remittance,Banko pervedimas @@ -3693,6 +3739,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Visa sumokėta suma DocType: Asset,Insurance End Date,Draudimo pabaigos data apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Prašome pasirinkti Studentų priėmimą, kuris yra privalomas mokamam studento pareiškėjui" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK -YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Biudžeto sąrašas DocType: Campaign,Campaign Schedules,Kampanijos tvarkaraščiai DocType: Job Card Time Log,Completed Qty,užbaigtas Kiekis @@ -3715,6 +3762,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Naujas ad DocType: Quality Inspection,Sample Size,imties dydis apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Prašome įvesti Gavimas dokumentą apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Visos prekės jau išrašyta sąskaita +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Lapai paimti apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Nurodykite tinkamą "Nuo byloje Nr ' 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,"Daugiau kaštų centrai gali būti grupėse, tačiau įrašai gali būti pareikštas ne grupės" 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,Iš viso paskirstytų lapų yra daugiau dienų nei maksimalus {0} darbuotojo {1} atostogų tipo paskirstymas per laikotarpį @@ -3815,6 +3863,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Įtraukti v 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ą DocType: Leave Block List,Allow Users,leisti vartotojams 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: 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ų. @@ -3868,6 +3918,7 @@ DocType: Support Search Source,Result Title Field,Rezultato antraštės laukas apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Skambučių suvestinė DocType: Sample Collection,Collected Time,Surinktas laikas DocType: Employee Skill Map,Employee Skills,Darbuotojų įgūdžiai +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Degalų sąnaudos DocType: Company,Sales Monthly History,Pardavimų mėnesio istorija apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Mokesčių ir rinkliavų lentelėje nurodykite bent vieną eilutę DocType: Asset Maintenance Task,Next Due Date,Kitas terminas @@ -3877,6 +3928,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Gyvybės DocType: Payment Entry,Payment Deductions or Loss,Apmokėjimo Atskaitymai arba nuostolis DocType: Soil Analysis,Soil Analysis Criterias,Dirvožemio analizės kriterijai apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standartinės sutarčių sąlygos pardavimo ar pirkimo. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Eilučių pašalinta per {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Pradėkite registraciją prieš pamainos pradžios laiką (minutėmis) DocType: BOM Item,Item operation,Prekės operacija apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Grupuoti pagal kuponą @@ -3902,11 +3954,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Pajamos Kuponas darbuotojo {0} jau sukurta per šį laikotarpį apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmacijos apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Galite pateikti tik "Inacment" palikimą už galiojančią inkasavimo sumą +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Prekės apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kaina įsigytų daiktų DocType: Employee Separation,Employee Separation Template,Darbuotojų atskyrimo šablonas DocType: Selling Settings,Sales Order Required,Pardavimų užsakymų Reikalinga apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Tapk pardavėju -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Įvykio skaičius, po kurio įvykdoma pasekmė." ,Procurement Tracker,Pirkimų stebėjimo priemonė DocType: Purchase Invoice,Credit To,Kreditas apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC atvirkščiai @@ -3919,6 +3971,7 @@ DocType: Quality Meeting,Agenda,Darbotvarkė DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Priežiūros planas Išsamiau DocType: Supplier Scorecard,Warn for new Purchase Orders,Įspėti apie naujus pirkimo užsakymus DocType: Quality Inspection Reading,Reading 9,Skaitymas 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Prijunkite savo „Exotel“ paskyrą prie „ERPNext“ ir stebėkite skambučių žurnalus DocType: Supplier,Is Frozen,Ar Sušaldyti DocType: Tally Migration,Processed Files,Apdoroti failai apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Grupė mazgas sandėlis neleidžiama pasirinkti sandorius @@ -3928,6 +3981,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,"BOM Nr Dėl gatavo DocType: Upload Attendance,Attendance To Date,Dalyvavimas data 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 @@ -3952,7 +4006,6 @@ DocType: Room,Room Number,Kambario numeris apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Prašytojas apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Neteisingas nuoroda {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Skirtingų reklamos schemų taikymo taisyklės. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) negali būti didesnis nei planuotas kiekis ({2}) Gamybos Užsakyme {3} DocType: Shipping Rule,Shipping Rule Label,Pristatymas taisyklė Etiketė DocType: Journal Entry Account,Payroll Entry,Darbo užmokesčio įrašas apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Žiūrėti mokesčius įrašai @@ -3964,6 +4017,7 @@ DocType: Contract,Fulfilment Status,Įvykdymo būsena DocType: Lab Test Sample,Lab Test Sample,Laboratorinio bandinio pavyzdys DocType: Item Variant Settings,Allow Rename Attribute Value,Leisti pervardyti atributo reikšmę apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Greita leidinys įrašas +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Būsimoji mokėjimo suma apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Jūs negalite keisti greitį, jei BOM minėta agianst bet kurį elementą" DocType: Restaurant,Invoice Series Prefix,Sąskaitų serijos prefiksas DocType: Employee,Previous Work Experience,Ankstesnis Darbo patirtis @@ -3993,6 +4047,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,projekto statusas DocType: UOM,Check this to disallow fractions. (for Nos),Pažymėkite tai norėdami atmesti frakcijas. (Už Nr) DocType: Student Admission Program,Naming Series (for Student Applicant),Pavadinimų serija (Studentų pareiškėjas) +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/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Premijos mokėjimo data negali būti ankstesnė data DocType: Travel Request,Copy of Invitation/Announcement,Kvietimo / skelbimo kopija DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Praktikos tarnybos tarnybų tvarkaraštis @@ -4008,6 +4063,7 @@ DocType: Fiscal Year,Year End Date,Metų pabaigos data DocType: Task Depends On,Task Depends On,Užduotis Priklauso nuo apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,galimybė DocType: Options,Option,Pasirinkimas +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Negalite kurti apskaitos įrašų per uždarą ataskaitinį laikotarpį {0} DocType: Operation,Default Workstation,numatytasis Workstation DocType: Payment Entry,Deductions or Loss,Atskaitymai arba nuostolis apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} yra uždarytas @@ -4016,6 +4072,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Gauk Current Stock DocType: Purchase Invoice,ineligible,netinkamas apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Medis bilis medžiagos +DocType: BOM,Exploded Items,Sprogę daiktai DocType: Student,Joining Date,Prisijungimas data ,Employees working on a holiday,"Darbuotojai, dirbantys atostogų" ,TDS Computation Summary,TDS skaičiavimo santrauka @@ -4048,6 +4105,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Bazinis tarifas (pagal DocType: SMS Log,No of Requested SMS,Ne prašomosios SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Palikite be darbo užmokesčio nesutampa su patvirtintais prašymo suteikti atostogas įrašų apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Tolesni žingsniai +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Išsaugotos prekės DocType: Travel Request,Domestic,Vidaus apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Prašome pateikti nurodytus elementus ne į geriausias įmanomas normas apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Darbuotojų pervedimas negali būti pateiktas prieš pervedimo datą @@ -4101,7 +4159,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Turto Kategorija paskyra apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Reikšmė {0} jau priskirta esamam elementui {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Eilutė # {0} (mokėjimo lentelė): suma turi būti teigiama -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Negali gaminti daugiau Elementą {0} nei pardavimų užsakymų kiekio {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Negali gaminti daugiau Elementą {0} nei pardavimų užsakymų kiekio {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Nieko neįskaičiuota apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,„e-Way Bill“ jau yra šiam dokumentui apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Pasirinkite atributo reikšmes @@ -4136,12 +4194,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Įgalinti skirtingą ankstyvo pasitraukimo pasekmę ,Lab Test Report,Lab testo ataskaita DocType: Employee Benefit Application,Employee Benefit Application,Darbuotojų išmokų prašymas apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Papildomas atlyginimo komponentas egzistuoja. DocType: Purchase Invoice,Unregistered,Neregistruota -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Pirmasis Prašome Važtaraštis DocType: Student Applicant,Application Date,paraiškos pateikimo datos DocType: Salary Component,Amount based on formula,Suma remiantis formulės DocType: Purchase Invoice,Currency and Price List,Valiuta ir Kainoraštis @@ -4170,6 +4226,7 @@ DocType: Purchase Receipt,Time at which materials were received,"Laikas, per kur DocType: Products Settings,Products per Page,Produktai puslapyje 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Paskirta suma negali būti neigiama DocType: Sales Order,Billing Status,atsiskaitymo būsena apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Pranešti apie problemą @@ -4179,6 +4236,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90 Virš 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,Eilutės # {0}: leidinys Įėjimo {1} neturi paskyros {2} arba jau lyginami su kito kuponą DocType: Supplier Scorecard Criteria,Criteria Weight,Kriterijų svoris +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Sąskaita: „{0}“ neleidžiama pagal „Mokėjimo įvedimas“ DocType: Production Plan,Ignore Existing Projected Quantity,Ignoruoti esamą numatomą kiekį apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Palikti patvirtinimo pranešimą DocType: Buying Settings,Default Buying Price List,Numatytasis Ieško Kainų sąrašas @@ -4187,6 +4245,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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" DocType: Payment Entry,Payment Type,Mokėjimo tipas apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Prašome pasirinkti partiją punktas {0}. Nepavyko rasti vieną partiją, kuri atitinka šį reikalavimą" @@ -4216,6 +4275,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Prekių krepšelis Nustat DocType: Journal Entry,Accounting Entries,apskaitos įrašai 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"." +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: Journal Entry,Paid Loan,Mokama paskola 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 @@ -4232,12 +4292,14 @@ DocType: Shopify Settings,Webhooks Details,"Webhooks" duomenys apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Nėra darbo laiko apskaitos žiniaraščiai DocType: GoCardless Mandate,GoCardless Customer,"GoCardless" klientas apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,"Palikite tipas {0}, negali būti atlikti, perduodami" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Prekės kodas> Prekių grupė> Prekės ženklas apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Priežiūra Tvarkaraštis negeneruojama visų daiktų. Prašome spausti "Generuoti grafiką" ,To Produce,Gaminti DocType: Leave Encashment,Payroll,Darbo užmokesčio 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","Dėl eilės {0} iš {1}. Įtraukti {2} prekės norma, eilutės {3} taip pat turi būti įtraukti" DocType: Healthcare Service Unit,Parent Service Unit,Tėvų tarnybos skyrius DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikavimas pakuotės už pristatymą (spausdinimui) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Paslaugų lygio sutartis buvo nustatyta iš naujo. DocType: Bin,Reserved Quantity,reserved Kiekis apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,"Prašome įvesti galiojantį elektroninio pašto adresą," apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,"Prašome įvesti galiojantį elektroninio pašto adresą," @@ -4259,7 +4321,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Kainos ar produkto nuolaida apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Eilutėje {0}: įveskite numatytą kiekį DocType: Account,Income Account,pajamų sąskaita -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klientas> Klientų grupė> Teritorija DocType: Payment Request,Amount in customer's currency,Suma kliento valiuta apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,pristatymas apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Priskiriamos struktūros ... @@ -4282,6 +4343,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Jūs prarasite ankstesnių sąskaitų faktūrų įrašus. Ar tikrai norite iš naujo paleisti šį prenumeratą? @@ -4337,11 +4399,10 @@ DocType: Additional Salary,HR User,HR Vartotojas DocType: Bank Guarantee,Reference Document Name,Pamatinio dokumento pavadinimas DocType: Purchase Invoice,Taxes and Charges Deducted,Mokesčiai ir rinkliavos Išskaityta DocType: Support Settings,Issues,Problemos -DocType: Shift Type,Early Exit Consequence after,Ankstyvo pasitraukimo pasekmė po DocType: Loyalty Program,Loyalty Program Name,Lojalumo programos pavadinimas apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Statusas turi būti vienas iš {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Priminimas atnaujinti išsiųstą GSTIN -DocType: Sales Invoice,Debit To,debeto +DocType: Discounted Invoice,Debit To,debeto DocType: Restaurant Menu Item,Restaurant Menu Item,Restorano meniu punktas DocType: Delivery Note,Required only for sample item.,Reikalinga tik imties elemento. DocType: Stock Ledger Entry,Actual Qty After Transaction,Tikrasis Kiekis Po Sandorio @@ -4424,6 +4485,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Parametro pavadinima apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,gali būti pateiktas palikti tik programas su statusu "Patvirtinta" ir "Atmesta" apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Kuriami aspektai ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Studentų grupės pavadinimas yra privalomas eilės {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Apeiti kredito limitą DocType: Homepage,Products to be shown on website homepage,Produktai turi būti rodomas svetainės puslapyje DocType: HR Settings,Password Policy,Slaptažodžio politika apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Tai yra šaknis klientas grupė ir negali būti pakeisti. @@ -4471,10 +4533,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Jeig apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Nustatykite numatytąjį klientą Restoranų nustatymuose ,Salary Register,Pajamos Registruotis DocType: Company,Default warehouse for Sales Return,"Numatytasis sandėlis, skirtas pardavimui" -DocType: Warehouse,Parent Warehouse,tėvų sandėlis +DocType: Pick List,Parent Warehouse,tėvų sandėlis DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Apibrėžti įvairių paskolų tipų DocType: Bin,FCFS Rate,FCFS Balsuok @@ -4511,6 +4573,7 @@ DocType: Travel Itinerary,Lodging Required,Būtinas būstas DocType: Promotional Scheme,Price Discount Slabs,Kainų nuolaidų plokštės DocType: Stock Reconciliation Item,Current Serial No,Dabartinis serijos Nr DocType: Employee,Attendance and Leave Details,Lankomumas ir atostogų duomenys +,BOM Comparison Tool,BOM palyginimo įrankis ,Requested,prašoma apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,nėra Pastabos DocType: Asset,In Maintenance,Priežiūra @@ -4533,6 +4596,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Numatytasis paslaugų lygio susitarimas DocType: SG Creation Tool Course,Course Code,Dalyko kodas apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Neleidžiama daugiau nei vieno {0} pasirinkimo +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Dėl žaliavų kiekio bus nuspręsta pagal gatavų prekių kiekį DocType: Location,Parent Location,Tėvų vieta DocType: POS Settings,Use POS in Offline Mode,Naudokite POS neprisijungus apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prioritetas buvo pakeistas į {0}. @@ -4551,7 +4615,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Mėginio saugojimo sandėlis DocType: Company,Default Receivable Account,Numatytasis Gautinos sąskaitos apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Projektuojamo kiekio formulė DocType: Sales Invoice,Deemed Export,Laikomas eksportas -DocType: Stock Entry,Material Transfer for Manufacture,Medžiagos pernešimas gamybai +DocType: Pick List,Material Transfer for Manufacture,Medžiagos pernešimas gamybai 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.,Nuolaida procentas gali būti taikomas bet prieš kainoraštis arba visų kainų sąrašas. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Apskaitos įrašas už Sandėlyje DocType: Lab Test,LabTest Approver,"LabTest" patvirtintojai @@ -4594,7 +4658,6 @@ DocType: Training Event,Theory,teorija apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Įspėjimas: Medžiaga Prašoma Kiekis yra mažesnis nei minimalus užsakymas Kiekis apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Sąskaita {0} yra sušaldyti DocType: Quiz Question,Quiz Question,Viktorinos klausimas -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tiekėjas> Tiekėjo tipas 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" @@ -4625,6 +4688,7 @@ DocType: Antibiotic,Healthcare Administrator,Sveikatos priežiūros administrato 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 DocType: Account,Expense Account,Kompensuojamos paskyra apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,programinė įranga apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Spalva @@ -4663,6 +4727,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Tvarkyti Pardavim 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 DocType: Fee Validity,Visited yet,Aplankė dar +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Galite pasižymėti net 8 elementais. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Sandėliai su esamais sandoris negali būti konvertuojamos į grupę. 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. @@ -4670,7 +4735,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4695,7 +4759,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM konversija val DocType: Contract,Signee Details,Signee detalės apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} šiuo metu turi {1} tiekėjų rezultatų kortelę, o šio tiekėjo RFQ turėtų būti pateikiama atsargiai." DocType: Certified Consultant,Non Profit Manager,Ne pelno administratorius -DocType: BOM,Total Cost(Company Currency),Iš viso išlaidų (Įmonės valiuta) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serijos Nr {0} sukūrė DocType: Homepage,Company Description for website homepage,Įmonės aprašymas interneto svetainės pagrindiniame puslapyje DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Dėl klientų patogumui, šie kodai gali būti naudojami spausdinimo formatus, pavyzdžiui, sąskaitose ir važtaraščiuose" @@ -4724,7 +4787,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Pirkimo k DocType: Amazon MWS Settings,Enable Scheduled Synch,Įgalinti numatytą sinchronizavimą apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Norėdami datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Rąstai išlaikyti sms būsenos -DocType: Shift Type,Early Exit Consequence,Ankstyvo pasitraukimo pasekmė DocType: Accounts Settings,Make Payment via Journal Entry,Atlikti mokėjimą per žurnalo įrašą apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Nesukurkite daugiau nei 500 daiktų vienu metu apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Atspausdinta ant @@ -4781,6 +4843,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,riba Crossed 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 +DocType: Plaid Settings,Plaid Secret,Pledo paslaptis DocType: Company,Date of Establishment,Įkūrimo data apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital " apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akademinis terminas su šia "Akademinio metų" {0} ir "Terminas Vardas" {1} jau egzistuoja. Prašome pakeisti šiuos įrašus ir pabandykite dar kartą. @@ -4843,6 +4906,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Kliento tipas DocType: Compensatory Leave Request,Leave Allocation,Palikite paskirstymas DocType: Payment Request,Recipient Message And Payment Details,Gavėjas pranešimą ir Mokėjimo informacija +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Prašome pasirinkti važtaraštį DocType: Support Search Source,Source DocType,Šaltinis DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Atidarykite naują bilietą DocType: Training Event,Trainer Email,treneris paštas @@ -4965,6 +5029,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""Nuo datos"" turi būti po ""Iki datos""" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Nė vienas personalo planas nerasta tokio pavadinimo apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Prekės {1} partija {0} išjungta. @@ -4986,7 +5051,7 @@ DocType: Clinical Procedure,Patient,Pacientas apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Atidaryti kredito patikrą Pardavimų užsakymas DocType: Employee Onboarding Activity,Employee Onboarding Activity,Darbuotojų laivybos veikla DocType: Location,Check if it is a hydroponic unit,"Patikrinkite, ar tai hidroponinis blokas" -DocType: Stock Reconciliation Item,Serial No and Batch,Serijos Nr paketais +DocType: Pick List Item,Serial No and Batch,Serijos Nr paketais DocType: Warranty Claim,From Company,iš Company DocType: GSTR 3B Report,January,Sausio mėn apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Suma balais vertinimo kriterijai turi būti {0}. @@ -5011,7 +5076,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Nuolaida 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nebuvo nustatyta {0} "Inter" kompanijos sandoriams. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,kredito_note_amtas 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/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 @@ -5044,11 +5108,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Išlaidų ce 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,likęs DocType: Appraisal,Appraisal,įvertinimas DocType: Loan,Loan Account,Paskolos sąskaita apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Galiojantys ir galiojantys viršutiniai laukai yra privalomi kaupiamiesiems +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Prekės {0}, esančios {1} eilutėje, serijos numerių skaičius nesutampa su pasirinktu kiekiu" DocType: Purchase Invoice,GST Details,GST duomenys apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Tai grindžiama sandoriais su šia sveikatos priežiūros specialybe. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Paštas išsiųstas tiekėjo {0} @@ -5112,6 +5178,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bendras svoris pakuotės. Paprastai neto masė + pakavimo medžiagos svorio. (Spausdinimo) DocType: Assessment Plan,Program,programa DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Vartotojai, turintys šį vaidmenį yra leidžiama nustatyti įšaldytas sąskaitas ir sukurti / pakeisti apskaitos įrašus prieš įšaldytų sąskaitų" +DocType: Plaid Settings,Plaid Environment,Pledinė aplinka ,Project Billing Summary,Projekto atsiskaitymo suvestinė DocType: Vital Signs,Cuts,Gabalai DocType: Serial No,Is Cancelled,Ar atšauktas @@ -5174,7 +5241,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Pastaba: sistema netikrins per pristatymą ir per metu už prekę {0} kaip kiekis ar visa suma yra 0 DocType: Issue,Opening Date,atidarymo data apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Pirmiausia išsaugokite pacientą -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Užmegzkite naują kontaktą apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Žiūrovų buvo pažymėta sėkmingai. DocType: Program Enrollment,Public Transport,Viešasis transportas DocType: Sales Invoice,GST Vehicle Type,GST automobilio tipas @@ -5200,6 +5266,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Vekseliai i 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Pirmiausia pridėkite elementus elementų vietų lentelėje DocType: Pricing Rule,Discount Amount,Nuolaida suma DocType: Pricing Rule,Period Settings,Laikotarpio nustatymai DocType: Purchase Invoice,Return Against Purchase Invoice,Grįžti Against pirkimo faktūros @@ -5232,7 +5299,6 @@ DocType: Assessment Plan,Assessment Plan,vertinimo planas DocType: Travel Request,Fully Sponsored,Visiškai remiama apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Atvirkštinis žurnalo įrašas apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Sukurkite darbo kortelę -DocType: Shift Type,Consequence after,Pasekmė po DocType: Quality Procedure Process,Process Description,Proceso aprašymas apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Klientas {0} sukurtas. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Šiuo metu nėra nei viename sandėlyje. @@ -5267,6 +5333,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Sąskaitų data DocType: Delivery Settings,Dispatch Notification Template,Išsiuntimo pranešimo šablonas apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Vertinimo ataskaita apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Gaukite darbuotojų +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 @@ -5395,7 +5462,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Tai yra šaknų pardavimo asmuo ir negali būti pakeisti. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jei pasirinkta, nenurodyti arba apskaičiuojama šio komponento vertė nebus prisidedama prie savo uždarbio ar atskaitymų. Tačiau, tai vertė gali būti nurodoma kitų komponentų, kurie gali būti pridedamos arba atimamos." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jei pasirinkta, nenurodyti arba apskaičiuojama šio komponento vertė nebus prisidedama prie savo uždarbio ar atskaitymų. Tačiau, tai vertė gali būti nurodoma kitų komponentų, kurie gali būti pridedamos arba atimamos." -DocType: Asset Settings,Number of Days in Fiscal Year,Dienų skaičius fiskaliniais metais ,Stock Ledger,akcijų Ledgeris DocType: Company,Exchange Gain / Loss Account,Valiutų Pelnas / nuostolis paskyra DocType: Amazon MWS Settings,MWS Credentials,MWS įgaliojimai @@ -5431,6 +5497,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Stulpelis banko byloje apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Palikite paraišką {0} jau prieš studentą {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Kviečiame atnaujinti naujausią kainą visame medžiagų sąraše. Tai gali užtrukti kelias minutes. +DocType: Pick List,Get Item Locations,Gaukite prekės vietas apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Pavadinimas naują paskyrą. Pastaba: nekurkite sąskaitas klientai ir tiekėjai DocType: POS Profile,Display Items In Stock,Rodyti daiktus sandėlyje apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Šalis protinga numatytasis adresas Šablonai @@ -5454,6 +5521,7 @@ DocType: Crop,Materials Required,Reikalingos medžiagos apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Studentai Surasta DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Mėnesio HRA atleidimas DocType: Clinical Procedure,Medical Department,Medicinos skyrius +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Bendras ankstyvas pasitraukimas DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Tiekėjo vertinimo rezultatų vertinimo kriterijai apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Sąskaita Siunčiamos data apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Parduoti @@ -5465,11 +5533,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ištrinkite darbuotoją {0} \, kad galėtumėte atšaukti šį dokumentą" DocType: Program Enrollment,School House,Mokykla Namas DocType: Serial No,Out of AMC,Iš AMC DocType: Opportunity,Opportunity Amount,Galimybių suma +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Tavo profilis apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Taškų nuvertinimai REZERVUOTA negali būti didesnis nei bendras skaičius nuvertinimai DocType: Purchase Order,Order Confirmation Date,Užsakymo patvirtinimo data DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5563,7 +5630,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Yra neatitikimų tarp normos, akcijų nėra ir apskaičiuotos sumos" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Jūs neturite visos dienos (-ių) tarp kompensuojamųjų atostogų prašymo dienų apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Prašome iš naujo tipo įmonės pavadinimas patvirtinti -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Visos negrąžintos Amt DocType: Journal Entry,Printing Settings,Spausdinimo nustatymai DocType: Payment Order,Payment Order Type,Mokėjimo pavedimo tipas DocType: Employee Advance,Advance Account,Išankstinė sąskaita @@ -5652,7 +5718,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,metai Vardas apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Yra daugiau švenčių nei darbo dienas šį mėnesį. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Šie elementai {0} nėra pažymėti {1} elementu. Galite įgalinti juos kaip {1} elementą iš jo "Item master" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Nuoroda DocType: Production Plan Item,Product Bundle Item,Prekės Rinkinys punktas DocType: Sales Partner,Sales Partner Name,Partneriai pardavimo Vardas apps/erpnext/erpnext/hooks.py,Request for Quotations,Prašymas citatos @@ -5661,7 +5726,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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ą -apps/erpnext/erpnext/config/hr.py,Leaves,Lapai +DocType: Leave Ledger Entry,Leaves,Lapai DocType: Student Language,Student Language,Studentų kalba DocType: Cash Flow Mapping,Is Working Capital,Ar apyvartinis kapitalas apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Pateikite įrodymą @@ -5669,12 +5734,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Užsakymas / quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Įrašykite Pacientų Vital DocType: Fee Schedule,Institution,institucija -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: Asset,Partially Depreciated,dalinai nudėvimas DocType: Issue,Opening Time,atidarymo laikas apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,"Iš ir į datas, reikalingų" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Vertybinių popierių ir prekių biržose -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Skambučių suvestinė iki {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Dokumentų paieška apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Numatytasis vienetas priemonė variantas "{0}" turi būti toks pat, kaip Šablonas "{1}"" DocType: Shipping Rule,Calculate Based On,Apskaičiuoti remiantis @@ -5721,6 +5784,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Didžiausia leistina vertė 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 DocType: Lab Test Template,Sensitivity,Jautrumas DocType: Plaid Settings,Plaid Settings,Pledo nustatymai apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Sinchronizavimas buvo laikinai išjungtas, nes maksimalūs bandymai buvo viršyti" @@ -5738,6 +5802,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Prašome pasirinkti Skelbimo data pirmas apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Atidarymo data turėtų būti prieš uždarant data DocType: Travel Itinerary,Flight,Skrydis +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Grįžti namo DocType: Leave Control Panel,Carry Forward,Tęsti apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Kaina centras su esamais sandoriai negali būti konvertuojamos į sąskaitų knygos DocType: Budget,Applicable on booking actual expenses,Taikoma užsakant faktines išlaidas @@ -5794,6 +5859,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Sukurti citatą apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Jūs nesate įgaliotas tvirtinti lapus Block Datos apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} {1} užklausa apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Visi šie elementai jau buvo sąskaitoje +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Nerasta neapmokėtų {0} {1} sąskaitų, kurios atitiktų jūsų nurodytus filtrus." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Nustatyti naują išleidimo datą DocType: Company,Monthly Sales Target,Mėnesio pardavimo tikslai apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nerasta neapmokėtų sąskaitų @@ -5841,6 +5907,7 @@ DocType: Batch,Source Document Name,Šaltinis Dokumento pavadinimas DocType: Batch,Source Document Name,Šaltinis Dokumento pavadinimas DocType: Production Plan,Get Raw Materials For Production,Gauk žaliavą gamybai DocType: Job Opening,Job Title,Darbo pavadinimas +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Ateities mokėjimo nuoroda apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} rodo, kad {1} nepateiks citatos, bet visi daiktai \ "buvo cituoti. RFQ citatos statuso atnaujinimas." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Didžiausi mėginiai - {0} jau buvo išsaugoti paketui {1} ir elementui {2} partijoje {3}. @@ -5851,12 +5918,10 @@ 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: Company,Product Code,Prekės kodas DocType: Quality Review Table,Objective,Tikslas DocType: Supplier Scorecard,Per Month,Per mėnesį DocType: Education Settings,Make Academic Term Mandatory,Padaryti akademinį terminą privaloma -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,"Kiekis, Gamyba turi būti didesnis nei 0." -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,"Apskaičiuokite apskaičiuotą nusidėvėjimo planą, pagrįstą fiskaliniais metais" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,"Kiekis, Gamyba turi būti didesnis nei 0." apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Aplankykite ataskaitą priežiūros skambučio. DocType: Stock Entry,Update Rate and Availability,Atnaujinti Įvertinti ir prieinamumas 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.,"Procentas jums leidžiama gauti arba pristatyti daugiau prieš užsakyto kiekio. Pavyzdžiui: Jei užsisakėte 100 vienetų. ir jūsų pašalpa yra 10%, tada jums yra leidžiama gauti 110 vienetų." @@ -5868,7 +5933,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Išleidimo data turi būti ateityje DocType: BOM,Website Description,Interneto svetainė Aprašymas apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Grynasis pokytis nuosavo kapitalo -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Prašome anuliuoti sąskaitą-faktūrą {0} pirmas apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Neleistina. Prašome išjungti paslaugų bloko tipą apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Pašto adresas turi būti unikalus, jau egzistuoja {0}" DocType: Serial No,AMC Expiry Date,AMC Galiojimo data @@ -5912,6 +5976,7 @@ DocType: Pricing Rule,Price Discount Scheme,Kainų nuolaidų schema apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Techninės priežiūros statusas turi būti atšauktas arba baigtas pateikti DocType: Amazon MWS Settings,US,JAV DocType: Holiday List,Add Weekly Holidays,Pridėti savaitgalio atostogas +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Pranešti apie prekę DocType: Staffing Plan Detail,Vacancies,Laisvos darbo vietos DocType: Hotel Room,Hotel Room,Viešbučio kambarys apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Sąskaita {0} nėra siejamas su kompanijos {1} @@ -5963,12 +6028,15 @@ DocType: Email Digest,Open Quotations,Atidaryti citatos 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ištrinkite darbuotoją {0} \, kad galėtumėte atšaukti šį dokumentą" 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 @@ -5982,6 +6050,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Laisva DocType: Patient,Alcohol Past Use,Alkoholio praeities vartojimas DocType: Fertilizer Content,Fertilizer Content,Trąšų turinys +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Nėra aprašymo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,kr DocType: Tax Rule,Billing State,atsiskaitymo valstybė DocType: Quality Goal,Monitoring Frequency,Stebėjimo dažnis @@ -5999,6 +6068,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Baigiasi Nuo datos negali būti prieš Next Contact Date. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Partijos įrašai DocType: Journal Entry,Pay To / Recd From,Apmokėti / Recd Nuo +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Panaikinti elemento paskelbimą DocType: Naming Series,Setup Series,Sąranka serija DocType: Payment Reconciliation,To Invoice Date,Norėdami sąskaitos faktūros išrašymo data DocType: Bank Account,Contact HTML,Susisiekite su HTML @@ -6020,6 +6090,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Mažmeninė DocType: Student Attendance,Absent,Nėra DocType: Staffing Plan,Staffing Plan Detail,Personalo plano detalės DocType: Employee Promotion,Promotion Date,Reklamos data +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Atostogų paskirstymas% s yra susietas su atostogų paraiška% s 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} @@ -6054,9 +6125,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Sąskaita {0} nebėra DocType: Guardian Interest,Guardian Interest,globėjas Palūkanos DocType: Volunteer,Availability,Prieinamumas +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Prašymas dėl atostogų yra susietas su atostogų paskirstymu {0}. Prašymas dėl atostogų negali būti laikomas atostogomis be užmokesčio apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Nustatykite POS sąskaitų faktūrų numatytasis vertes DocType: Employee Training,Training,mokymas DocType: Project,Time to send,Laikas siųsti +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Šis puslapis stebi jūsų prekes, kuriomis pirkėjai susidomėjo." DocType: Timesheet,Employee Detail,Darbuotojų detalės apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Nustatykite sandėlį procedūrai {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 E-mail ID @@ -6157,12 +6230,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,atidarymo kaina DocType: Salary Component,Formula,formulė apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serijinis # -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: 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/setup/doctype/company/company.py,Sales Account,Pardavimų sąskaita DocType: Purchase Invoice Item,Total Weight,Bendras svoris +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}" @@ -6186,6 +6259,7 @@ DocType: Company,Default Employee Advance Account,Numatytasis darbuotojo išanks apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Paieškos elementas ("Ctrl" + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Sąskaita su esamais sandoris negali būti išbrauktas +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,"Kodėl, jūsų manymu, šis punktas turėtų būti pašalintas?" DocType: Vehicle,Last Carbon Check,Paskutinis Anglies Atvykimas apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,teisinės išlaidos apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Prašome pasirinkti kiekį ant eilėje @@ -6205,6 +6279,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Palaužti DocType: Travel Itinerary,Vegetarian,Vegetaras DocType: Patient Encounter,Encounter Date,Susitikimo data +DocType: Work Order,Update Consumed Material Cost In Project,Atnaujinkite suvartotų medžiagų sąnaudas projekte apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Sąskaita: {0} su valiutos: {1} negalima pasirinkti DocType: Bank Statement Transaction Settings Item,Bank Data,Banko duomenys DocType: Purchase Receipt Item,Sample Quantity,Mėginių kiekis @@ -6259,7 +6334,7 @@ DocType: GSTR 3B Report,April,Balandis 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Pastaba: Prekės {0} įvesta kelis kartus +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Pastaba: Prekės {0} įvesta kelis kartus apps/erpnext/erpnext/config/buying.py,All Contacts.,Visi kontaktai. DocType: Accounting Period,Closed Documents,Uždaryti dokumentai 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ą @@ -6341,9 +6416,7 @@ DocType: Member,Membership Type,Narystės tipas ,Reqd By Date,Reqd Pagal datą apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,kreditoriai DocType: Assessment Plan,Assessment Name,vertinimas Vardas -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Rodyti PDC spausdintuvu apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Eilutės # {0}: Serijos Nr privaloma -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Nerasta neapmokėtų {0} {1} sąskaitų faktūrų. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Prekė Išminčius Mokesčių detalės DocType: Employee Onboarding,Job Offer,Darbo pasiūlymas apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,institutas santrumpa @@ -6402,6 +6475,7 @@ DocType: Serial No,Out of Warranty,Iš Garantija DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Įrašytas duomenų tipas DocType: BOM Update Tool,Replace,pakeisti apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Nėra prekių nerasta. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Paskelbkite daugiau elementų apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Ši paslaugų lygio sutartis yra konkreti klientui {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} prieš pardavimo sąskaita-faktūra {1} DocType: Antibiotic,Laboratory User,Laboratorijos naudotojas @@ -6423,7 +6497,6 @@ DocType: Payment Order Reference,Bank Account Details,Banko sąskaitos duomenys DocType: Purchase Order Item,Blanket Order,Antklodžių ordinas 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Gamybos užsakymas buvo {0} DocType: BOM Item,BOM No,BOM Nėra 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 @@ -6497,6 +6570,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Išorės apmokestinamosios prekės (nulis įvertintas) DocType: BOM,Materials Required (Exploded),"Medžiagų, reikalingų (Išpjovinė)" 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/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 @@ -6554,7 +6628,6 @@ DocType: Pricing Rule,Same Item,Ta pati prekė DocType: Stock Ledger Entry,Stock Ledger Entry,Akcijų Ledgeris įrašas DocType: Quality Action Resolution,Quality Action Resolution,Kokybės veiksmų sprendimas apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} per pusę dienos Išeiti {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Tas pats daiktas buvo įvesta kelis kartus DocType: Department,Leave Block List,Palikite Blokuoti sąrašas DocType: Purchase Invoice,Tax ID,Mokesčių ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Prekė {0} nėra setup Serijos Nr. Skiltis turi būti tuščias @@ -6592,7 +6665,7 @@ DocType: Cheque Print Template,Distance from top edge,Atstumas nuo viršutinio k 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 DocType: Purchase Invoice,Return,sugrįžimas -DocType: Accounting Dimension,Disable,išjungti +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ą DocType: Task,Pending Review,kol apžvalga apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Visame puslapyje redaguokite daugiau pasirinkčių, pvz., Turto, serijos numerių, siuntų ir pan." @@ -6706,7 +6779,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Kombinuota sąskaitos faktūros dalis turi būti lygi 100% DocType: Item Default,Default Expense Account,Numatytasis išlaidų sąskaita DocType: GST Account,CGST Account,CGST sąskaita -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Prekės kodas> Prekių grupė> Prekės ženklas apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Studentų E-mail ID DocType: Employee,Notice (days),Pranešimas (dienų) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS uždarymo balso sąskaitos faktūros @@ -6717,6 +6789,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Pasirinkite elementus išsaugoti sąskaitą faktūrą DocType: Employee,Encashment Date,išgryninimo data DocType: Training Event,Internet,internetas +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Informacija apie pardavėją DocType: Special Test Template,Special Test Template,Specialusis bandomasis šablonas DocType: Account,Stock Adjustment,vertybinių popierių reguliavimas apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Numatytasis Veiklos sąnaudos egzistuoja veiklos rūšis - {0} @@ -6729,7 +6802,6 @@ 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 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" -DocType: Company,Bank Remittance Settings,Banko perlaidų nustatymai apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Vidutinė norma 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" @@ -6757,6 +6829,7 @@ DocType: Grading Scale Interval,Threshold,Slenkstis apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtruoti darbuotojus pagal (neprivaloma) DocType: BOM Update Tool,Current BOM,Dabartinis BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Balansas (dr - cr) +DocType: Pick List,Qty of Finished Goods Item,Gatavos prekės kiekis apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Pridėti Serijos Nr DocType: Work Order Item,Available Qty at Source Warehouse,Turimas Kiekis prie šaltinio Warehouse apps/erpnext/erpnext/config/support.py,Warranty,garantija @@ -6835,7 +6908,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Čia galite išsaugoti ūgį, svorį, alergijos, medicinos problemas ir tt" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Kuriamos paskyros ... DocType: Leave Block List,Applies to Company,Taikoma Company -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Negali atšaukti, nes pateiktas sandėlyje Įėjimo {0} egzistuoja" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Negali atšaukti, nes pateiktas sandėlyje Įėjimo {0} egzistuoja" DocType: Loan,Disbursement Date,išmokėjimas data DocType: Service Level Agreement,Agreement Details,Informacija apie sutartį apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Sutarties pradžios data negali būti didesnė ar lygi pabaigos datai. @@ -6844,6 +6917,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medicininis įrašas DocType: Vehicle,Vehicle,transporto priemonė DocType: Purchase Invoice,In Words,Žodžiais +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Iki šios datos turi būti anksčiau apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,"Prieš pateikdami, įveskite banko ar skolinančios įstaigos pavadinimą." apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} turi būti pateiktas DocType: POS Profile,Item Groups,Prekė Grupės @@ -6916,7 +6990,6 @@ DocType: Customer,Sales Team Details,Sales Team detalės apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Ištrinti visam laikui? DocType: Expense Claim,Total Claimed Amount,Iš viso ieškinių suma apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Galimas galimybės pardavinėti. -DocType: Plaid Settings,Link a new bank account,Susiekite naują banko sąskaitą apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} yra netinkama lankomumo būsena. DocType: Shareholder,Folio no.,Folio Nr. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Neteisingas {0} @@ -6932,7 +7005,6 @@ DocType: Production Plan,Material Requested,Prašoma medžiaga DocType: Warehouse,PIN,PIN kodas DocType: Bin,Reserved Qty for sub contract,Rezervuota Kiekis pagal subrangos sutartį DocType: Patient Service Unit,Patinet Service Unit,Patinet aptarnavimo skyrius -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Sukurti tekstinį failą DocType: Sales Invoice,Base Change Amount (Company Currency),Bazinė Pakeisti Suma (Įmonės valiuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Nieko apskaitos įrašai šiuos sandėlius apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Tik {0} prekės vienetui {1} @@ -6946,6 +7018,7 @@ DocType: Item,No of Months,Mėnesių skaičius DocType: Item,Max Discount (%),Maksimali nuolaida (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Kreditų dienos negali būti neigiamas skaičius apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Įkelkite pareiškimą +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Pranešti apie šį elementą DocType: Purchase Invoice Item,Service Stop Date,Paslaugos sustabdymo data apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Paskutinė užsakymo suma DocType: Cash Flow Mapper,e.g Adjustments for:,"pvz., koregavimai:" @@ -7039,16 +7112,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Darbuotojų atleidimo nuo mokesčių kategorija apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Suma neturi būti mažesnė už nulį. DocType: Sales Invoice,C-Form Applicable,"C-formos, taikomos" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Operacijos metu turi būti didesnis nei 0 darbui {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Operacijos metu turi būti didesnis nei 0 darbui {0} DocType: Support Search Source,Post Route String,Pašto maršruto eilutė apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Sandėlių yra privalomi apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Nepavyko sukurti svetainės DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM konversijos detalės apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Priėmimas ir priėmimas -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Sulaikymo atsargų įrašas jau sukurtas arba nepateiktas mėginio kiekis +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Sulaikymo atsargų įrašas jau sukurtas arba nepateiktas mėginio kiekis DocType: Program,Program Abbreviation,programos santrumpa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Gamybos nurodymas negali būti iškeltas prieš Prekės Šablonas apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupė pagal kuponą (konsoliduota) DocType: HR Settings,Encrypt Salary Slips in Emails,Užšifruokite atlyginimų lapelius el. Laiškuose DocType: Question,Multiple Correct Answer,Keli teisingi atsakymai @@ -7095,7 +7167,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Neįvertinta arba jai ne DocType: Employee,Educational Qualification,edukacinė kvalifikacija DocType: Workstation,Operating Costs,Veiklos sąnaudos apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Valiuta {0} turi būti {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Įvažiavimo malonės periodo pasekmė DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Pažymėkite dalyvavimą pagal „Employee Checkin“ darbuotojams, priskirtiems šiai pamainai." DocType: Asset,Disposal Date,Atliekų data DocType: Service Level,Response and Resoution Time,Reakcijos ir atkūrimo laikas @@ -7144,6 +7215,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,užbaigimo data DocType: Purchase Invoice Item,Amount (Company Currency),Suma (Įmonės valiuta) DocType: Program,Is Featured,Pasižymi +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Gaunama ... DocType: Agriculture Analysis Criteria,Agriculture User,Žemės ūkio naudotojas apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Galioja iki datos negali būti prieš sandorio datą apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} vienetai {1} reikia {2} į {3} {4} ir {5} užbaigti šį sandorį. @@ -7176,7 +7248,6 @@ DocType: Student,B+,B+ 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Visų mokamų Amt 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" @@ -7200,6 +7271,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anoniminis apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Gautas nuo DocType: Lead,Converted,Perskaičiuotas DocType: Item,Has Serial No,Turi Serijos Nr +DocType: Stock Entry Detail,PO Supplied Item,PO tiekiama prekė 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} @@ -7314,7 +7386,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,"Synch" mokesčia 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Numatytasis BOM už {0} nerastas +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į apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Bakstelėkite elementus įtraukti juos čia @@ -7350,7 +7422,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,priežiūra data DocType: Purchase Invoice Item,Rejected Serial No,Atmesta Serijos Nr apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Metų pradžios datą arba pabaigos data sutampa su {0}. Norėdami išvengti nustatykite įmonę -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Prašome paminėti švino pavadinimą pirmaujančioje {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Pradžios data turėtų būti mažesnis nei pabaigos datos punkte {0} DocType: Shift Type,Auto Attendance Settings,Automatinio lankymo nustatymai @@ -7360,9 +7431,11 @@ DocType: Upload Attendance,Upload Attendance,Įkelti Lankomumas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM ir gamyba Kiekis yra privalomi apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Senėjimas klasės 2 DocType: SG Creation Tool Course,Max Strength,Maksimali jėga +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Paskyra {0} jau yra vaikų bendrovėje {1}. Šie laukai turi skirtingas reikšmes, jie turėtų būti vienodi:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Iš anksto įdiegti DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Kliento pasirinkta pristatymo pastaba () +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Eilučių pridėta {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Darbuotojas {0} neturi didžiausios naudos sumos apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Pasirinkite elementus pagal pristatymo datą DocType: Grant Application,Has any past Grant Record,Turi bet kokį ankstesnį "Grant Record" @@ -7408,6 +7481,7 @@ DocType: Fees,Student Details,Studento duomenys DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".","Tai yra numatytasis UOM, naudojamas elementams ir pardavimo užsakymams. Atsarginis UOM yra „Nos“." DocType: Purchase Invoice Item,Stock Qty,akcijų Kiekis DocType: Purchase Invoice Item,Stock Qty,akcijų Kiekis +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 DocType: Loan,Repayment Period in Months,Grąžinimo laikotarpis mėnesiais @@ -7436,6 +7510,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise nuolaida apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Lapą užduotims. DocType: Purchase Invoice,Against Expense Account,Prieš neskaičiuojantiems apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Įrengimas Pastaba {0} jau buvo pateikta +DocType: BOM,Raw Material Cost (Company Currency),Žaliavos kaina (įmonės valiuta) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},"Namo nuoma, apmokama dienomis, sutampančiomis su {0}" DocType: GSTR 3B Report,October,Spalio mėn DocType: Bank Reconciliation,Get Payment Entries,Gauk Apmokėjimas įrašai @@ -7483,15 +7558,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Reikia naudoti datą DocType: Request for Quotation,Supplier Detail,tiekėjas detalės apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Klaida formulę ar būklės: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Sąskaitoje suma +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Sąskaitoje suma apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kriterijų svoriai turi sudaryti iki 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,lankomumas apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,atsargos DocType: Sales Invoice,Update Billed Amount in Sales Order,Atnaujinti apmokestinamąją sumą pardavimo užsakyme +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Susisiekite su pardavėju 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Žodžiais bus matomas, kai jūs išgelbėti pirkimo pavedimu." @@ -7505,6 +7582,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Kainų sąrašas meistras. DocType: Task,Review Date,peržiūros data DocType: BOM,Allow Alternative Item,Leisti alternatyvų elementą +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Pirkimo kvite nėra elementų, kuriems įgalintas „Retain Sample“." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Sąskaita faktūra iš viso DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Turto nusidėvėjimo įrašas (žurnalo įrašas) DocType: Membership,Member Since,Narys nuo @@ -7514,6 +7592,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Dėl grynuosius 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},Vertė Attribute {0} turi būti intervale {1} ir {2} į žingsniais {3} už prekę {4} DocType: Pricing Rule,Product Discount Scheme,Produkto nuolaidų schema +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Skambinantysis nekėlė jokių problemų. DocType: Restaurant Reservation,Waitlisted,Waitlisted DocType: Employee Tax Exemption Declaration Category,Exemption Category,Išimties kategorija apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Valiuta negali būti pakeistas po to, kai įrašus naudojant kai kita valiuta" @@ -7527,7 +7606,6 @@ DocType: Customer Group,Parent Customer Group,Tėvų Klientų grupė apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,„e-Way Bill JSON“ gali būti generuojamas tik iš pardavimo sąskaitos apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Pasiektas maksimalus šios viktorinos bandymas! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Prenumerata -DocType: Purchase Invoice,Contact Email,kontaktinis elektroninio pašto adresas apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Mokesčio kūrimas laukiamas DocType: Project Template Task,Duration (Days),Trukmė (dienomis) DocType: Appraisal Goal,Score Earned,balas uždirbo @@ -7553,7 +7631,6 @@ DocType: Landed Cost Item,Landed Cost Item,Nusileido Kaina punktas 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Vienos operacijos suma viršija maksimalią leistiną sumą, suskaidykite operacijas sukurkite atskirą mokėjimo nurodymą" 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ą @@ -7724,6 +7801,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,pasie DocType: Quality Inspection Reading,Reading 3,Skaitymas 3 DocType: Stock Entry,Source Warehouse Address,Šaltinio sandėlio adresas DocType: GL Entry,Voucher Type,Bon tipas +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Būsimi mokėjimai 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 @@ -7750,6 +7828,7 @@ DocType: Travel Request,Identification Document Number,Identifikacijos dokumento 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." DocType: Sales Invoice,Customer GSTIN,Klientų GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Lauke aptiktų ligų sąrašas. Pasirinkus, jis bus automatiškai pridėti užduočių sąrašą kovai su liga" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,"Tai pagrindinė sveikatos priežiūros tarnybos dalis, kurios negalima redaguoti." DocType: Asset Repair,Repair Status,Taisyklės būklė 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." @@ -7764,6 +7843,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Sąskaita už pokyčio sumą DocType: QuickBooks Migrator,Connecting to QuickBooks,Prisijungimas prie "QuickBooks" DocType: Exchange Rate Revaluation,Total Gain/Loss,Bendras padidėjimas / nuostolis +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Sukurkite pasirinkimo sąrašą apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Eilutės {0}: Šalis / Sąskaita nesutampa su {1} / {2} į {3} {4} DocType: Employee Promotion,Employee Promotion,Darbuotojų skatinimas DocType: Maintenance Team Member,Maintenance Team Member,Techninės priežiūros komandos narys @@ -7847,6 +7927,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto darbo užmokestis negali būti neigiamas @@ -7878,7 +7959,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Kokybės tikslas DocType: BOM,Item to be manufactured or repacked,Prekė turi būti pagaminti arba perpakuoti apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Sintaksės klaida sąlygoje: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Jokios kliento iškeltos problemos. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Pagrindinės / Laisvai pasirenkami dalykai apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Nurodykite tiekėjų grupę pirkimo nustatymuose. @@ -7971,8 +8051,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,kredito dienų apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,"Prašome pasirinkti "Pacientas", kad gautumėte "Lab" testus" DocType: Exotel Settings,Exotel Settings,„Exotel“ nustatymai -DocType: Leave Type,Is Carry Forward,Ar perkelti +DocType: Leave Ledger Entry,Is Carry Forward,Ar perkelti DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Darbo valandos, po kurių pažymėta nebuvimas. (Nulis išjungti)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Siųsti žinutę apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Gauti prekes iš BOM 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 diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv index a45b551e7c..ebe0023212 100644 --- a/erpnext/translations/lv.csv +++ b/erpnext/translations/lv.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Paziņot piegādātājam apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,"Lūdzu, izvēlieties Party veids pirmais" DocType: Item,Customer Items,Klientu Items +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Saistības DocType: Project,Costing and Billing,Izmaksu un Norēķinu apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Avansa konta valūtā jābūt tādai pašai kā uzņēmuma valūtai {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Default Mērvienība DocType: SMS Center,All Sales Partner Contact,Visi Sales Partner Kontakti DocType: Department,Leave Approvers,Atstājiet Approvers DocType: Employee,Bio / Cover Letter,Bio / pavadvēstule +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Meklēt vienumus ... DocType: Patient Encounter,Investigations,Izmeklējumi DocType: Restaurant Order Entry,Click Enter To Add,"Noklikšķiniet uz Ievadīt, lai pievienotu" apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Trūkst paroles, API atslēgas vai Shopify URL vērtības" DocType: Employee,Rented,Īrēts apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Visi konti apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Nevar pārcelt Darbinieks ar statusu pa kreisi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Pārtraucis ražošanu rīkojums nevar tikt atcelts, Unstop to vispirms, lai atceltu" DocType: Vehicle Service,Mileage,Nobraukums apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Vai jūs tiešām vēlaties atteikties šo aktīvu? DocType: Drug Prescription,Update Schedule,Atjaunināt plānu @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Klients DocType: Purchase Receipt Item,Required By,Nepieciešamais Līdz DocType: Delivery Note,Return Against Delivery Note,Atgriezties Pret pavadzīme DocType: Asset Category,Finance Book Detail,Finanšu grāmatu detaļa +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Visas amortizācijas ir rezervētas DocType: Purchase Order,% Billed,% Jāmaksā apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Algas numurs apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Valūtas kurss ir tāds pats kā {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Partijas Prece derīguma statuss apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Banka projekts DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Kopējais novēloto ierakstu skaits DocType: Mode of Payment Account,Mode of Payment Account,Mode maksājumu konta apps/erpnext/erpnext/config/healthcare.py,Consultation,Konsultācija DocType: Accounts Settings,Show Payment Schedule in Print,Rādīt norēķinu grafiku drukā @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,No apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primārā kontaktinformācija apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Atvērt jautājumi DocType: Production Plan Item,Production Plan Item,Ražošanas plāna punktu +DocType: Leave Ledger Entry,Leave Ledger Entry,Atstājiet virsgrāmatas ierakstu 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} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},Lauks {0} ir ierobežots ar lielumu {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Mak DocType: Purchase Invoice Item,Item Weight Details,Vienuma svara dati DocType: Asset Maintenance Log,Periodicity,Periodiskums apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Fiskālā gads {0} ir vajadzīga +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Neto peļņa / zaudējumi DocType: Employee Group Table,ERPNext User ID,ERPNext lietotāja ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimālais attālums starp augu rindām optimālai augšanai apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,"Lūdzu, atlasiet Pacients, lai saņemtu noteikto procedūru" @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Pārdošanas cenrādis DocType: Patient,Tobacco Current Use,Tabakas patēriņš apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Pārdošanas likme -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,"Pirms jauna konta pievienošanas, lūdzu, saglabājiet to" 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Pens DocType: Exchange Rate Revaluation Account,Gain/Loss,Iegūt / zaudēt DocType: Crop,Perennial,Daudzgadīgs DocType: Program,Is Published,Tiek publicēts +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Rādīt piegādes piezīmes apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Lai atļautu rēķinu pārsniegšanu, kontu iestatījumos vai vienumā atjauniniet vienumu “Virs norēķinu piemaksa”." DocType: Patient Appointment,Procedure,Kārtība DocType: Accounts Settings,Use Custom Cash Flow Format,Izmantojiet pielāgotu naudas plūsmas formātu @@ -264,7 +269,6 @@ apps/erpnext/erpnext/regional/india/utils.py,Taxable Amount,Ar nodokli apliekam apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorized to add or update entries before {0},Jums nav atļauts pievienot vai atjaunināt ierakstus pirms {0} DocType: Leave Policy,Leave Policy Details,Atstājiet politikas informāciju DocType: BOM,Item Image (if not slideshow),Postenis attēls (ja ne slideshow) -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} ir obligāts, lai ģenerētu pārskaitījuma maksājumus, iestatiet lauku un mēģiniet vēlreiz" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Stundas likme / 60) * Faktiskais darba laiks apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rinda # {0}: atsauces dokumenta tipam jābūt vienam no izdevumu pieprasījuma vai žurnāla ieraksta apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Select BOM @@ -284,6 +288,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Atmaksāt Over periodu skaits apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Produkcijas daudzums nedrīkst būt mazāks par nulli DocType: Stock Entry,Additional Costs,Papildu izmaksas +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klients> Klientu grupa> Teritorija apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Konts ar esošo darījumu nevar pārvērst grupai. DocType: Lead,Product Enquiry,Produkts Pieprasījums DocType: Education Settings,Validate Batch for Students in Student Group,Apstiprināt partiju studentiem Studentu grupas @@ -295,7 +300,9 @@ DocType: Employee Education,Under Graduate,Zem absolvents apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,"Lūdzu, iestatiet noklusējuma veidni statusam Paziņojums par atstāšanu personāla iestatījumos." apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Mērķa On DocType: BOM,Total Cost,Kopējās izmaksas +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Piešķīruma termiņš ir beidzies! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maksimālais pārnesto lapu skaits DocType: Salary Slip,Employee Loan,Darbinieku Loan DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Sūtīt maksājuma pieprasījuma e-pastu @@ -305,6 +312,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Real E apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Paziņojums par konta apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Pharmaceuticals DocType: Purchase Invoice Item,Is Fixed Asset,Vai pamatlīdzekļa +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Rādīt nākotnes maksājumus DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Šis bankas konts jau ir sinhronizēts DocType: Homepage,Homepage Section,Mājas lapas sadaļa @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Mēslojums apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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." -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Vismaz viens maksājuma veids ir nepieciešams POS rēķinu. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Partija {0} partijai nav nepieciešama DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bankas izziņa Darījuma rēķina postenis @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Izvēlieties Noteikumi un nosacī apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,out Value DocType: Bank Statement Settings Item,Bank Statement Settings Item,Bankas pārskata iestatījumu postenis DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce iestatījumi +DocType: Leave Ledger Entry,Transaction Name,Darījuma nosaukums DocType: Production Plan,Sales Orders,Pārdošanas pasūtījumu apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,"Klientam ir atrasta daudzu lojalitātes programma. Lūdzu, izvēlieties manuāli." DocType: Purchase Taxes and Charges,Valuation,Vērtējums @@ -460,6 +468,7 @@ DocType: Company,Enable Perpetual Inventory,Iespējot nepārtrauktās inventariz 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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Rādīt tikai šo klientu grupu klientus DocType: Sales Invoice,Is Opening Entry,Vai atvēršana Entry @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Pieminēt ja nestandarta saņemama konts piemērojams 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ā DocType: Supplier Scorecard,Criteria Setup,Kritēriju iestatīšana -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,"Par noliktava ir nepieciešams, pirms iesniegt" +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 DocType: Codification Table,Medical Code,Medicīnas kods apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Pievienojiet Amazon ar ERPNext @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Pievienoti bankas konti -DocType: Delivery Stop,Contact Name,Contact Name +DocType: Call Log,Contact Name,Contact Name DocType: Plaid Settings,Synchronize all accounts every hour,Katru stundu sinhronizējiet visus kontus DocType: Course Assessment Criteria,Course Assessment Criteria,Protams novērtēšanas kritēriji DocType: Pricing Rule Detail,Rule Applied,Piemēro noteikums @@ -529,7 +539,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Nezināms numurs DocType: Website Filter Field,Website Filter Field,Vietnes filtra lauks apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Piegādes tips DocType: Material Request Item,Min Order Qty,Min Order Daudz @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Kopējā pamatkapitāla summa DocType: Student Guardian,Relation,Attiecība DocType: Quiz Result,Correct,Pareizi DocType: Student Guardian,Mother,māte -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,"Lūdzu, vispirms vietnē_config.json pievienojiet derīgas Plaid api atslēgas" DocType: Restaurant Reservation,Reservation End Time,Rezervācijas beigu laiks DocType: Crop,Biennial,Biennāle ,BOM Variance Report,BOM novirzes ziņojums @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Maksājumu pret {0} {1} nevar būt lielāks par izcilu Summu {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Bezsaistes POS iestatījumi DocType: Stock Entry Detail,Reference Purchase Receipt,Pirkuma atsauces kvīts DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variants -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Pabeigts Daudz nevar būt lielāks par ""Daudz, lai ražotu""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Pabeigts Daudz nevar būt lielāks par ""Daudz, lai ražotu""" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,"Periods, pamatojoties uz" DocType: Period Closing Voucher,Closing Account Head,Noslēguma konta vadītājs DocType: Employee,External Work History,Ārējā Work Vēsture apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Apļveida Reference kļūda apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Studentu ziņojuma karte apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,No PIN koda +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Rādīt pārdošanas personu DocType: Appointment Type,Is Inpatient,Ir stacionārs apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 vārds DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Vārdos (eksportam) būs redzams pēc tam, kad jums ietaupīt pavadzīmi." @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Izmēra nosaukums apps/erpnext/erpnext/healthcare/setup.py,Resistant,Izturīgs apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Lūdzu, iestatiet viesnīcu cenu par {}" +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: Journal Entry,Multi Currency,Multi Valūtas DocType: Bank Statement Transaction Invoice Item,Invoice Type,Rēķins Type apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Derīgam no datuma jābūt mazākam par derīgo līdz datumam @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,uzņemta DocType: Workstation,Rent Cost,Rent izmaksas 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Gaidāmie Kalendāra notikumi apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variant atribūti @@ -748,7 +761,6 @@ DocType: Request for Quotation,Request for Quotation,Pieprasījums piedāvājuma 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Rādīt pārdošanas personu drukātā veidā 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 @@ -756,7 +768,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Izveidot jaunu Klientu apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Beidzas uz apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ja vairāki Cenu Noteikumi turpina dominēt, lietotāji tiek aicināti noteikt prioritāti manuāli atrisināt konfliktu." -DocType: Purchase Invoice,Scan Barcode,Skenēt svītrkodu apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Izveidot pirkuma pasūtījumu ,Purchase Register,Pirkuma Reģistrēties apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacients nav atrasts @@ -816,6 +827,7 @@ DocType: Account,Old Parent,Old Parent apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Obligāts lauks - akadēmiskais gads apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Obligāts lauks - akadēmiskais gads apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} nav saistīts ar {2} {3} +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} @@ -857,6 +869,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Alga Component kontrolsaraksts balstīta algas. DocType: Driver,Applicable for external driver,Attiecas uz ārēju draiveri DocType: Sales Order Item,Used for Production Plan,Izmanto ražošanas plānu +DocType: BOM,Total Cost (Company Currency),Kopējās izmaksas (uzņēmuma valūta) DocType: Loan,Total Payment,kopējais maksājums apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Nevar atcelt darījumu Pabeigtajam darba uzdevumam. DocType: Manufacturing Settings,Time Between Operations (in mins),Laiks starp operācijām (Min) @@ -878,6 +891,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Paziņot par citu DocType: Vital Signs,Blood Pressure (systolic),Asinsspiediens (sistolisks) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} ir {2} DocType: Item Price,Valid Upto,Derīgs Līdz pat +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. @@ -896,6 +910,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Izmaiņas {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,"Lūdzu, izvēlieties Uzņēmums" DocType: Employee Skill,Employee Skill,Darbinieka prasmes apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Atšķirība konts @@ -940,6 +955,7 @@ DocType: Patient,Risk Factors,Riska faktori DocType: Patient,Occupational Hazards and Environmental Factors,Darba vides apdraudējumi un vides faktori apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,"Rezerves ieraksti, kas jau ir izveidoti darba uzdevumā" apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Skatīt iepriekšējos pasūtījumus +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} sarunas DocType: Vital Signs,Respiratory rate,Elpošanas ātrums apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Managing Apakšuzņēmēji DocType: Vital Signs,Body Temperature,Ķermeņa temperatūra @@ -981,6 +997,7 @@ DocType: Purchase Invoice,Registered Composition,Reģistrēts sastāvs apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Sveiki apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Pārvietot Preci DocType: Employee Incentive,Incentive Amount,Stimulējošā summa +,Employee Leave Balance Summary,Darbinieku atvaļinājuma bilances kopsavilkums DocType: Serial No,Warranty Period (Days),Garantijas periods (dienas) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Kopējā kredīta / debeta summai jābūt tādai pašai kā saistītā žurnāla ierakstā DocType: Installation Note Item,Installation Note Item,Uzstādīšana Note postenis @@ -994,6 +1011,7 @@ DocType: Vital Signs,Bloated,Uzpūsts DocType: Salary Slip,Salary Slip Timesheet,Alga Slip laika kontrolsaraksts apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Piegādātājs Noliktava obligāta nolīgta apakšuzņēmuma pirkuma čeka DocType: Item Price,Valid From,Derīgs no +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Jūsu vērtējums: DocType: Sales Invoice,Total Commission,Kopā Komisija DocType: Tax Withholding Account,Tax Withholding Account,Nodokļu ieturēšanas konts DocType: Pricing Rule,Sales Partner,Sales Partner @@ -1001,6 +1019,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Visi Piegādātā 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 +DocType: Item,Website Image,Vietnes attēls apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Mērķa noliktavā rindā {0} jābūt tādam pašam kā darba kārtībā apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Vērtēšana Rate ir obligāta, ja atvēršana Stock ievadīts" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nav atrasti rēķinu tabulas ieraksti @@ -1035,8 +1054,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},P 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,"Pirms konta sinhronizācijas, lūdzu, aizpildiet savu Plaid API konfigurāciju" 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 DocType: Job Applicant,Resume Attachment,atsākt Pielikums @@ -1048,7 +1067,6 @@ DocType: Production Plan,Production Plan,Ražošanas plāns DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Rēķinu izveides rīka atvēršana DocType: Salary Component,Round to the Nearest Integer,Kārta līdz tuvākajam veselajam skaitlim apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Sales Return -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Piezīme: Kopā piešķirtie lapas {0} nedrīkst būt mazāks par jau apstiprināto lapām {1} par periodu DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,"Iestatiet daudzumu darījumos, kuru pamatā ir sērijas Nr. Ievade" ,Total Stock Summary,Kopā Stock kopsavilkums apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1077,6 +1095,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Lo apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,pamatsumma DocType: Loan Application,Total Payable Interest,Kopā Kreditoru Procentu apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Kopā neizmaksātais: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Atveriet Kontaktpersonu DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Pārdošanas rēķins laika kontrolsaraksts 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} @@ -1086,6 +1105,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Noklusējuma rēķina nosa 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 DocType: Restaurant Reservation,Restaurant Reservation,Restorāna rezervēšana +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Jūsu preces apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Priekšlikums Writing DocType: Payment Entry Deduction,Payment Entry Deduction,Maksājumu Entry atskaitīšana DocType: Service Level Priority,Service Level Priority,Pakalpojuma līmeņa prioritāte @@ -1094,6 +1114,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Sērijas numuru sērija apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Vēl Sales Person {0} pastāv ar to pašu darbinieku id DocType: Employee Advance,Claimed Amount,Pieprasītā summa +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Beidzas piešķiršana 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 @@ -1163,7 +1184,6 @@ DocType: Student Batch Name,Batch Name,partijas nosaukums DocType: Fee Validity,Max number of visit,Maksimālais apmeklējuma skaits DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Obligāts peļņas un zaudējumu kontam ,Hotel Room Occupancy,Viesnīcas istabu aizņemšana -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Kontrolsaraksts izveidots: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Lūdzu iestatītu standarta kases vai bankas kontu maksājuma veidu {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,uzņemt DocType: GST Settings,GST Settings,GST iestatījumi @@ -1296,6 +1316,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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 DocType: Request for Quotation,Link to material requests,Saite uz materiālo pieprasījumiem +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Publicēt apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Kredītkarte Entry @@ -1322,6 +1343,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Ilgtermiņa aktīvi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} nav krājums punkts apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Lūdzu, dalīties ar jūsu atsauksmēm par apmācību, noklikšķinot uz "Apmācības atsauksmes" un pēc tam uz "Jauns"" +DocType: Call Log,Caller Information,Informācija par zvanītāju DocType: Mode of Payment Account,Default Account,Default Account apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Vispirms izvēlieties parauga saglabāšanas noliktavu krājumu iestatījumos apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,"Lūdzu, izvēlieties vairāku līmeņu programmas tipu vairāk nekā vienam kolekcijas noteikumam." @@ -1346,6 +1368,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Auto Materiālu Pieprasījumi Radušies DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Darba laiks, zem kura tiek atzīmēta Puse diena. (Nulle atspējot)" DocType: Job Card,Total Completed Qty,Kopā pabeigtie gab +DocType: HR Settings,Auto Leave Encashment,Automātiska aiziešana no iekasēšanas apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Zaudējis apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Jūs nevarat ievadīt pašreizējo kuponu in 'Pret žurnālu ierakstu kolonnā DocType: Employee Benefit Application Detail,Max Benefit Amount,Maksimālā pabalsta summa @@ -1375,9 +1398,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Abonents DocType: Item Attribute Value,Item Attribute Value,Postenis īpašības vērtība apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valūtas maiņa ir jāpiemēro pirkšanai vai pārdošanai. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,"Atcelt var tikai tādu termiņu, kuram beidzies derīguma termiņš" DocType: Item,Maximum sample quantity that can be retained,"Maksimālais parauga daudzums, ko var saglabāt" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rinda {0} # Item {1} nevar tikt pārsūtīta vairāk nekā {2} pret pirkuma pasūtījumu {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Pārdošanas kampaņas. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Nezināms zvanītājs DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1409,6 +1434,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Veselības apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Name DocType: Expense Claim Detail,Expense Claim Type,Izdevumu Pretenzija Type DocType: Shopping Cart Settings,Default settings for Shopping Cart,Noklusējuma iestatījumi Grozs +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Saglabāt vienumu apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Jauns izdevums apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignorēt esošo pasūtīto daudzumu apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Pievienot laika vietnes @@ -1421,6 +1447,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Pārskatīt ielūgumu DocType: Shift Assignment,Shift Assignment,Shift Assignment DocType: Employee Transfer Property,Employee Transfer Property,Darbinieku pārskaitījuma īpašums +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Lauks Pašu / pasīvu konts nedrīkst būt tukšs apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Laika laikam jābūt mazākam par laiku apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotehnoloģija apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1503,11 +1530,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kursu grafiks DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B ziņojums DocType: Request for Quotation Supplier,Quote Status,Citāts statuss DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Pabeigšana statuss +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Kopējā maksājumu summa nevar būt lielāka par {} DocType: Daily Work Summary Group,Select Users,Atlasiet Lietotāji DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Viesnīcas numuru cenas punkts DocType: Loyalty Program Collection,Tier Name,Līmeņa nosaukums @@ -1545,6 +1574,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST sum DocType: Lab Test Template,Result Format,Rezultātu formāts DocType: Expense Claim,Expenses,Izdevumi DocType: Service Level,Support Hours,atbalsta stundas +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Piegādes piezīmes DocType: Item Variant Attribute,Item Variant Attribute,Prece Variant Prasme ,Purchase Receipt Trends,Pirkuma čeka tendences DocType: Payroll Entry,Bimonthly,reizi divos mēnešos @@ -1567,7 +1597,6 @@ DocType: Sales Team,Incentives,Stimuli DocType: SMS Log,Requested Numbers,Pieprasītie Numbers DocType: Volunteer,Evening,Vakars DocType: Quiz,Quiz Configuration,Viktorīnas konfigurēšana -DocType: Customer,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 @@ -1614,7 +1643,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Valūta ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Nevar atrast laika nišu nākamajos {0} dienas ekspluatācijai {1} DocType: Work Order,Plan material for sub-assemblies,Plāns materiāls mezgliem 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 @@ -1629,9 +1657,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,"Lai saglabātu atkārtotas pasūtīšanas līmeni, krājuma iestatījumos ir jāatspējo automātiska atkārtota pasūtīšana." apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Atcelt Materiāls Vizītes {0} pirms lauzt šo apkopes vizīte DocType: Pricing Rule,Rate or Discount,Likme vai atlaide +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bankas rekvizīti DocType: Vital Signs,One Sided,Vienpusējs apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Sērijas Nr {0} nepieder posteni {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Nepieciešamais Daudz +DocType: Purchase Order Item Supplied,Required Qty,Nepieciešamais Daudz DocType: Marketplace Settings,Custom Data,Pielāgoti dati apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Noliktavas ar esošo darījumu nevar pārvērst par virsgrāmatu. DocType: Service Day,Service Day,Kalpošanas diena @@ -1659,7 +1688,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Konta valūta DocType: Lab Test,Sample ID,Parauga ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,"Lūdzu, atsaucieties uz noapaļot konta Company" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debet_note_amt DocType: Purchase Receipt,Range,Diapazons DocType: Supplier,Default Payable Accounts,Noklusējuma samaksu konti apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Darbinieku {0} nav aktīvs vai neeksistē @@ -1700,8 +1728,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Lūgums sniegt informāciju DocType: Course Activity,Activity Date,Darbības datums apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},no {} -,LeaderBoard,Līderu saraksts DocType: Sales Invoice Item,Rate With Margin (Company Currency),Likmes ar peļņu (uzņēmuma valūta) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategorijas apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline rēķini DocType: Payment Request,Paid,Samaksāts DocType: Service Level,Default Priority,Noklusējuma prioritāte @@ -1736,11 +1764,11 @@ DocType: Agriculture Task,Agriculture Task,Lauksaimniecības uzdevums apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Netieša Ienākumi DocType: Student Attendance Tool,Student Attendance Tool,Student Apmeklējumu Tool DocType: Restaurant Menu,Price List (Auto created),Cenrādis (automātiski izveidots) +DocType: Pick List Item,Picked Qty,Paņēma Qty DocType: Cheque Print Template,Date Settings,Datums iestatījumi 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 -,Company Name,Uzņēmuma nosaukums 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ā. @@ -1759,7 +1787,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Jaunākais mēģinājums DocType: Quiz Result,Quiz Result,Viktorīnas rezultāts 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} -DocType: BOM,Raw Material Cost(Company Currency),Izejvielu izmaksas (Company valūta) 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 @@ -1828,6 +1855,7 @@ DocType: Travel Itinerary,Train,Vilciens ,Delayed Item Report,Nokavēta posteņa ziņojums apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Piemērots ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Stacionārais nodarbošanās +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Publicējiet savus pirmos vienumus DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Laiks pēc maiņas beigām, kurā tiek apsvērta izbraukšana uz apmeklējumu." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},"Lūdzu, norādiet {0}" @@ -1946,6 +1974,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Visas BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Izveidot starpuzņēmumu žurnāla ierakstu DocType: Company,Parent Company,Mātes uzņēmums apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Viesnīca numuri {0} nav pieejami {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Salīdziniet BOM izmaiņas izejvielās un darbībās apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,{0} dokuments ir veiksmīgi notīrīts DocType: Healthcare Practitioner,Default Currency,Noklusējuma Valūtas apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Saskaņojiet šo kontu @@ -1980,6 +2009,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form rēķinu Detail DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Maksājumu Samierināšanās rēķins DocType: Clinical Procedure,Procedure Template,Kārtības veidne +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publicēt preces apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Ieguldījums% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kā vienu Pirkšana iestatījumu, ja pirkuma pasūtījums == "JĀ", tad, lai izveidotu pirkuma rēķinu, lietotājam ir nepieciešams, lai izveidotu pirkuma pasūtījumu vispirms posteni {0}" ,HSN-wise-summary of outward supplies,HSN-gudrs kopsavilkums par ārējām piegādēm @@ -1992,7 +2022,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Lūdzu noteikt "piemērot papildu Atlaide On" DocType: Party Tax Withholding Config,Applicable Percent,Piemērojamais procents ,Ordered Items To Be Billed,Pasūtītās posteņi ir Jāmaksā -DocType: Employee Checkin,Exit Grace Period Consequence,Izejas labvēlības perioda sekas apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,No Range ir jābūt mazāk nekā svārstās DocType: Global Defaults,Global Defaults,Globālie Noklusējumi apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Projektu Sadarbība Ielūgums @@ -2000,13 +2029,11 @@ DocType: Salary Slip,Deductions,Atskaitījumi DocType: Setup Progress Action,Action Name,Darbības nosaukums apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Start gads apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Izveidot aizdevumu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Sākuma datums kārtējā rēķinā s perioda DocType: Shift Type,Process Attendance After,Procesa apmeklējums pēc ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Bezalgas atvaļinājums DocType: Payment Request,Outward,Uz āru -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Capacity Planning kļūda apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Valsts / UT nodoklis ,Trial Balance for Party,Trial Balance uz pusi ,Gross and Net Profit Report,Bruto un neto peļņas pārskats @@ -2025,7 +2052,6 @@ DocType: Payroll Entry,Employee Details,Darbinieku Details 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 -DocType: Setup Progress Action,Domains,Domains 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} @@ -2068,7 +2094,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Kopā vec 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.","Maksājums Mode nav konfigurēta. Lūdzu, pārbaudiet, vai konts ir iestatīts uz maksājumu Mode vai POS profils." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Pašu posteni nevar ievadīt vairākas reizes. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Turpmākas kontus var veikt saskaņā grupās, bet ierakstus var izdarīt pret nepilsoņu grupām" -DocType: Email Campaign,Lead,Potenciālie klienti +DocType: Call Log,Lead,Potenciālie klienti DocType: Email Digest,Payables,Piegādātājiem un darbuzņēmējiem DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,E-pasta kampaņa @@ -2080,6 +2106,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Pirkuma pasūtījuma posteņi ir Jāmaksā 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 DocType: Purchase Invoice Item,Net Rate,Net Rate apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,"Lūdzu, izvēlieties klientu" DocType: Leave Policy,Leave Allocations,Atstājiet asignējumus @@ -2093,6 +2120,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Aizvērt Issue Pēc dienas ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,"Lai pievienotu Marketplace lietotājiem, jums ir jābūt lietotājam ar sistēmas pārvaldnieka un vienumu pārvaldnieka lomu." +DocType: Attendance,Early Exit,Agrīna izeja DocType: Job Opening,Staffing Plan,Personāla plāns apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON var ģenerēt tikai no iesniegta dokumenta apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Darbinieku nodokļi un pabalsti @@ -2115,6 +2143,7 @@ DocType: Maintenance Team Member,Maintenance Role,Uzturēšanas loma apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dublikāts rinda {0} ar pašu {1} DocType: Marketplace Settings,Disable Marketplace,Atslēgt tirgu DocType: Quality Meeting,Minutes,Minūtes +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Jūsu piedāvātie priekšmeti ,Trial Balance,Trial Balance apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Izrāde pabeigta apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiskālā gads {0} nav atrasts @@ -2124,8 +2153,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Viesnīcu rezervācijas l 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" DocType: Contract,Fulfilment Deadline,Izpildes termiņš +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Pie jums DocType: Student,O-,O- -DocType: Shift Type,Consequence,Sekas DocType: Subscription Settings,Subscription Settings,Abonēšanas iestatījumi DocType: Purchase Invoice,Update Auto Repeat Reference,Atjaunināt automātiskās atkārtotas atsauces apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},"Izvēles brīvdienu saraksts, kas nav noteikts atvaļinājuma periodam {0}" @@ -2136,7 +2165,6 @@ DocType: Maintenance Visit Purpose,Work Done,Darbs Gatavs apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,"Lūdzu, norādiet vismaz vienu atribūtu Atribūti tabulā" DocType: Announcement,All Students,Visi studenti apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Prece {0} ir jābūt ne-akciju postenis -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Banku detilāti apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,View Ledger DocType: Grading Scale,Intervals,intervāli DocType: Bank Statement Transaction Entry,Reconciled Transactions,Saskaņotie darījumi @@ -2172,6 +2200,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Iespēja postenis DocType: Quality Action,Quality Review,Kvalitātes pārskats @@ -2198,7 +2227,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Saņemt neapmaksātus rēķinus -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Pārdošanas pasūtījums {0} nav derīga +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Pirkuma pasūtījumu palīdzēt jums plānot un sekot līdzi saviem pirkumiem apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab testēšanas priekšraksti @@ -2223,6 +2252,7 @@ DocType: Employee Onboarding,Notify users by email,Paziņojiet lietotājiem pa e DocType: Travel Request,International,Starptautisks DocType: Training Event,Training Event,Training Event DocType: Item,Auto re-order,Auto re-pasūtīt +DocType: Attendance,Late Entry,Vēla ieeja apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Kopā Izpildīts DocType: Employee,Place of Issue,Izsniegšanas vieta DocType: Promotional Scheme,Promotional Scheme Price Discount,Akcijas shēmas cenu atlaide @@ -2269,6 +2299,7 @@ DocType: Serial No,Serial No Details,Sērijas Nr Details DocType: Purchase Invoice Item,Item Tax Rate,Postenis Nodokļu likme apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,No partijas vārda apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Neto algas summa +DocType: Pick List,Delivery against Sales Order,Piegāde pēc pārdošanas pasūtījuma DocType: Student Group Student,Group Roll Number,Grupas Roll skaits DocType: Student Group Student,Group Roll Number,Grupas Roll skaits apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Par {0}, tikai kredīta kontus var saistīt pret citu debeta ierakstu" @@ -2342,7 +2373,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Šo vērtību izmanto pro rata temporis aprēķināšanai apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,"Jums ir nepieciešams, lai dotu iespēju Grozs" DocType: Payment Entry,Writeoff,Norakstīt DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2356,6 +2386,7 @@ DocType: Delivery Trip,Total Estimated Distance,Kopējais aprēķinātais attāl DocType: Invoice Discounting,Accounts Receivable Unpaid Account,"Debitoru parādi, kas nav apmaksāti" DocType: Tally Migration,Tally Company,Talija uzņēmums apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Nav atļauts izveidot grāmatvedības kategoriju {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,"Lūdzu, atjauniniet savu statusu šim mācību pasākumam" DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Pievienot vai atrēķināt @@ -2365,7 +2396,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Neaktīvi pārdošanas priekšmeti DocType: Quality Review,Additional Information,Papildus informācija apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Kopā pasūtījuma vērtība -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Pakalpojuma līmeņa līguma atiestatīšana. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Pārtika apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Novecošana Range 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS slēgšanas kvīts informācija @@ -2412,6 +2442,7 @@ 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 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""" DocType: Healthcare Practitioner,Contacts and Address,Kontakti un adrese DocType: Shift Type,Determine Check-in and Check-out,Nosakiet reģistrēšanos un izrakstīšanos @@ -2431,7 +2462,6 @@ DocType: Student Admission,Eligibility and Details,Atbilstība un detaļas apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Iekļauts bruto peļņā apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Neto izmaiņas pamatlīdzekļa apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Klienta kods apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Lādiņš tips ""Faktiskais"" rindā {0} nevar iekļaut postenī Rate" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,No DATETIME @@ -2499,6 +2529,7 @@ DocType: Journal Entry Account,Account Balance,Konta atlikuma apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Klientam ir pienākums pret pasūtītāju konta {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Kopā nodokļi un maksājumi (Company valūtā) DocType: Weather,Weather Parameter,Laika parametrs @@ -2561,6 +2592,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Darba laika slieksnis pro apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,"Pamatojoties uz kopējo iztērēto daudzumu, var būt vairāku līmeņu iekasēšanas koeficients. Bet izpirkšanas konversijas koeficients vienmēr būs vienāds visos līmeņos." apps/erpnext/erpnext/config/help.py,Item Variants,Postenis Variants apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Pakalpojumi +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Email Alga Slip darbiniekam DocType: Cost Center,Parent Cost Center,Parent Izmaksu centrs @@ -2571,7 +2603,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","A DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importa piegādes piezīmes no Shopify par sūtījumu apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Rādīt slēgts DocType: Issue Priority,Issue Priority,Izdošanas prioritāte -DocType: Leave Type,Is Leave Without Pay,Vai atstāt bez Pay +DocType: Leave Ledger Entry,Is Leave Without Pay,Vai atstāt bez Pay apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset kategorija ir obligāta ilgtermiņa ieguldījumu postenim DocType: Fee Validity,Fee Validity,Maksa derīguma termiņš @@ -2620,6 +2652,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Pieejams Partijas D apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Update Print Format DocType: Bank Account,Is Company Account,Ir uzņēmuma konts apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Atstāt veidu {0} nav iekļaujams +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Kredīta limits uzņēmumam jau ir noteikts {0} DocType: Landed Cost Voucher,Landed Cost Help,Izkrauti izmaksas Palīdzība DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Izvēlieties Piegādes adrese @@ -2644,6 +2677,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Divvirzienu DocType: Item,Manufacturers,Ražotāji @@ -2681,7 +2715,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Banku samierināšanās paziņojums DocType: Patient Encounter,Medical Coding,Medicīniskā kodēšana DocType: Healthcare Settings,Reminder Message,Atgādinājuma ziņojums -,Lead Name,Lead Name +DocType: Call Log,Lead Name,Lead Name ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Izpēte @@ -2713,12 +2747,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Piegādātājs Noliktava DocType: Opportunity,Contact Mobile No,Kontaktinformācija Mobilais Nr apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Izvēlieties uzņēmumu ,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: 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- 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.,Lietotājam {0} nav noklusējuma POS profila. Pārbaudiet noklusējuma rindu {1} šim Lietotājam. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kvalitātes sanāksmes protokols +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/setup_wizard/operations/install_fixtures.py,Employee Referral,Darbinieku nosūtīšana DocType: Student Group,Set 0 for no limit,Uzstādīt 0 bez ierobežojuma apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Diena (-s), kad jūs piesakāties atvaļinājumu ir brīvdienas. Jums ir nepieciešams, neattiecas uz atvaļinājumu." @@ -2752,12 +2788,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Neto izmaiņas naudas DocType: Assessment Plan,Grading Scale,Šķirošana Scale apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mērvienība {0} ir ievadīts vairāk nekā vienu reizi Conversion Factor tabulā -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,jau pabeigts apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock In Hand apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component","Lūdzu, pievienojiet pieteikumam atlikušos priekšrocības {0} kā \ pro-rata komponentu" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',"Lūdzu, iestatiet nodokļu kodu valsts pārvaldei '% s'" -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Maksājuma pieprasījums jau eksistē {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Izmaksas Izdoti preces DocType: Healthcare Practitioner,Hospital,Slimnīca apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Daudzums nedrīkst būt lielāks par {0} @@ -2802,6 +2836,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Cilvēkresursi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Upper Ienākumi DocType: Item Manufacturer,Item Manufacturer,Prece Ražotājs +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Izveidot jaunu svinu DocType: BOM Operation,Batch Size,Partijas lielums apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,noraidīt DocType: Journal Entry Account,Debit in Company Currency,Debeta uzņēmumā Valūta @@ -2822,9 +2857,11 @@ DocType: Bank Transaction,Reconciled,Samierinājies DocType: Expense Claim,Total Amount Reimbursed,Atmaksāto līdzekļu kopsummas apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Tas ir balstīts uz baļķiem pret šo Vehicle. Skatīt grafiku zemāk informāciju apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Darba samaksas datums nevar būt mazāks par darbinieka pievienošanās datumu +DocType: Pick List,Item Locations,Vienuma atrašanās vietas apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} izveidots apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}","Darba uzsākšana, lai apzīmētu {0} jau atvērtu vai pieņemtu darbā saskaņā ar Personāla plānu {1}" +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Jūs varat publicēt līdz 200 vienumiem. DocType: Vital Signs,Constipated,Aizcietējums apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Pret Piegādātāju rēķinu {0} datēts {1} DocType: Customer,Default Price List,Default Cenrādis @@ -2918,6 +2955,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car 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 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Mārketinga izdevumi +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} vienības no {1} nav pieejamas. ,Item Shortage Report,Postenis trūkums ziņojums 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" @@ -2941,6 +2979,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 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 DocType: Material Request,Transferred,Pārskaitīts DocType: Vehicle,Doors,durvis @@ -3021,7 +3060,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Klienta Produkta kods DocType: Stock Reconciliation,Stock Reconciliation,Stock Izlīgums DocType: Territory,Territory Name,Teritorija Name DocType: Email Digest,Purchase Orders to Receive,"Pirkuma pasūtījumi, lai saņemtu" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,"Work-in-Progress Warehouse ir nepieciešams, pirms iesniegt" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,"Work-in-Progress Warehouse ir nepieciešams, pirms iesniegt" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Abonementā var būt tikai plāni ar tādu pašu norēķinu ciklu DocType: Bank Statement Transaction Settings Item,Mapped Data,Mape dati DocType: Purchase Order Item,Warehouse and Reference,Noliktavas un atsauce @@ -3097,6 +3136,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Piegādes iestatījumi apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Ielādēt datus apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Atvaļinājuma maksimālais atvaļinājums veids {0} ir {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publicēt 1 vienumu DocType: SMS Center,Create Receiver List,Izveidot Uztvērēja sarakstu DocType: Student Applicant,LMS Only,Tikai LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Pieejams lietošanai Datums vajadzētu būt pēc pirkuma datuma @@ -3130,6 +3170,7 @@ 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" DocType: Vital Signs,Furry,Pūkains apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Lūdzu noteikt "Gain / zaudējumu aprēķinā par aktīvu aizvākšanu" uzņēmumā {0} +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} @@ -3141,6 +3182,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Skatīt visas problēmas no vietnes {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kvalitātes sanāksmju galds +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" apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Apmeklējiet forumus DocType: Student,Student Mobile Number,Studentu Mobilā tālruņa numurs DocType: Item,Has Variants,Ir Varianti @@ -3152,9 +3194,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Nosaukums Mēneš DocType: Quality Procedure Process,Quality Procedure Process,Kvalitātes procedūras process apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Partijas ID ir obligāta apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Partijas ID ir obligāta +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,"Lūdzu, vispirms izvēlieties klientu" DocType: Sales Person,Parent Sales Person,Parent Sales Person apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Neviens saņemamais priekšmets nav nokavēts apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Pārdevējs un pircējs nevar būt vienādi +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Vēl nav skatījumu DocType: Project,Collect Progress,Savākt progresu DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Vispirms izvēlieties programmu @@ -3176,11 +3220,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Izpildīts DocType: Student Admission,Application Form Route,Pieteikums forma apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Līguma beigu datums nevar būt mazāks par šodienu. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,"Ctrl + Enter, lai iesniegtu" DocType: Healthcare Settings,Patient Encounters in valid days,Pacientu tikšanās derīgās dienās apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Atstājiet Type {0} nevar tikt piešķirts, jo tas ir atstāt bez samaksas" 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},Rinda {0}: piešķirtā summa {1} jābūt mazākam par vai vienāds ar rēķinu nenomaksāto summu {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Vārdos būs redzams pēc tam, kad būsiet saglabājis PPR." DocType: Lead,Follow Up,Seko līdzi +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Izmaksu centrs: {0} nepastāv DocType: Item,Is Sales Item,Produkts tiek pārdots apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Postenis Group Tree apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Postenis {0} nav setup Serial Nr. Pārbaudiet Vienības kapteinis @@ -3224,9 +3270,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Piegādāto Daudz DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Materiāls Pieprasījums postenis -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Vispirms atceļiet pirkuma kvīti {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Koks poz grupu. DocType: Production Plan,Total Produced Qty,Kopējā produkta daudzums +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Nav atsauksmju apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Nevar atsaukties rindu skaits ir lielāks par vai vienāds ar pašreizējo rindu skaitu šim Charge veida DocType: Asset,Sold,Pārdots ,Item-wise Purchase History,Postenis gudrs Pirkumu vēsture @@ -3245,7 +3291,7 @@ DocType: Designation,Required Skills,Nepieciešamās prasmes DocType: Inpatient Record,O Positive,O Pozitīvs apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investīcijas DocType: Issue,Resolution Details,Izšķirtspēja Details -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Darījuma veids +DocType: Leave Ledger Entry,Transaction Type,Darījuma veids DocType: Item Quality Inspection Parameter,Acceptance Criteria,Pieņemšanas kritēriji apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Ievadiet Materiālu Pieprasījumi tabulā iepriekš apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Par žurnāla ierakstu nav atmaksājumu @@ -3287,6 +3333,7 @@ DocType: Bank Account,Bank Account No,Bankas konta Nr DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Darbinieku atbrīvojums no nodokļiem Proof iesniegšana DocType: Patient,Surgical History,Ķirurģijas vēsture DocType: Bank Statement Settings Item,Mapped Header,Mape Header +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: 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." 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} @@ -3355,7 +3402,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Pievienojiet burtu galu DocType: Program Enrollment,Self-Driving Vehicle,Self-Braukšanas Transportlīdzekļu 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Kopā piešķirtie lapas {0} nevar būt mazāka par jau apstiprināto lapām {1} par periodu DocType: Contract Fulfilment Checklist,Requirement,Prasība DocType: Journal Entry,Accounts Receivable,Debitoru parādi DocType: Quality Goal,Objectives,Mērķi @@ -3378,7 +3424,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Viena darījuma sliek DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Šī vērtība tiek atjaunināta Noklusējuma pārdošanas cenu sarakstā. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Jūsu grozs ir tukšs DocType: Email Digest,New Expenses,Jauni izdevumi -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC summa apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Nevar optimizēt maršrutu, jo trūkst vadītāja adreses." DocType: Shareholder,Shareholder,Akcionārs DocType: Purchase Invoice,Additional Discount Amount,Papildus Atlaides summa @@ -3415,6 +3460,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Apkopes uzdevumi apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,"Lūdzu, iestatiet B2C ierobežojumu GST iestatījumos." DocType: Marketplace Settings,Marketplace Settings,Tirgus iestatījumi DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Noliktava, kur jums ir saglabāt krājumu noraidīto posteņiem" +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Publicēt {0} vienumus 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,"Nevar atrast valūtas kursu {0} uz {1} par galveno dienas {2}. Lūdzu, izveidojiet Valūtas maiņas rekordu manuāli" DocType: POS Profile,Price List,Cenrādis 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ā." @@ -3451,6 +3497,7 @@ DocType: Salary Component,Deduction,Atskaitīšana DocType: Item,Retain Sample,Saglabājiet paraugu apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Rinda {0}: laiku un uz laiku ir obligāta. DocType: Stock Reconciliation Item,Amount Difference,summa Starpība +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"Šajā lapā tiek uzskaitītas preces, kuras vēlaties iegādāties no pārdevējiem." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Prece Cena pievienots {0} Cenrādī {1} DocType: Delivery Stop,Order Information,Pasūtīt informāciju apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Ievadiet Darbinieku Id šīs pārdošanas persona @@ -3479,6 +3526,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Vērtēšanas plāna nosaukums apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Mērķa informācija apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Piemēro, ja uzņēmums ir SpA, SApA vai SRL" @@ -3531,7 +3579,6 @@ DocType: Company,Transactions Annual History,Transakciju gada vēsture 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Virs 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 @@ -3585,6 +3632,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Gada peļņa 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 @@ -3639,12 +3687,10 @@ DocType: Supplier Scorecard,Scoring Setup,Novērtēšanas iestatīšana apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Uzņēmumam nav atrasts GST Nr. 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 DocType: Question,Single Correct Answer,Viena pareiza atbilde -DocType: Employee,Contact Details,Kontaktinformācija DocType: C-Form,Received Date,Saņēma Datums DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ja esat izveidojis standarta veidni Pārdošanas nodokļi un nodevas veidni, izvēlieties vienu, un noklikšķiniet uz pogas zemāk." DocType: BOM Scrap Item,Basic Amount (Company Currency),Pamatsumma (Company valūta) @@ -3674,12 +3720,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Mājas Darbība DocType: Bank Statement Transaction Payment Item,outstanding_amount,neatmaksātais apjoms DocType: Supplier Scorecard,Supplier Score,Piegādātāja vērtējums apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Uzņemšanas grafiks +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Kopējā maksājuma pieprasījuma summa nevar būt lielāka par {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kumulatīvā darījuma slieksnis DocType: Promotional Scheme Price Discount,Discount Type,Atlaides veids -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Kopējo rēķinā Amt DocType: Purchase Invoice Item,Is Free Item,Ir bezmaksas prece +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Procentuālais daudzums jums ir atļauts pārskaitīt vairāk, salīdzinot ar pasūtīto daudzumu. Piemēram: ja esat pasūtījis 100 vienības. un jūsu piemaksa ir 10%, tad jums ir atļauts pārskaitīt 110 vienības." DocType: Supplier,Warn RFQs,Brīdināt RFQ -apps/erpnext/erpnext/templates/pages/home.html,Explore,izpētīt +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,izpētīt DocType: BOM,Conversion Rate,Conversion Rate apps/erpnext/erpnext/www/all-products/index.html,Product Search,Produktu meklēšana ,Bank Remittance,Bankas pārskaitījums @@ -3691,6 +3738,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Kopējā samaksātā summa DocType: Asset,Insurance End Date,Apdrošināšanas beigu datums apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Lūdzu, izvēlieties Studentu uzņemšanu, kas ir obligāta apmaksātajam studenta pretendentam" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.GGGG.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Budžeta saraksts DocType: Campaign,Campaign Schedules,Kampaņu grafiki DocType: Job Card Time Log,Completed Qty,Pabeigts Daudz @@ -3713,6 +3761,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Jaunā ad DocType: Quality Inspection,Sample Size,Izlases lielums apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Ievadiet saņemšana dokuments apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Visi posteņi jau ir rēķinā +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Paņemtas lapas apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Lūdzu, norādiet derīgu ""No lietā Nr '" 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,"Turpmākie izmaksu centrus var izdarīt ar grupu, bet ierakstus var izdarīt pret nepilsoņu grupām" 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,Pavisam piešķirtās lapas ir vairākas dienas nekā maksimālais {0} atstājuma veids darbiniekam {1} periodā @@ -3813,6 +3862,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Iekļaut vi 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 DocType: Leave Block List,Allow Users,Atļaut lietotājiem 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: 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. @@ -3866,6 +3917,7 @@ DocType: Support Search Source,Result Title Field,Rezultātu sadaļas lauks apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Zvanu kopsavilkums DocType: Sample Collection,Collected Time,Savāktais laiks DocType: Employee Skill Map,Employee Skills,Darbinieku prasmes +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Degvielas izmaksas DocType: Company,Sales Monthly History,Pārdošanas mēneša vēsture apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,"Lūdzu, tabulā Nodokļi un nodevas iestatiet vismaz vienu rindu" DocType: Asset Maintenance Task,Next Due Date,Nākamais termiņš @@ -3875,6 +3927,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Vital Sig DocType: Payment Entry,Payment Deductions or Loss,Maksājumu Atskaitījumi vai zaudējumi DocType: Soil Analysis,Soil Analysis Criterias,Augsnes analīzes kritēriji apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standarta līguma noteikumi par pārdošanu vai pirkšanu. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Rindas noņemtas {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Sāciet reģistrēšanos pirms maiņas sākuma laika (minūtēs) DocType: BOM Item,Item operation,Vienuma darbība apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Grupa ar kuponu @@ -3900,11 +3953,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Alga Slip darbinieka {0} jau izveidotas šajā periodā apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmaceitisks apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Jūs varat iesniegt tikai Atstāt inkasāciju par derīgu inkasācijas summu +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Priekšmeti apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Izmaksas iegādātās preces DocType: Employee Separation,Employee Separation Template,Darbinieku nošķiršanas veidne DocType: Selling Settings,Sales Order Required,Pasūtījumu Nepieciešamais apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Kļūstiet par Pārdevēju -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Notikuma skaits, pēc kura tiek izpildītas sekas." ,Procurement Tracker,Iepirkumu izsekotājs DocType: Purchase Invoice,Credit To,Kredīts Lai apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC apgriezts @@ -3917,6 +3970,7 @@ DocType: Quality Meeting,Agenda,Darba kārtība DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Uzturēšanas grafika detaļas DocType: Supplier Scorecard,Warn for new Purchase Orders,Brīdiniet par jauniem pirkuma pasūtījumiem DocType: Quality Inspection Reading,Reading 9,Lasīšana 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Pievienojiet savu Exotel kontu ERPNext un sekojiet zvanu žurnāliem DocType: Supplier,Is Frozen,Vai Frozen DocType: Tally Migration,Processed Files,Apstrādāti faili apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Group mezglu noliktava nav atļauts izvēlēties darījumiem @@ -3926,6 +3980,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Nē par gatavo DocType: Upload Attendance,Attendance To Date,Apmeklējumu Lai datums 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 @@ -3951,7 +4006,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Pieprasītājs apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Nederīga atsauce {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Noteikumi dažādu reklāmas shēmu piemērošanai. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}), nevar būt lielāks par plānoto daudzumu ({2}) ražošanas pasūtījumā {3}" DocType: Shipping Rule,Shipping Rule Label,Piegāde noteikums Label DocType: Journal Entry Account,Payroll Entry,Algas ieraksts apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Skatīt maksu ierakstus @@ -3963,6 +4017,7 @@ DocType: Contract,Fulfilment Status,Izpildes statuss DocType: Lab Test Sample,Lab Test Sample,Laba testa paraugs DocType: Item Variant Settings,Allow Rename Attribute Value,Atļaut pārdēvēt atribūtu vērtību apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Quick Journal Entry +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Nākotnes maksājuma summa apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Jūs nevarat mainīt likmi, ja BOM minēja agianst jebkuru posteni" DocType: Restaurant,Invoice Series Prefix,Rēķinu sērijas prefikss DocType: Employee,Previous Work Experience,Iepriekšējā darba pieredze @@ -3992,6 +4047,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Projekta statuss DocType: UOM,Check this to disallow fractions. (for Nos),Pārbaudiet to neatļaut frakcijas. (Par Nr) DocType: Student Admission Program,Naming Series (for Student Applicant),Naming Series (par studentu Pieteikuma) +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/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Bonusa maksājuma datums nevar būt pagājis datums DocType: Travel Request,Copy of Invitation/Announcement,Uzaicinājuma / paziņojuma kopija DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,Prakses dienesta nodaļas grafiks @@ -4007,6 +4063,7 @@ DocType: Fiscal Year,Year End Date,Gada beigu datums DocType: Task Depends On,Task Depends On,Uzdevums Atkarīgs On apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Iespējas DocType: Options,Option,Iespēja +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Slēgtā pārskata periodā nevar izveidot grāmatvedības ierakstus {0} DocType: Operation,Default Workstation,Default Workstation DocType: Payment Entry,Deductions or Loss,Samazinājumus vai zaudēšana apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} ir slēgts @@ -4015,6 +4072,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Saņemt krājumam DocType: Purchase Invoice,ineligible,neatbilstošs apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Tree of Bill Materiālu +DocType: BOM,Exploded Items,Eksplodējuši priekšmeti DocType: Student,Joining Date,savieno datums ,Employees working on a holiday,Darbinieki strādā par brīvdienu ,TDS Computation Summary,TDS aprēķinu kopsavilkums @@ -4047,6 +4105,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (par katru DocType: SMS Log,No of Requested SMS,Neviens pieprasījuma SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Atstāt bez samaksas nesakrīt ar apstiprināto atvaļinājums ierakstus apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Nākamie soļi +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Saglabātās preces DocType: Travel Request,Domestic,Iekšzemes apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Lūdzu sniegt norādītos objektus pēc iespējas zemas cenas apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Darbinieku pārskaitījumu nevar iesniegt pirms pārskaitījuma datuma @@ -4100,7 +4159,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Asset kategorija konts apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Vērtība {0} jau ir piešķirta esošajam vienumam {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Maksājumu tabula): summai jābūt pozitīvai -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Nevar ražot vairāk Vienību {0} nekā Pasūtījumu daudzums {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Nevar ražot vairāk Vienību {0} nekā Pasūtījumu daudzums {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Nekas nav iekļauts bruto apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way rēķins šim dokumentam jau pastāv apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Atlasiet Atribūtu vērtības @@ -4135,12 +4194,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Iespējojiet dažādas sekas priekšlaicīgai aiziešanai ,Lab Test Report,Laba testa atskaite DocType: Employee Benefit Application,Employee Benefit Application,Darbinieku pabalsta pieteikums 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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Lūdzu Piegāde piezīme pirmais DocType: Student Applicant,Application Date,pieteikums datums DocType: Salary Component,Amount based on formula,"Summa, pamatojoties uz formulu" DocType: Purchase Invoice,Currency and Price List,Valūta un Cenrādis @@ -4169,6 +4226,7 @@ DocType: Purchase Receipt,Time at which materials were received,"Laiks, kurā ma DocType: Products Settings,Products per Page,Produkti uz lapu 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Piešķirtā summa nevar būt negatīva DocType: Sales Order,Billing Status,Norēķinu statuss apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Ziņojiet par problēmu @@ -4176,6 +4234,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90 Virs 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,Row # {0}: Journal Entry {1} nav konta {2} vai jau saskaņota pret citu talonu DocType: Supplier Scorecard Criteria,Criteria Weight,Kritērijs Svars +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Konts: maksājuma ievadīšanas laikā {0} nav atļauts DocType: Production Plan,Ignore Existing Projected Quantity,Ignorēt esošo projektēto daudzumu apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Atteikt apstiprinājuma paziņojumu DocType: Buying Settings,Default Buying Price List,Default Pirkšana Cenrādis @@ -4184,6 +4243,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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" DocType: Payment Entry,Payment Type,Maksājuma veids apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Lūdzu, izvēlieties partijai postenis {0}. Nevar atrast vienu partiju, kas atbilst šo prasību" @@ -4213,6 +4273,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Iepirkumu grozs iestatīj DocType: Journal Entry,Accounting Entries,Grāmatvedības Ieraksti 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'." +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: Journal Entry,Paid Loan,Apmaksāts aizdevums 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ņš @@ -4229,12 +4290,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks detaļas apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Nav laika uzskaites lapas DocType: GoCardless Mandate,GoCardless Customer,GoCardless klients apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,"Atstājiet Type {0} nevar veikt, nosūta" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Preces kods> Vienību grupa> Zīmols apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Uzturēšana Kalendārs nav radīts visiem posteņiem. Lūdzu, noklikšķiniet uz ""Generate sarakstā '" ,To Produce,Ražot DocType: Leave Encashment,Payroll,Algas 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","Par rindu {0} jo {1}. Lai iekļautu {2} vienības likmi, rindas {3} jāiekļauj arī" DocType: Healthcare Service Unit,Parent Service Unit,Vecāku servisa nodaļa DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikācija paketes par piegādi (drukāšanai) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Pakalpojuma līmeņa līgums tika atiestatīts. DocType: Bin,Reserved Quantity,Rezervēts daudzums apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Ievadiet derīgu e-pasta adresi apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Ievadiet derīgu e-pasta adresi @@ -4256,7 +4319,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Cena vai produkta atlaide apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Rindai {0}: ievadiet plānoto daudzumu DocType: Account,Income Account,Ienākumu konta -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klients> Klientu grupa> Teritorija DocType: Payment Request,Amount in customer's currency,Summa klienta valūtā apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Nodošana apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Piešķirot struktūras ... @@ -4279,6 +4341,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Jūs zaudēsiet iepriekš izveidoto rēķinu ierakstus. Vai tiešām vēlaties atjaunot šo abonementu? @@ -4334,11 +4397,10 @@ DocType: Additional Salary,HR User,HR User DocType: Bank Guarantee,Reference Document Name,Atsauces dokumenta nosaukums DocType: Purchase Invoice,Taxes and Charges Deducted,Nodokļi un maksājumi Atskaitīts DocType: Support Settings,Issues,Jautājumi -DocType: Shift Type,Early Exit Consequence after,Agrīnas izejas sekas pēc plkst DocType: Loyalty Program,Loyalty Program Name,Lojalitātes programmas nosaukums apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Statuss ir jābūt vienam no {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Atgādinājums atjaunināt nosūtīto GSTIN -DocType: Sales Invoice,Debit To,Debets +DocType: Discounted Invoice,Debit To,Debets DocType: Restaurant Menu Item,Restaurant Menu Item,Restorāna izvēlnes vienums DocType: Delivery Note,Required only for sample item.,Nepieciešams tikai paraugu posteni. DocType: Stock Ledger Entry,Actual Qty After Transaction,Faktiskais Daudz Pēc Darījuma @@ -4421,6 +4483,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Parametra nosaukums apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Atstājiet Pieteikumus ar statusu tikai "Apstiprināts" un "Noraidīts" var iesniegt apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Notiek kategoriju izveidošana ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Student Grupas nosaukums ir obligāta kārtas {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Apiet kredītlimita pārbaudi DocType: Homepage,Products to be shown on website homepage,"Produkti, kas jānorāda uz mājas lapā mājas lapā" DocType: HR Settings,Password Policy,Paroles politika apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,"Tas ir sakne klientu grupai, un to nevar rediģēt." @@ -4468,10 +4531,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),"Ja apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,"Lūdzu, iestatiet noklusējuma klientu restorāna iestatījumos" ,Salary Register,alga Reģistrēties DocType: Company,Default warehouse for Sales Return,Noklusējuma noliktava pārdošanas atgriešanai -DocType: Warehouse,Parent Warehouse,Parent Noliktava +DocType: Pick List,Parent Warehouse,Parent Noliktava DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},Default BOM nav atrasts postenī {0} un Project {1} +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" apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definēt dažādus aizdevumu veidus DocType: Bin,FCFS Rate,FCFS Rate @@ -4508,6 +4571,7 @@ DocType: Travel Itinerary,Lodging Required,Naktsmītne ir obligāta DocType: Promotional Scheme,Price Discount Slabs,Cenu atlaižu plāksnes DocType: Stock Reconciliation Item,Current Serial No,Pašreizējais sērijas Nr DocType: Employee,Attendance and Leave Details,Apmeklējums un informācija par atvaļinājumu +,BOM Comparison Tool,BOM salīdzināšanas rīks ,Requested,Pieprasīts apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Nav Piezīmes DocType: Asset,In Maintenance,Uzturēšanā @@ -4530,6 +4594,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Noklusētais pakalpojuma līmeņa līgums DocType: SG Creation Tool Course,Course Code,kursa kods apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Nav atļauts atlasīt vairāk nekā vienu {0} +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,"Par izejvielu daudzumu tiks lemts, pamatojoties uz gatavo preču daudzumu" DocType: Location,Parent Location,Vecāku atrašanās vieta DocType: POS Settings,Use POS in Offline Mode,Izmantojiet POS bezsaistes režīmā apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prioritāte ir mainīta uz {0}. @@ -4548,7 +4613,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Paraugu uzglabāšanas nolikt DocType: Company,Default Receivable Account,Default pasūtītāju konta apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Paredzētā daudzuma formula DocType: Sales Invoice,Deemed Export,Atzīta eksporta -DocType: Stock Entry,Material Transfer for Manufacture,Materiāls pārsūtīšana Ražošana +DocType: Pick List,Material Transfer for Manufacture,Materiāls pārsūtīšana Ražošana 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.,Atlaide Procentos var piemērot vai nu pret Cenrādī vai visām Cenrāža. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Grāmatvedības Entry par noliktavā DocType: Lab Test,LabTest Approver,LabTest apstiprinātājs @@ -4591,7 +4656,6 @@ DocType: Training Event,Theory,teorija apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Brīdinājums: Materiāls Pieprasītā Daudz ir mazāks nekā minimālais pasūtījums Daudz apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Konts {0} ir sasalusi DocType: Quiz Question,Quiz Question,Viktorīnas jautājums -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Piegādātājs> Piegādātāja tips 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" @@ -4622,6 +4686,7 @@ 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 DocType: Account,Expense Account,Izdevumu konts apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Krāsa @@ -4660,6 +4725,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Pārvaldīt tirdzn 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 DocType: Fee Validity,Visited yet,Apmeklēts vēl +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Jūs varat piedāvāt līdz pat 8 vienumiem. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Noliktavas ar esošo darījumu nevar pārvērst grupai. 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." @@ -4667,7 +4733,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4692,7 +4757,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM reklāmguvums DocType: Contract,Signee Details,Signee detaļas apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} pašlaik ir {1} Piegādātāju rādītāju karte, un šī piegādātāja RFQ ir jāizsaka piesardzīgi." DocType: Certified Consultant,Non Profit Manager,Bezpeļņas vadītājs -DocType: BOM,Total Cost(Company Currency),Kopējās izmaksas (Company valūta) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Sērijas Nr {0} izveidots DocType: Homepage,Company Description for website homepage,Uzņēmuma apraksts mājas lapas sākumlapā DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Par ērtības klientiem, šie kodi var izmantot drukas formātos, piemēram, rēķinos un pavadzīmēs" @@ -4721,7 +4785,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Pirkuma DocType: Amazon MWS Settings,Enable Scheduled Synch,Iespējot plānoto sinhronizāciju apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Lai DATETIME apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Baļķi uzturēšanai sms piegādes statusu -DocType: Shift Type,Early Exit Consequence,Agrīnas izejas sekas DocType: Accounts Settings,Make Payment via Journal Entry,Veikt maksājumus caur Journal Entry apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,"Lūdzu, neveidojiet vairāk par 500 vienībām vienlaikus" apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Printed On @@ -4778,6 +4841,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Crossed 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 +DocType: Plaid Settings,Plaid Secret,Pleds noslēpums DocType: Company,Date of Establishment,Izveides datums apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akadēmiskā termins ar šo "mācību gada" {0} un "Termina nosaukums" {1} jau eksistē. Lūdzu mainīt šos ierakstus un mēģiniet vēlreiz. @@ -4840,6 +4904,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Klienta veids DocType: Compensatory Leave Request,Leave Allocation,Atstājiet sadale DocType: Payment Request,Recipient Message And Payment Details,Saņēmēja ziņu un apmaksas detaļas +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,"Lūdzu, atlasiet piegādes pavadzīmi" DocType: Support Search Source,Source DocType,Avots DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Atveriet jaunu biļeti DocType: Training Event,Trainer Email,treneris Email @@ -4962,6 +5027,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""No Datuma 'jābūt pēc"" Uz Datumu'" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Šim apzīmējumam nav atrasts personāla plāns apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Vienuma {1} partija {0} ir atspējota. @@ -4983,7 +5049,7 @@ DocType: Clinical Procedure,Patient,Pacienta apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Apvedceļa kredīta pārbaude pārdošanas pasūtījumā DocType: Employee Onboarding Activity,Employee Onboarding Activity,Darbinieku borta darbība DocType: Location,Check if it is a hydroponic unit,"Pārbaudiet, vai tā ir hidroponiska ierīce" -DocType: Stock Reconciliation Item,Serial No and Batch,Sērijas Nr un partijas +DocType: Pick List Item,Serial No and Batch,Sērijas Nr un partijas DocType: Warranty Claim,From Company,No Company DocType: GSTR 3B Report,January,Janvārī apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summa rādītājus vērtēšanas kritēriju jābūt {0}. @@ -5008,7 +5074,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Atlaide 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Netika atrasta neviena {0} starpuzņēmuma Darījumu gadījumā. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,kredītnoteikums_amt 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/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredīts kontā jābūt bilance konts @@ -5041,11 +5106,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Izmaksu cent 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,atlikušais DocType: Appraisal,Appraisal,Novērtējums DocType: Loan,Loan Account,Kredīta konts apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Derīgi no un derīgi līdz pat laukiem ir obligāti kumulatīvajam +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Vienumam {0}, kas atrodas rindā {1}, sērijas numuru skaits neatbilst izvēlētajam daudzumam" DocType: Purchase Invoice,GST Details,GST detaļas apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Tas ir balstīts uz darījumiem ar šo veselības aprūpes speciālistu. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-pasts nosūtīts piegādātājam {0} @@ -5109,6 +5176,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruto iepakojuma svars. Parasti neto svars + iepakojuma materiālu svara. (Drukāšanai) DocType: Assessment Plan,Program,programma DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Lietotāji ar šo lomu ir atļauts noteikt iesaldētos kontus, un izveidot / mainīt grāmatvedības ierakstus pret iesaldētos kontus" +DocType: Plaid Settings,Plaid Environment,Plaid vide ,Project Billing Summary,Projekta norēķinu kopsavilkums DocType: Vital Signs,Cuts,Izcirtņi DocType: Serial No,Is Cancelled,Tiek atcelta @@ -5171,7 +5239,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Piezīme: Sistēma nepārbaudīs pārāk piegādi un pār-rezervāciju postenī {0} kā daudzums vai vērtība ir 0 DocType: Issue,Opening Date,Atvēršanas datums apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,"Lūdzu, vispirms saglabājiet pacientu" -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Izveidot jaunu kontaktu apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Apmeklētība ir veiksmīgi atzīmēts. DocType: Program Enrollment,Public Transport,Sabiedriskais transports DocType: Sales Invoice,GST Vehicle Type,GST transportlīdzekļa tips @@ -5197,6 +5264,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,"Rēķini, 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Vispirms pievienojiet vienumus tabulā Vienumu atrašanās vietas DocType: Pricing Rule,Discount Amount,Atlaide Summa DocType: Pricing Rule,Period Settings,Perioda iestatījumi DocType: Purchase Invoice,Return Against Purchase Invoice,Atgriezties Pret pirkuma rēķina @@ -5229,7 +5297,6 @@ DocType: Assessment Plan,Assessment Plan,novērtējums Plan DocType: Travel Request,Fully Sponsored,Pilnībā sponsorēts apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Reversās žurnāla ieraksts apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Izveidot darba karti -DocType: Shift Type,Consequence after,Sekas pēc DocType: Quality Procedure Process,Process Description,Procesa apraksts apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Klients {0} ir izveidots. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Pašlaik nav nevienas noliktavas noliktavā @@ -5264,6 +5331,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Klīrenss Datums DocType: Delivery Settings,Dispatch Notification Template,Nosūtīšanas paziņojuma veidne apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Novērtējuma ziņojums apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Iegūstiet darbiniekus +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 @@ -5357,7 +5425,6 @@ DocType: Stock Settings,Use Naming Series,Izmantojiet nosaukumu sēriju apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Nekāda darbība apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Vērtēšanas veida maksājumus nevar atzīmēts kā Inclusive DocType: POS Profile,Update Stock,Update Stock -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" apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Different UOM objektus, novedīs pie nepareizas (kopā) Neto svars vērtību. Pārliecinieties, ka neto svars katru posteni ir tādā pašā UOM." DocType: Certification Application,Payment Details,Maksājumu informācija apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate @@ -5393,7 +5460,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,"Tas ir sakņu pārdošanas persona, un to nevar rediģēt." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ja izvēlēts, norādītais vai aprēķināta šā komponenta vērtība neveicinās ieņēmumiem vai atskaitījumiem. Tomēr tas ir vērtību var atsauce ar citiem komponentiem, kas var pievienot vai atskaita." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ja izvēlēts, norādītais vai aprēķināta šā komponenta vērtība neveicinās ieņēmumiem vai atskaitījumiem. Tomēr tas ir vērtību var atsauce ar citiem komponentiem, kas var pievienot vai atskaita." -DocType: Asset Settings,Number of Days in Fiscal Year,Dienu skaits fiskālajā gadā ,Stock Ledger,Stock Ledger DocType: Company,Exchange Gain / Loss Account,Exchange Gain / zaudējumu aprēķins DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials @@ -5429,6 +5495,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Kolonna bankas failā apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Atstāt lietojumprogrammu {0} jau pastāv pret studentu {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Rindā tiek atjaunināta pēdējā cena visās materiālu bilancēs. Tas var aizņemt dažas minūtes. +DocType: Pick List,Get Item Locations,Iegūstiet vienumu atrašanās vietas apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Nosaukums jaunu kontu. Piezīme: Lūdzu, nav izveidot klientu kontus un piegādātājiem" DocType: POS Profile,Display Items In Stock,Displeja preces noliktavā apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Valsts gudrs noklusējuma Adrese veidnes @@ -5452,6 +5519,7 @@ DocType: Crop,Materials Required,Nepieciešamie materiāli apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Nav studenti Atrasts DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Ikmēneša atbrīvojums no HRA DocType: Clinical Procedure,Medical Department,Medicīnas nodaļa +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Kopējais agrīnais izbraukums DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Piegādātāju rādītāju kartes kritēriji apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Rēķina Posting Date apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,pārdot @@ -5463,11 +5531,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Lūdzu, izdzēsiet darbinieku {0} \, lai atceltu šo dokumentu" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Out of AMC DocType: Opportunity,Opportunity Amount,Iespējas summa +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Tavs profils apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Skaits nolietojuma kartīti nedrīkst būt lielāks par kopskaita nolietojuma DocType: Purchase Order,Order Confirmation Date,Pasūtījuma apstiprinājuma datums DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5561,7 +5628,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Pastāv neatbilstība starp likmi, akciju skaitu un aprēķināto summu" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Jūs neatrodat visu dienu (-as) starp kompensācijas atvaļinājuma pieprasījuma dienām apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,"Lūdzu, atkārtoti tipa uzņēmuma nosaukums, lai apstiprinātu" -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Kopā Izcila Amt DocType: Journal Entry,Printing Settings,Drukāšanas iestatījumi DocType: Payment Order,Payment Order Type,Maksājuma uzdevuma tips DocType: Employee Advance,Advance Account,Avansa konts @@ -5651,7 +5717,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Gadā Name apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Ir vairāk svētku nekā darba dienu šajā mēnesī. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Pēc vienumiem {0} netiek atzīmēti kā {1} vienumi. Jūs varat tos iespējot kā {1} vienību no tā vienuma meistara -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC atsauces Nr DocType: Production Plan Item,Product Bundle Item,Produkta Bundle Prece DocType: Sales Partner,Sales Partner Name,Sales Partner Name apps/erpnext/erpnext/hooks.py,Request for Quotations,Pieprasījums citāti @@ -5660,19 +5725,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Lapas +DocType: Leave Ledger Entry,Leaves,Lapas DocType: Student Language,Student Language,Student valoda DocType: Cash Flow Mapping,Is Working Capital,Vai apgrozāmo kapitālu apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Iesniegt pierādījumu apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Pasūtījums / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Ierakstīt Pacientu Vitals DocType: Fee Schedule,Institution,iestāde -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: Asset,Partially Depreciated,daļēji to nolietojums DocType: Issue,Opening Time,Atvēršanas laiks apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,No un uz datumiem nepieciešamo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Vērtspapīru un preču biržu -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Zvana kopsavilkums līdz {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Dokumentu meklēšana apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default mērvienība Variant '{0}' jābūt tāds pats kā Template '{1}' DocType: Shipping Rule,Calculate Based On,"Aprēķināt, pamatojoties uz" @@ -5719,6 +5782,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimālā pieļaujamā vērtība DocType: Journal Entry Account,Employee Advance,Darbinieku avanss DocType: Payroll Entry,Payroll Frequency,Algas Frequency +DocType: Plaid Settings,Plaid Client ID,Plaid Client ID DocType: Lab Test Template,Sensitivity,Jutīgums DocType: Plaid Settings,Plaid Settings,Pledu iestatījumi apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Sinhronizācija ir īslaicīgi atspējota, jo maksimālais mēģinājums ir pārsniegts" @@ -5736,6 +5800,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Lūdzu, izvēlieties Publicēšanas datums pirmais" apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Atvēršanas datums būtu pirms slēgšanas datums DocType: Travel Itinerary,Flight,Lidojums +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Atpakaļ uz mājām DocType: Leave Control Panel,Carry Forward,Virzīt uz priekšu apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,"Izmaksas Center ar esošajiem darījumiem, nevar pārvērst par virsgrāmatā" DocType: Budget,Applicable on booking actual expenses,Attiecas uz faktisko izdevumu rezervēšanu @@ -5792,6 +5857,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Izveidot citāts apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Jums nav atļauts apstiprināt lapas par Grantu datumi apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} {1} pieprasījums apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Visi šie posteņi jau rēķinā +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"{0} {1} netika atrasts neviens neapmaksāts rēķins, kas atbilst jūsu norādītajiem filtriem." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Iestatiet jaunu izlaišanas datumu DocType: Company,Monthly Sales Target,Ikmēneša pārdošanas mērķis apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nav atrasts neviens neapmaksāts rēķins @@ -5839,6 +5905,7 @@ DocType: Batch,Source Document Name,Avota Dokumenta nosaukums DocType: Batch,Source Document Name,Avota Dokumenta nosaukums DocType: Production Plan,Get Raw Materials For Production,Iegūstiet izejvielas ražošanas vajadzībām DocType: Job Opening,Job Title,Amats +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Nākotnes maksājuma atsauce apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} norāda, ka {1} nesniegs citātu, bet visas pozīcijas \ ir citētas. RFQ citātu statusa atjaunināšana." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimālais paraugu skaits - {0} jau ir saglabāts partijai {1} un vienumam {2} partijā {3}. @@ -5849,12 +5916,10 @@ 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: Company,Product Code,Produkta kods DocType: Quality Review Table,Objective,Objektīvs DocType: Supplier Scorecard,Per Month,Mēnesī DocType: Education Settings,Make Academic Term Mandatory,Padarīt akadēmisko termiņu obligāti -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,"Daudzums, ražošana jābūt lielākam par 0." -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,"Aprēķināt aprēķināto nolietojuma grafiku, pamatojoties uz fiskālo gadu" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,"Daudzums, ražošana jābūt lielākam par 0." apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Apmeklējiet pārskatu uzturēšanas zvanu. DocType: Stock Entry,Update Rate and Availability,Atjaunināšanas ātrumu un pieejamība 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.,"Procents jums ir atļauts saņemt vai piegādāt vairāk pret pasūtīto daudzumu. Piemēram: Ja esi pasūtījis 100 vienības. un jūsu pabalsts ir, tad jums ir atļauts saņemt 110 vienības 10%." @@ -5866,7 +5931,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Izdošanas datumam jābūt nākotnē DocType: BOM,Website Description,Mājas lapa Apraksts apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Neto pašu kapitāla izmaiņas -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Lūdzu atcelt pirkuma rēķina {0} pirmais apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,"Nav atļauts. Lūdzu, atspējojiet servisa vienības veidu" apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-pasta adrese ir unikāls, jau pastāv {0}" DocType: Serial No,AMC Expiry Date,AMC Derīguma termiņš @@ -5910,6 +5974,7 @@ DocType: Pricing Rule,Price Discount Scheme,Cenu atlaižu shēma apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,"Uzturēšanas statuss ir jāatceļ vai jāaizpilda, lai iesniegtu" DocType: Amazon MWS Settings,US,ASV DocType: Holiday List,Add Weekly Holidays,Pievienot nedēļas brīvdienas +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Pārskata vienums DocType: Staffing Plan Detail,Vacancies,Vakances DocType: Hotel Room,Hotel Room,Viesnicas istaba apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Konts {0} nav pieder uzņēmumam {1} @@ -5961,12 +6026,15 @@ DocType: Email Digest,Open Quotations,Atvērtās kvotas 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Lūdzu, izdzēsiet darbinieku {0} \, lai atceltu šo dokumentu" 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 @@ -5980,6 +6048,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Brīvs DocType: Patient,Alcohol Past Use,Alkohola iepriekšējā lietošana DocType: Fertilizer Content,Fertilizer Content,Mēslošanas līdzekļa saturs +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Nav apraksta apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Norēķinu Valsts DocType: Quality Goal,Monitoring Frequency,Monitoringa biežums @@ -5997,6 +6066,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Beidzas Laika datums nevar būt pirms Nākamā kontakta datuma. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Partiju ieraksti DocType: Journal Entry,Pay To / Recd From,Pay / Recd No +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Nepublicēt vienumu DocType: Naming Series,Setup Series,Dokumentu numuru Iestatījumi DocType: Payment Reconciliation,To Invoice Date,Lai rēķina datuma DocType: Bank Account,Contact HTML,Contact HTML @@ -6018,6 +6088,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Mazumtirdzniecība DocType: Student Attendance,Absent,Nekonstatē DocType: Staffing Plan,Staffing Plan Detail,Personāla plāns DocType: Employee Promotion,Promotion Date,Reklamēšanas datums +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Atvaļinājumu piešķiršana% s ir saistīta ar atvaļinājuma pieteikumu% s 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} @@ -6052,9 +6123,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Rēķins {0} vairs nepastāv DocType: Guardian Interest,Guardian Interest,Guardian Procentu DocType: Volunteer,Availability,Pieejamība +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Atvaļinājumu pieteikums ir saistīts ar atvaļinājumu piešķiršanu {0}. Atvaļinājuma pieteikumu nevar iestatīt kā atvaļinājumu bez algas apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Iestatiet POS rēķinu noklusējuma vērtības DocType: Employee Training,Training,treniņš DocType: Project,Time to send,"Laiks, lai nosūtītu" +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Šajā lapā tiek uzskaitītas jūsu preces, par kurām pircēji ir izrādījuši interesi." DocType: Timesheet,Employee Detail,Darbinieku Detail apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Iestatiet noliktavas procedūru {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID @@ -6155,12 +6228,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,atklāšanas Value DocType: Salary Component,Formula,Formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Sērijas # -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: 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/setup/doctype/company/company.py,Sales Account,Pārdošanas konts DocType: Purchase Invoice Item,Total Weight,Kopējais svars +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}" @@ -6184,6 +6257,7 @@ DocType: Company,Default Employee Advance Account,Nodarbinātāja avansa konts apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Meklēt vienumu (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Konts ar esošo darījumu nevar izdzēst +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,"Kāpēc, jūsuprāt, šis postenis ir jāsvītro?" DocType: Vehicle,Last Carbon Check,Pēdējais Carbon pārbaude apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Juridiskie izdevumi apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,"Lūdzu, izvēlieties daudzums uz rindu" @@ -6203,6 +6277,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Avārija DocType: Travel Itinerary,Vegetarian,Veģetārietis DocType: Patient Encounter,Encounter Date,Saskarsmes datums +DocType: Work Order,Update Consumed Material Cost In Project,Atjauniniet patērētās materiālu izmaksas projektā apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konts: {0} ar valūtu: {1} nevar atlasīt DocType: Bank Statement Transaction Settings Item,Bank Data,Bankas dati DocType: Purchase Receipt Item,Sample Quantity,Parauga daudzums @@ -6257,7 +6332,7 @@ DocType: GSTR 3B Report,April,Aprīlī 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Piezīme: postenis {0} ieraksta vairākas reizes +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Piezīme: postenis {0} ieraksta vairākas reizes apps/erpnext/erpnext/config/buying.py,All Contacts.,Visi Kontakti. DocType: Accounting Period,Closed Documents,Slēgtie dokumenti 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 @@ -6339,9 +6414,7 @@ DocType: Member,Membership Type,Dalības veids ,Reqd By Date,Reqd pēc datuma apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Kreditori DocType: Assessment Plan,Assessment Name,novērtējums Name -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Parādiet PDC drukā apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Sērijas numurs ir obligāta -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Par {0} {1} netika atrasti neapmaksāti rēķini. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Postenis Wise Nodokļu Detail DocType: Employee Onboarding,Job Offer,Darba piedāvājums apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute saīsinājums @@ -6400,6 +6473,7 @@ DocType: Serial No,Out of Warranty,No Garantijas DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mape datu tips DocType: BOM Update Tool,Replace,Aizstāt apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Nav produktu atrasts. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Publicēt vairāk vienumu apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Šis pakalpojuma līmeņa līgums attiecas tikai uz klientu {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} pret pārdošanas rēķinu {1} DocType: Antibiotic,Laboratory User,Laboratorijas lietotājs @@ -6422,7 +6496,6 @@ DocType: Payment Order Reference,Bank Account Details,Bankas konta dati DocType: Purchase Order Item,Blanket Order,Sega pasūtījums 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Ražošanas rīkojums ir {0} DocType: BOM Item,BOM No,BOM Nr 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 @@ -6496,6 +6569,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Ar nodokli apliekamas piegādes (nulles likme) DocType: BOM,Materials Required (Exploded),Nepieciešamie materiāli (eksplodēja) 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/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 @@ -6553,7 +6627,6 @@ DocType: Pricing Rule,Same Item,Tā pati prece DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry DocType: Quality Action Resolution,Quality Action Resolution,Kvalitātes rīcības rezolūcija apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} pusdienā Atstājiet {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Same postenis ir ievadīts vairākas reizes DocType: Department,Leave Block List,Atstājiet Block saraksts DocType: Purchase Invoice,Tax ID,Nodokļu ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Postenis {0} nav setup Serial Nr. Kolonnas jābūt tukšs @@ -6591,7 +6664,7 @@ DocType: Cheque Print Template,Distance from top edge,Attālums no augšējās m 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ē DocType: Purchase Invoice,Return,Atgriešanās -DocType: Accounting Dimension,Disable,Atslēgt +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" DocType: Task,Pending Review,Kamēr apskats apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Rediģējiet pilnā lapā, lai iegūtu vairāk iespēju, piemēram, aktīvus, sērijas numurus, sērijas utt." @@ -6705,7 +6778,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Kombinētajai rēķina daļai jābūt vienādai ar 100% DocType: Item Default,Default Expense Account,Default Izdevumu konts DocType: GST Account,CGST Account,CGST konts -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Preces kods> Vienību grupa> Zīmols apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student Email ID DocType: Employee,Notice (days),Paziņojums (dienas) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS slēgšanas vaučeru rēķini @@ -6716,6 +6788,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Izvēlētos objektus, lai saglabātu rēķinu" DocType: Employee,Encashment Date,Inkasācija Datums DocType: Training Event,Internet,internets +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Informācija par pārdevēju DocType: Special Test Template,Special Test Template,Īpašās pārbaudes veidne DocType: Account,Stock Adjustment,Stock korekcija apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Default darbības izmaksas pastāv darbības veidam - {0} @@ -6728,7 +6801,6 @@ 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 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" -DocType: Company,Bank Remittance Settings,Bankas pārskaitījuma iestatījumi apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Vidējā likme 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 @@ -6756,6 +6828,7 @@ DocType: Grading Scale Interval,Threshold,slieksnis apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtrēt darbiniekus pēc (neobligāti) DocType: BOM Update Tool,Current BOM,Pašreizējā BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Līdzsvars (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Gatavo preču daudzums apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Pievienot Sērijas nr DocType: Work Order Item,Available Qty at Source Warehouse,Pieejams Daudz at Avots noliktavā apps/erpnext/erpnext/config/support.py,Warranty,garantija @@ -6834,7 +6907,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Šeit jūs varat saglabāt augstumu, svaru, alerģijas, medicīnas problēmas utt" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Notiek kontu izveidošana ... DocType: Leave Block List,Applies to Company,Attiecas uz Company -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nevar atcelt, jo iesniegts Stock Entry {0} eksistē" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nevar atcelt, jo iesniegts Stock Entry {0} eksistē" DocType: Loan,Disbursement Date,izmaksu datums DocType: Service Level Agreement,Agreement Details,Informācija par līgumu apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Līguma sākuma datums nedrīkst būt lielāks vai vienāds ar beigu datumu. @@ -6843,6 +6916,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medicīniskais ieraksts DocType: Vehicle,Vehicle,transporta līdzeklis DocType: Purchase Invoice,In Words,In Words +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Līdz šim jābūt pirms datuma apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Pirms iesniegšanas ievadiet bankas vai kredītiestādes nosaukumu. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} jāiesniedz DocType: POS Profile,Item Groups,postenis Grupas @@ -6915,7 +6989,6 @@ DocType: Customer,Sales Team Details,Sales Team Details apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Izdzēst neatgriezeniski? DocType: Expense Claim,Total Claimed Amount,Kopējais pieprasītā summa apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potenciālie iespējas pārdot. -DocType: Plaid Settings,Link a new bank account,Piesaistiet jaunu bankas kontu apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} nav derīgs apmeklējuma statuss. DocType: Shareholder,Folio no.,Folio Nr. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Nederīga {0} @@ -6931,7 +7004,6 @@ DocType: Production Plan,Material Requested,Pieprasītais materiāls DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Rezervēts daudzums apakšlīgumam DocType: Patient Service Unit,Patinet Service Unit,Patinet servisa vienība -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Ģenerēt teksta failu DocType: Sales Invoice,Base Change Amount (Company Currency),Base Change Summa (Company valūta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Nav grāmatvedības ieraksti par šādām noliktavām apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Tikai {0} krājumā vienumam {1} @@ -6945,6 +7017,7 @@ DocType: Item,No of Months,Mēnešu skaits DocType: Item,Max Discount (%),Max Atlaide (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Kredītu dienas nevar būt negatīvs skaitlis apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Augšupielādējiet paziņojumu +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Ziņot par šo vienumu DocType: Purchase Invoice Item,Service Stop Date,Servisa pārtraukšanas datums apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Pēdējā pasūtījuma Summa DocType: Cash Flow Mapper,e.g Adjustments for:,Pielāgojumi: @@ -7038,16 +7111,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Darbinieku atbrīvojuma no nodokļiem kategorija apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Summai nevajadzētu būt mazākai par nulli. DocType: Sales Invoice,C-Form Applicable,C-Form Piemērojamais -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Darbība Time jābūt lielākam par 0 ekspluatācijai {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Darbība Time jābūt lielākam par 0 ekspluatācijai {0} DocType: Support Search Source,Post Route String,Pasta maršruta virkne apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Noliktava ir obligāta apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Neizdevās izveidot vietni DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Conversion Detail apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Uzņemšana un uzņemšana -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Saglabāto krājumu ieraksts jau ir izveidots vai parauga daudzums nav norādīts +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Saglabāto krājumu ieraksts jau ir izveidots vai parauga daudzums nav norādīts DocType: Program,Program Abbreviation,Program saīsinājums -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Ražošanas rīkojums nevar tikt izvirzīts pret Vienības Template apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupa pēc kupona (konsolidēts) DocType: HR Settings,Encrypt Salary Slips in Emails,Šifrējiet algu paslīdēšanu e-pastā DocType: Question,Multiple Correct Answer,Vairāki pareiza atbilde @@ -7094,7 +7166,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Nulle tiek novērtēta v DocType: Employee,Educational Qualification,Izglītības Kvalifikācijas DocType: Workstation,Operating Costs,Ekspluatācijas Izmaksas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Valūta {0} ir {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Iebraukšanas labvēlības perioda sekas DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Atzīmējiet apmeklējumu, pamatojoties uz 'Darbinieku reģistrēšanās' darbiniekiem, kuri norīkoti šai maiņai." DocType: Asset,Disposal Date,Atbrīvošanās datums DocType: Service Level,Response and Resoution Time,Reakcijas un atkārtotas darbības laiks @@ -7143,6 +7214,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Pabeigšana Datums DocType: Purchase Invoice Item,Amount (Company Currency),Summa (Company valūta) DocType: Program,Is Featured,Ir piedāvāts +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Notiek ielāde ... DocType: Agriculture Analysis Criteria,Agriculture User,Lauksaimnieks lietotājs apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Derīga līdz datumam nevar būt pirms darījuma datuma apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,"{0} vienības {1} nepieciešama {2} uz {3} {4} uz {5}, lai pabeigtu šo darījumu." @@ -7175,7 +7247,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Kopējais apmaksātais Amt 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 @@ -7199,6 +7270,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonīms apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Saņemts no DocType: Lead,Converted,Konvertē DocType: Item,Has Serial No,Ir Sērijas nr +DocType: Stock Entry Detail,PO Supplied Item,Piegādes prece 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} @@ -7313,7 +7385,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Sinhronizēt nodokļus un n 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Default BOM par {0} nav atrasts +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,"Pieskarieties objektus, lai pievienotu tos šeit" @@ -7349,7 +7421,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Uzturēšana Datums DocType: Purchase Invoice Item,Rejected Serial No,Noraidīts Sērijas Nr apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Gadu sākuma datums vai beigu datums ir pārklāšanās ar {0}. Lai izvairītos lūdzu iestatītu uzņēmumu -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Lūdzu, norādiet svina nosaukumu vadībā {0}" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Sākuma datums ir jābūt mazākam par beigu datumu postenī {0} DocType: Shift Type,Auto Attendance Settings,Auto apmeklējumu iestatījumi @@ -7359,9 +7430,11 @@ DocType: Upload Attendance,Upload Attendance,Augšupielāde apmeklējums apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM un ražošana daudzums ir nepieciešami apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Novecošana Range 2 DocType: SG Creation Tool Course,Max Strength,Max Stiprums +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Konts {0} jau pastāv bērnu uzņēmumā {1}. Šiem laukiem ir dažādas vērtības, tiem jābūt vienādiem:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Iepriekš iestatīto instalēšana DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Klientam nav izvēlēta piegādes piezīme {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Rindas pievienotas mapē {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Darbiniekam {0} nav maksimālās labuma summas apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,"Atlasiet vienumus, pamatojoties uz piegādes datumu" DocType: Grant Application,Has any past Grant Record,Vai ir kāds pagātnes Granta ieraksts @@ -7407,6 +7480,7 @@ DocType: Fees,Student Details,Studentu detaļas DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".","Šis ir noklusējuma UOM, ko izmanto priekšmetiem un pārdošanas pasūtījumiem. Rezerves UOM ir “Nos”." DocType: Purchase Invoice Item,Stock Qty,Stock Daudz DocType: Purchase Invoice Item,Stock Qty,Stock Daudz +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 DocType: Loan,Repayment Period in Months,Atmaksas periods mēnešos @@ -7435,6 +7509,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Atlaide apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Kontrolsaraksts uzdevumiem. DocType: Purchase Invoice,Against Expense Account,Pret Izdevumu kontu apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Jau ir iesniegta uzstādīšana Note {0} +DocType: BOM,Raw Material Cost (Company Currency),Izejvielu izmaksas (uzņēmuma valūta) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},"Mājas īres maksas dienas, kas pārklājas ar {0}" DocType: GSTR 3B Report,October,Oktobris DocType: Bank Reconciliation,Get Payment Entries,Iegūt Maksājumu Ieraksti @@ -7482,15 +7557,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Pieejams izmantošanas datums ir nepieciešams DocType: Request for Quotation,Supplier Detail,piegādātājs Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Kļūda formulu vai stāvoklī: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Rēķinā summa +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Rēķinā summa apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kritēriju svariem jābūt līdz 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Apmeklētība apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,akciju preces DocType: Sales Invoice,Update Billed Amount in Sales Order,Atjaunināt norēķinu summu pārdošanas rīkojumā +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Sazināties ar pārdevēju 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Vārdos būs redzams pēc tam, kad esat saglabāt pirkuma pasūtījuma." @@ -7504,6 +7581,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Cenrādis meistars. DocType: Task,Review Date,Pārskatīšana Datums DocType: BOM,Allow Alternative Item,Atļaut alternatīvu vienumu +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Pirkuma kvītī nav nevienas preces, kurai ir iespējota funkcija Saglabāt paraugu." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Rēķins kopā DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Aktīvu nolietojuma ierakstu sērija (žurnāla ieraksts) DocType: Membership,Member Since,Biedrs kopš @@ -7513,6 +7591,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,No kopējiem neto 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},Cenas atribūtu {0} ir jābūt robežās no {1} līdz {2} Jo soli {3} uz posteni {4} DocType: Pricing Rule,Product Discount Scheme,Produktu atlaižu shēma +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Zvanītājs nav izvirzījis nevienu problēmu. DocType: Restaurant Reservation,Waitlisted,Waitlisted DocType: Employee Tax Exemption Declaration Category,Exemption Category,Atbrīvojuma kategorija apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valūtas nevar mainīt pēc tam ierakstus izmantojot kādu citu valūtu @@ -7526,7 +7605,6 @@ DocType: Customer Group,Parent Customer Group,Parent Klientu Group apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-ceļa rēķinu JSON var ģenerēt tikai no pārdošanas rēķina apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Ir sasniegti maksimālie mēģinājumi šajā viktorīnā. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonēšana -DocType: Purchase Invoice,Contact Email,Kontaktpersonas e-pasta apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Maksas izveidošana ir gaidāma DocType: Project Template Task,Duration (Days),Ilgums (dienas) DocType: Appraisal Goal,Score Earned,Score Nopelnītās @@ -7552,7 +7630,6 @@ DocType: Landed Cost Item,Landed Cost Item,Izkrauti izmaksu pozīcijas 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Viena darījuma summa pārsniedz maksimāli pieļaujamo summu, sadalot darījumus, izveidojiet atsevišķu maksājuma uzdevumu" 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 @@ -7723,6 +7800,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Pieej DocType: Quality Inspection Reading,Reading 3,Lasīšana 3 DocType: Stock Entry,Source Warehouse Address,Avota noliktavas adrese DocType: GL Entry,Voucher Type,Kuponu Type +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Nākotnes maksājumi 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 @@ -7749,6 +7827,7 @@ DocType: Travel Request,Identification Document Number,Identifikācijas dokument 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." DocType: Sales Invoice,Customer GSTIN,Klientu GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Laukā konstatēto slimību saraksts. Pēc izvēles tas automātiski pievienos uzdevumu sarakstu, lai risinātu šo slimību" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,1. BOM apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,"Šī ir galvenā veselības aprūpes pakalpojumu vienība, un to nevar rediģēt." DocType: Asset Repair,Repair Status,Remonta stāvoklis 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." @@ -7763,6 +7842,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Konts Mainīt summa DocType: QuickBooks Migrator,Connecting to QuickBooks,Savienošana ar QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Kopējā peļņa / zaudējumi +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Izveidot izvēles sarakstu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Party / Account nesakrīt ar {1} / {2} jo {3} {4} DocType: Employee Promotion,Employee Promotion,Darbinieku veicināšana DocType: Maintenance Team Member,Maintenance Team Member,Tehniskās apkopes komandas biedrs @@ -7846,6 +7926,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto darba samaksa nevar būt negatīvs @@ -7877,7 +7958,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Kvalitātes mērķis DocType: BOM,Item to be manufactured or repacked,Postenis tiks ražots pārsaiņojamā apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Sintakses kļūda stāvoklī: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Neviena problēma nav raduša klients. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Lielākie / Izvēles priekšmeti apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,"Lūdzu, iestatiet piegādātāju grupu iestatījumu pirkšanā." @@ -7970,8 +8050,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Kredīta dienas apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,"Lūdzu, izvēlieties Pacientu, lai saņemtu Lab testus" DocType: Exotel Settings,Exotel Settings,Exotel iestatījumi -DocType: Leave Type,Is Carry Forward,Vai Carry Forward +DocType: Leave Ledger Entry,Is Carry Forward,Vai Carry Forward DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Darba laiks, zem kura tiek atzīmēts prombūtnes laiks. (Nulle atspējot)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Nosūtīt ziņu apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Dabūtu preces no BOM 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 diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv index 9fe1e5025c..315ebb2880 100644 --- a/erpnext/translations/mk.csv +++ b/erpnext/translations/mk.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Известете го снабдувачот apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Ве молиме изберете партија Тип прв DocType: Item,Customer Items,Теми на клиентите +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Обврски DocType: Project,Costing and Billing,Трошоци и регистрации apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Авансната валута на сметката треба да биде иста како валута на компанијата {0} DocType: QuickBooks Migrator,Token Endpoint,Крајна точка на токенот @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Стандардно единица мер DocType: SMS Center,All Sales Partner Contact,Сите Продажбата партнер контакт DocType: Department,Leave Approvers,Остави Approvers DocType: Employee,Bio / Cover Letter,Био / писмо +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Пребарај предмети ... DocType: Patient Encounter,Investigations,Истраги DocType: Restaurant Order Entry,Click Enter To Add,Кликнете Enter за да додадете apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Недостасува вредност за лозинка, API клуч или Употреба на УРЛ-адреса" DocType: Employee,Rented,Изнајмени apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Сите сметки apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Не може да се префрли на вработениот со статус Лево -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Престана производството со цел да не може да биде укинат, отпушвам тоа прво да го откажете" DocType: Vehicle Service,Mileage,километражата apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Дали навистина сакате да ја укине оваа предност? DocType: Drug Prescription,Update Schedule,Распоред за ажурирање @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Клиент DocType: Purchase Receipt Item,Required By,Бара од страна на DocType: Delivery Note,Return Against Delivery Note,Врати против Испратница DocType: Asset Category,Finance Book Detail,Детали за книгата за финансии +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Сите амортизации се резервирани DocType: Purchase Order,% Billed,% Опишан apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Број на платен список apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Девизниот курс мора да биде иста како {0} {1} ({2}) @@ -95,6 +97,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Серија ставка истечен статус apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Банкарски Draft DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Вкупно доцни записи DocType: Mode of Payment Account,Mode of Payment Account,Начин на плаќање сметка apps/erpnext/erpnext/config/healthcare.py,Consultation,Консултација DocType: Accounts Settings,Show Payment Schedule in Print,Прикажи го распоредот за исплата во печатење @@ -122,6 +125,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,З apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Основни детали за контакт apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,отворени прашања DocType: Production Plan Item,Production Plan Item,Производство план Точка +DocType: Leave Ledger Entry,Leave Ledger Entry,Остави го влезот на Леџер 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,Создадете водство @@ -140,6 +144,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,М DocType: Purchase Invoice Item,Item Weight Details,Детали за телесната тежина DocType: Asset Maintenance Log,Periodicity,Поените apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Фискална година {0} е потребен +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Нето добивка / Загуба DocType: Employee Group Table,ERPNext User ID,Корисничко име на ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Минималното растојание меѓу редовите на растенијата за оптимален раст apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Изберете Пациент за да добиете пропишана постапка @@ -167,10 +172,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Продажба на ценовник DocType: Patient,Tobacco Current Use,Тековна употреба на тутун apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Продажба стапка -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Зачувајте го вашиот документ пред да додадете нова сметка 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 ...,Пребарај за било што ... DocType: Company,Phone No,Телефон број DocType: Delivery Trip,Initial Email Notification Sent,Испратена е почетна е-пошта DocType: Bank Statement Settings,Statement Header Mapping,Мапирање на заглавјето на изјавите @@ -233,6 +238,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Пе DocType: Exchange Rate Revaluation Account,Gain/Loss,Добивка / загуба DocType: Crop,Perennial,Повеќегодишна DocType: Program,Is Published,Објавено е +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Покажете белешки за испорака apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","За да дозволите надплаќање, ажурирајте го „Надоместокот за наплата“ во поставките за сметките или предметот." DocType: Patient Appointment,Procedure,Постапка DocType: Accounts Settings,Use Custom Cash Flow Format,Користете формат за прилагодени парични текови @@ -262,7 +268,6 @@ 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} DocType: Leave Policy,Leave Policy Details,Остави детали за политиката DocType: BOM,Item Image (if not slideshow),Точка слика (доколку не слајдшоу) -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} е задолжително за генерирање на плаќања од дознаки, поставете го полето и обидете се повторно" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Час Оцени / 60) * Крај на време операција apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ред # {0}: Тип на референтен документ мора да биде еден од тврдењата за трошок или запис на дневникот apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,изберете Бум @@ -282,6 +287,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Отплати текот број на периоди apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Количината за производство не може да биде помала од Нулта DocType: Stock Entry,Additional Costs,Е вклучена во цената +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Сметка со постојните трансакцијата не може да се конвертира во групата. DocType: Lead,Product Enquiry,Производ пребарување DocType: Education Settings,Validate Batch for Students in Student Group,Потврдете Batch за студентите во студентските група @@ -293,7 +299,9 @@ DocType: Employee Education,Under Graduate,Под Додипломски apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Ве молиме поставете стандарден образец за известување за статусот за напуштање во поставките за човечки ресурси. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,На цел DocType: BOM,Total Cost,Вкупно Трошоци +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Распределбата истече! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Максимални пренесени лисја DocType: Salary Slip,Employee Loan,вработен кредит DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Испрати е-пошта за барање за исплата @@ -303,6 +311,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Нед apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Состојба на сметката apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Лекови DocType: Purchase Invoice Item,Is Fixed Asset,Е фиксни средства +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Покажете идни исплати DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Оваа банкарска сметка е веќе синхронизирана DocType: Homepage,Homepage Section,Дел @@ -349,7 +358,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Ѓубрива apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",Не може да се обезбеди испорака од страна на Сериски број како што се додава \ Item {0} со и без Обезбедете испорака со \ Сериски број -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Ве молиме, поставете Систем за именување на инструктори во образованието> Поставки за образование" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Потребна е барем еден начин за плаќање на POS фактура. DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Точка за трансакциска фактура на банкарска изјава DocType: Salary Detail,Tax on flexible benefit,Данок на флексибилна корист @@ -423,6 +431,7 @@ DocType: Job Offer,Select Terms and Conditions,Изберете Услови и apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Од вредност DocType: Bank Statement Settings Item,Bank Statement Settings Item,Точка за подесување на изјава за банка DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings +DocType: Leave Ledger Entry,Transaction Name,Име на трансакција DocType: Production Plan,Sales Orders,Продај Нарачка apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Повеќекратна Програма за лојалност е пронајдена за купувачот. Изберете рачно. DocType: Purchase Taxes and Charges,Valuation,Вреднување @@ -457,6 +466,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: 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,Ажурирање на е-мејл група DocType: POS Profile,Only show Customer of these Customer Groups,Покажете само Клиент на овие групи на клиенти DocType: Sales Invoice,Is Opening Entry,Се отвора Влегување @@ -465,8 +475,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Да се наведе ако нестандардни побарувања сметка за важечките 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,Внесувањето на акции е веќе создадено против овој избор на списоци DocType: Supplier Scorecard,Criteria Setup,Поставување критериуми -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,За Магацински се бара пред Поднесете +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,Добиени на DocType: Codification Table,Medical Code,Медицински законик apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Поврзете го Амазон со ERPNext @@ -482,7 +493,7 @@ DocType: Restaurant Order Entry,Add Item,Додај ставка DocType: Party Tax Withholding Config,Party Tax Withholding Config,Партија за задржување на данокот на партијата DocType: Lab Test,Custom Result,Прилагоден резултат apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Додадени се банкарски сметки -DocType: Delivery Stop,Contact Name,Име за Контакт +DocType: Call Log,Contact Name,Име за Контакт DocType: Plaid Settings,Synchronize all accounts every hour,Синхронизирајте ги сите сметки на секој час DocType: Course Assessment Criteria,Course Assessment Criteria,Критериуми за оценување на курсот DocType: Pricing Rule Detail,Rule Applied,Применливо правило @@ -526,7 +537,6 @@ 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,Продажна Фактура Бр. -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Непознат број DocType: Website Filter Field,Website Filter Field,Поле за филтрирање на веб-страница apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Тип на снабдување DocType: Material Request Item,Min Order Qty,Минимална Подреди Количина @@ -554,7 +564,6 @@ DocType: Salary Slip,Total Principal Amount,Вкупен главен износ DocType: Student Guardian,Relation,Врска DocType: Quiz Result,Correct,Правилно DocType: Student Guardian,Mother,мајка -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,"Ве молиме, прво додајте валидни АПИ клучеви во страницата_config.json" DocType: Restaurant Reservation,Reservation End Time,Резервирано време за резервација DocType: Crop,Biennial,Биенале ,BOM Variance Report,Извештај за варијанса на БОМ @@ -569,6 +578,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,Кариран јавен клуч DocType: Payment Term,Payment Term Name,Име на терминот за плаќање DocType: Healthcare Settings,Create documents for sample collection,Креирајте документи за собирање примероци apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Плаќање против {0} {1} не може да биде поголем од преостанатиот износ за наплата {2} @@ -616,12 +626,14 @@ DocType: POS Profile,Offline POS Settings,Офлајн ПОС поставки DocType: Stock Entry Detail,Reference Purchase Receipt,Референтна сметка за купување DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Варијанта на -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Завршено Количина не може да биде поголем од "Количина на производство" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Завршено Количина не може да биде поголем од "Количина на производство" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Период врз основа на DocType: Period Closing Voucher,Closing Account Head,Завршната сметка на главата DocType: Employee,External Work History,Надворешни Историја работа apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Кружни Суд Грешка apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Студентски извештај картичка apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Од Пин код +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Покажете лице за продажба DocType: Appointment Type,Is Inpatient,Е болен apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Име Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Во зборови (извоз) ќе биде видлив откако ќе ја зачувате за испорака. @@ -635,6 +647,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Име на димензија apps/erpnext/erpnext/healthcare/setup.py,Resistant,Отпорна apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Те молам постави го Hotel Room Rate на {} +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Поставете серија за нумерирање за присуство преку Поставување> Серии за нумерирање DocType: Journal Entry,Multi Currency,Мулти Валута DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип на фактура apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Валиден од датумот мора да биде помал од важечкиот до датумот @@ -654,6 +667,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,призна DocType: Workstation,Rent Cost,Изнајмување на трошоците 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,Износ по амортизација apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Претстојните Календар на настани apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Варијанта атрибути @@ -742,7 +756,6 @@ DocType: Request for Quotation,Request for Quotation,Барање за приб 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Покажете лице за продажба во печатење 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,Сила @@ -750,7 +763,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Креирај нов клиент apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Истекува на apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ако има повеќе Правила Цените и понатаму преовладуваат, корисниците се бара да поставите приоритет рачно за решавање на конфликтот." -DocType: Purchase Invoice,Scan Barcode,Скенирајте бар-код apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Создаде купување на налози ,Purchase Register,Купување Регистрирај се apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Пациентот не е пронајден @@ -809,6 +821,7 @@ DocType: Account,Old Parent,Стариот Родител apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Задолжително поле - академска година apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Задолжително поле - академска година apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} не е поврзан со {2} {3} +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} @@ -851,6 +864,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Плата Компонента за timesheet врз основа на платен список. DocType: Driver,Applicable for external driver,Применливо за надворешен возач DocType: Sales Order Item,Used for Production Plan,Се користат за производство план +DocType: BOM,Total Cost (Company Currency),Вкупен трошок (валута на компанијата) DocType: Loan,Total Payment,Вкупно исплата apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Не може да се откаже трансакцијата за Завршено работно уредување. DocType: Manufacturing Settings,Time Between Operations (in mins),Време помеѓу операции (во минути) @@ -872,6 +886,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Известете друго DocType: Vital Signs,Blood Pressure (systolic),Крвен притисок (систолен) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} е {2} DocType: Item Price,Valid Upto,Важи до +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.,Листа на неколку од вашите клиенти. Тие можат да бидат организации или поединци. @@ -934,6 +949,7 @@ DocType: Patient,Risk Factors,Фактори на ризик DocType: Patient,Occupational Hazards and Environmental Factors,Професионални опасности и фактори за животната средина apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Записи на акции веќе креирани за работна нарачка apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Погледнете ги нарачките од минатото +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} разговори DocType: Vital Signs,Respiratory rate,Респираторна стапка apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Управување Склучување DocType: Vital Signs,Body Temperature,Температура на телото @@ -975,6 +991,7 @@ DocType: Purchase Invoice,Registered Composition,Регистрирана ком apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Здраво apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Премести ставка DocType: Employee Incentive,Incentive Amount,Стимул за поттик +,Employee Leave Balance Summary,Резиме на остатокот од вработените DocType: Serial No,Warranty Period (Days),Гарантниот период (денови) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Вкупниот износ на кредит / дебит треба да биде ист како поврзан весник DocType: Installation Note Item,Installation Note Item,Инсталација Забелешка Точка @@ -988,6 +1005,7 @@ DocType: Vital Signs,Bloated,Подуени DocType: Salary Slip,Salary Slip Timesheet,Плата фиш timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Добавувачот Магацински задолжително за под-договор Набавка Потврда DocType: Item Price,Valid From,Важи од +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Вашиот рејтинг: DocType: Sales Invoice,Total Commission,Вкупно Маргина DocType: Tax Withholding Account,Tax Withholding Account,Данок за задржување на данок DocType: Pricing Rule,Sales Partner,Продажбата партнер @@ -995,6 +1013,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Сите брое DocType: Buying Settings,Purchase Receipt Required,Купување Прием Потребно DocType: Sales Invoice,Rail,Железнички apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Вистинска цена +DocType: Item,Website Image,Слика на веб-страница apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Целниот магацин во ред {0} мора да биде ист како Работна нарачка apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Вреднување курс е задолжително ако влезе отворање на Акции apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Не се пронајдени во табелата Фактура рекорди @@ -1027,8 +1046,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Receive at Warehou 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Пополнете ја вашата конфигурација на Plaid API пред да ја синхронизирате вашата сметка apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Датумот на половина ден е задолжителен DocType: Sales Order,Billing and Delivery Status,Платежна и испорака Статус DocType: Job Applicant,Resume Attachment,продолжи Прилог @@ -1040,7 +1059,6 @@ DocType: Production Plan,Production Plan,План за производство DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Отворање алатка за создавање фактура DocType: Salary Component,Round to the Nearest Integer,Круг до најблискиот интерес apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Продажбата Враќање -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Забелешка: Вкупно распределени лисја {0} не треба да биде помал од веќе одобрен лисја {1} за периодот DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Поставете Кол во трансакции врз основа на сериски број за внесување ,Total Stock Summary,Вкупно Акции Резиме apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1069,6 +1087,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Л apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,главнината DocType: Loan Application,Total Payable Interest,Вкупно се плаќаат камати apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Вкупно Најдобро: {0} +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} DocType: Payroll Entry,Select Payment Account to make Bank Entry,Изберете Account плаќање да се направи банка Влегување @@ -1077,6 +1096,7 @@ 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,Се појави грешка за време на процесот на ажурирање DocType: Restaurant Reservation,Restaurant Reservation,Ресторан резерви +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Вашите артикли apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Пишување предлози DocType: Payment Entry Deduction,Payment Entry Deduction,Плаќање за влез Одбивање DocType: Service Level Priority,Service Level Priority,Приоритет на ниво на услуга @@ -1085,6 +1105,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Сериски број на серии apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Постои уште еден продажбата на лице {0} со истиот Вработен проект DocType: Employee Advance,Claimed Amount,Обвинетиот износ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Алокација на Екстрија DocType: QuickBooks Migrator,Authorization Settings,Поставки за авторизација DocType: Travel Itinerary,Departure Datetime,Поаѓање за Datetime apps/erpnext/erpnext/hub_node/api.py,No items to publish,Нема предмети што треба да се објават @@ -1153,7 +1174,6 @@ DocType: Student Batch Name,Batch Name,Име на серијата DocType: Fee Validity,Max number of visit,Макс број на посети DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Задолжителна сметка за профит и загуба ,Hotel Room Occupancy,Хотелско сместување -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet е основан: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Ве молиме да поставите основен готовина или Банкарска сметка во начинот на плаќање {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,запишат DocType: GST Settings,GST Settings,GST Settings @@ -1287,6 +1307,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Ве молиме одберете програма DocType: Project,Estimated Cost,Проценетите трошоци DocType: Request for Quotation,Link to material requests,Линк материјал барања +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Објавете apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Воздухопловна ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Кредитна картичка за влез @@ -1313,6 +1334,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Тековни средства apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} не е складишна ставка apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Ве молиме споделете ги вашите повратни информации на обуката со кликнување на "Feedback Feedback" и потоа "New" +DocType: Call Log,Caller Information,Информации за повикувачи DocType: Mode of Payment Account,Default Account,Стандардно профил apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Ве молиме изберете прво складирање на примероци за складирање на примероци apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Ве молиме изберете го типот на повеќе нивоа за повеќе правила за собирање. @@ -1337,6 +1359,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Авто Материјал Барања Генерирано DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Работно време под кое се одбележува Половина ден. (Нулта да се оневозможи) DocType: Job Card,Total Completed Qty,Вкупно завршена количина +DocType: HR Settings,Auto Leave Encashment,Автоматско напуштање apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Си ја заборавивте apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Вие не може да влезе во тековната ваучер во "Против весник Влегување" колона DocType: Employee Benefit Application Detail,Max Benefit Amount,Макс бенефит износ @@ -1366,9 +1389,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Претплатник DocType: Item Attribute Value,Item Attribute Value,Точка вредноста на атрибутот apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Размена на валута мора да се примени за купување или за продажба. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Само истечената распределба може да се откаже DocType: Item,Maximum sample quantity that can be retained,Максимална количина на примерокот што може да се задржи apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Ред {0} # Точката {1} не може да се пренесе повеќе од {2} против нарачката {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Продажбата на кампањи. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Непознат повикувач DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1400,6 +1425,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Време apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Име DocType: Expense Claim Detail,Expense Claim Type,Сметка побарувањето Вид DocType: Shopping Cart Settings,Default settings for Shopping Cart,Стандардните поставувања за Кошничка +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Зачувајте ставка apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Нов трошок apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Игнорирај постоечки нарачана количина apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Додај Timeslots @@ -1412,6 +1438,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Испратена покана за преглед DocType: Shift Assignment,Shift Assignment,Смена на задачата DocType: Employee Transfer Property,Employee Transfer Property,Сопственост за трансфер на вработените +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Сметката за сопственост / одговорност на полето не може да биде празна apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Од времето треба да биде помалку од времето apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Биотехнологијата apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1494,11 +1521,13 @@ 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,Креирај нов контакт apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Распоред на курсот DocType: GSTR 3B Report,GSTR 3B Report,Извештај на GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Статус на цитат DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Проектот Статус +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Вкупната сума на плаќања не може да биде поголема од DocType: Daily Work Summary Group,Select Users,Изберете корисници DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Хотел соба Цената точка DocType: Loyalty Program Collection,Tier Name,Име на ниво @@ -1536,6 +1565,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST И DocType: Lab Test Template,Result Format,Формат на резултати DocType: Expense Claim,Expenses,Трошоци DocType: Service Level,Support Hours,поддршка часа +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Белешки за испорака DocType: Item Variant Attribute,Item Variant Attribute,Ставка Варијанта Атрибут ,Purchase Receipt Trends,Купување Потврда трендови DocType: Payroll Entry,Bimonthly,на секои два месеци @@ -1557,7 +1587,6 @@ DocType: Sales Team,Incentives,Стимулации DocType: SMS Log,Requested Numbers,Бара броеви DocType: Volunteer,Evening,Вечер DocType: Quiz,Quiz Configuration,Конфигурација на квиз -DocType: Customer,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,Детали за акцијата @@ -1604,7 +1633,6 @@ apps/erpnext/erpnext/config/accounting.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,Филтрирај Вкупно нула количина -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Не можам да најдам временски слот во следните {0} денови за работа {1} DocType: Work Order,Plan material for sub-assemblies,План материјал за потсклопови 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,Нема достапни ставки за пренос @@ -1619,9 +1647,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Мора да овозможите автоматско ре-нарачување во поставките за акции за да ги одржите нивоата на нарачката. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Откажи материјал Посети {0} пред да го раскине овој Одржување Посета DocType: Pricing Rule,Rate or Discount,Стапка или попуст +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Детали за банка DocType: Vital Signs,One Sided,Едностран apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Сериски № {0} не припаѓаат на Точка {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Потребни Количина +DocType: Purchase Order Item Supplied,Required Qty,Потребни Количина DocType: Marketplace Settings,Custom Data,Прилагодени податоци apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Магацини со постоечките трансакцијата не може да се конвертира во главната книга. DocType: Service Day,Service Day,Ден на услугата @@ -1648,7 +1677,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Валута сметка DocType: Lab Test,Sample ID,Примерок проект apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Ве молиме спомнете заокружуваат сметка во компанијата -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Опсег DocType: Supplier,Default Payable Accounts,Стандардно Обврски apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Вработен {0} не е активна или не постои @@ -1689,8 +1717,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Барање за информации DocType: Course Activity,Activity Date,Датум на активност apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} од {} -,LeaderBoard,табла DocType: Sales Invoice Item,Rate With Margin (Company Currency),Стапка со маргина (Валута на компанијата) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Категории apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Офлајн Фактури DocType: Payment Request,Paid,Платени DocType: Service Level,Default Priority,Стандарден приоритет @@ -1725,11 +1753,11 @@ 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,Индиректни доход DocType: Student Attendance Tool,Student Attendance Tool,Студентски Публика алатката DocType: Restaurant Menu,Price List (Auto created),Ценовник (автоматски креиран) +DocType: Pick List Item,Picked Qty,Бере Количина DocType: Cheque Print Template,Date Settings,датум Settings 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,Детална промоција на вработените -,Company Name,Име на компанијата DocType: SMS Center,Total Message(s),Вкупно пораки DocType: Share Balance,Purchased,Купена DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Преименува вредност на атрибутот во атрибутот на предметот. @@ -1748,7 +1776,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Најнови обиди 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} -DocType: BOM,Raw Material Cost(Company Currency),Суровина Цена (Фирма валута) 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,Метар @@ -1817,6 +1844,7 @@ DocType: Travel Itinerary,Train,Воз ,Delayed Item Report,Одложен извештај за артикали apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Квалификуван ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Болничко вработување +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Објави ги своите први работи DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Време по крајот на смената, за време на кој се одјавува одморот за присуство." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Ве молиме наведете {0} @@ -1935,6 +1963,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,сите BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Креирај Влез во списанието Интер компанија DocType: Company,Parent Company,Родителска компанија apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Хотелските соби од тип {0} не се достапни на {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Споредете ги БОМ за промени во суровините и работењето apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Документ {0} успешно необјавен DocType: Healthcare Practitioner,Default Currency,Стандардна валута apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Усогласете ја оваа сметка @@ -1969,6 +1998,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,Детална C-Образец Фактура DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Плаќање помирување Фактура DocType: Clinical Procedure,Procedure Template,Шаблон за постапката +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Објавувајте Теми apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Учество% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Како на Settings Купување ако нарачка задолжителни == "ДА", тогаш за создавање Набавка фактура, корисникот треба да се создаде нарачка прво за ставка {0}" ,HSN-wise-summary of outward supplies,HSN-мудро-резиме на надворешни резерви @@ -1980,7 +2010,6 @@ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Корпа за apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Ве молиме да се постави на "Примени Дополнителни попуст на ' DocType: Party Tax Withholding Config,Applicable Percent,Применлив процент ,Ordered Items To Be Billed,Нареди ставки за да бидат фактурирани -DocType: Employee Checkin,Exit Grace Period Consequence,Последица од периодот на грејс apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Од опсег мора да биде помала од на опсег DocType: Global Defaults,Global Defaults,Глобална Стандардни apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Проектот Соработка Покана @@ -1988,13 +2017,11 @@ DocType: Salary Slip,Deductions,Одбивања DocType: Setup Progress Action,Action Name,Име на акција apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Почетна година apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Креирај заем -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Датум на почеток на периодот тековната сметка е DocType: Shift Type,Process Attendance After,Посетеност на процесите после ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Неплатено отсуство DocType: Payment Request,Outward,Нанадвор -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Капацитет Грешка планирање apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Држава / УТ данок ,Trial Balance for Party,Судскиот биланс за партија ,Gross and Net Profit Report,Извештај за бруто и нето добивка @@ -2012,7 +2039,6 @@ DocType: Bank Statement Transaction Entry,Payment Invoice Items,Ставки з DocType: Payroll Entry,Employee Details,Детали за вработените DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,Полињата ќе бидат копирани само во времето на создавањето. -DocType: Setup Progress Action,Domains,Домени 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,Прилагодување обврзник @@ -2054,7 +2080,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Вкупн 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.","Начин на плаќање не е конфигуриран. Ве молиме проверете, дали сметка е поставен на режим на пари или на POS профил." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Истата ставка не може да се внесе повеќе пати. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Понатаму сметки може да се направи под Групи, но записи може да се направи врз несрпското групи" -DocType: Email Campaign,Lead,Потенцијален клиент +DocType: Call Log,Lead,Потенцијален клиент DocType: Email Digest,Payables,Обврски кон добавувачите DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Кампања за е-пошта за @@ -2066,6 +2092,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,"Нарачката елементи, за да бидат фактурирани" 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,Кредитни ограничувања DocType: Purchase Invoice Item,Net Rate,Нето стапката apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Ве молиме изберете клиент DocType: Leave Policy,Leave Allocations,Оставете распределби @@ -2079,6 +2106,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Затвори прашање по денови ,Eway Bill,Ева Бил apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Треба да бидете корисник со улоги на System Manager и Item Manager за да додадете корисници на Marketplace. +DocType: Attendance,Early Exit,Рано излегување DocType: Job Opening,Staffing Plan,Кадровски план apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,Бил-е-пат Бил ЈСОН може да се генерира само од доставен документ apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Данок на вработените и придобивките @@ -2101,6 +2129,7 @@ DocType: Maintenance Team Member,Maintenance Role,Одржување улога apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Дупликат ред {0} со истиот {1} DocType: Marketplace Settings,Disable Marketplace,Оневозможи пазар DocType: Quality Meeting,Minutes,Минути +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Вашите Најдобри Теми ,Trial Balance,Судскиот биланс apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Покажете завршено apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Фискалната година {0} не е пронајден @@ -2110,8 +2139,8 @@ 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,Ве молиме изберете префикс прв DocType: Contract,Fulfilment Deadline,Рок на исполнување +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Во близина на тебе DocType: Student,O-,О- -DocType: Shift Type,Consequence,Последица DocType: Subscription Settings,Subscription Settings,Подесувања на претплата DocType: Purchase Invoice,Update Auto Repeat Reference,Ажурирај автоматско повторување на референцата apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Изборна листа за одмор не е поставена за период на одмор {0} @@ -2122,7 +2151,6 @@ DocType: Maintenance Visit Purpose,Work Done,Работата е завршен apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Ве молиме да наведете барем еден атрибут во табелата атрибути DocType: Announcement,All Students,сите студенти apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Ставка {0} мора да биде не-складишни ставки -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Банкарски Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Види Леџер DocType: Grading Scale,Intervals,интервали DocType: Bank Statement Transaction Entry,Reconciled Transactions,Усогласени трансакции @@ -2158,6 +2186,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Овој магацин ќе се користи за создавање нарачки за продажба. Складиштето на опадна состојба е „Продавници“. DocType: Work Order,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,Одржување на иста стапка во текот на купувањето циклус DocType: Opportunity Item,Opportunity Item,Можност Точка DocType: Quality Action,Quality Review,Преглед на квалитетот @@ -2184,7 +2213,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Земете ненаплатени фактури -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Продај Побарувања {0} не е валиден +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,Предупреди за ново барање за цитати apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Купување на налози да ви помогне да планираат и да се надоврзе на вашите купувања apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Рецепти за лабораториски тестови @@ -2208,6 +2237,7 @@ DocType: Employee Onboarding,Notify users by email,Известете ги ко DocType: Travel Request,International,Меѓународен DocType: Training Event,Training Event,обука на настанот DocType: Item,Auto re-order,Автоматско повторно цел +DocType: Attendance,Late Entry,Доцна влез apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Вкупно Постигнати DocType: Employee,Place of Issue,Место на издавање DocType: Promotional Scheme,Promotional Scheme Price Discount,Попуст за цени на промотивната шема @@ -2254,6 +2284,7 @@ DocType: Serial No,Serial No Details,Сериски № Детали за DocType: Purchase Invoice Item,Item Tax Rate,Точка даночна стапка apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Од партија име apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Нето износ на плата +DocType: Pick List,Delivery against Sales Order,Испорака против нарачка за продажба DocType: Student Group Student,Group Roll Number,Група тек број DocType: Student Group Student,Group Roll Number,Група тек број apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","За {0}, само кредитни сметки може да се поврзат против друг запис дебитна" @@ -2327,7 +2358,6 @@ DocType: Contract,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,Добавувачот датум на фактурата -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Оваа вредност се користи за пресметка на пропорционално време apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Вие треба да им овозможи на Корпа DocType: Payment Entry,Writeoff,Отпише DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2350,7 +2380,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Неактивни производи за продажба DocType: Quality Review,Additional Information,дополнителни информации apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Вкупна Вредност на Нарачка -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Ресетирање на договорот за ниво на услуга. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Храна apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Стареењето опсег од 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Детали за ваучер за затворање @@ -2395,6 +2424,7 @@ 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,Кампања 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',Одобрување статус мора да биде 'одобрена' или 'Одбиен' DocType: Healthcare Practitioner,Contacts and Address,Контакти и адреса DocType: Shift Type,Determine Check-in and Check-out,Одредување на пријавување и одјавување @@ -2414,7 +2444,6 @@ DocType: Student Admission,Eligibility and Details,Подобност и дет apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Вклучено во бруто профитот apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Нето промени во основни средства apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Код на клиент apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Полнење од типот "Крај" во ред {0} не може да бидат вклучени во точка Оцени apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Макс: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Од DateTime @@ -2482,6 +2511,7 @@ DocType: Journal Entry Account,Account Balance,Баланс на сметка apps/erpnext/erpnext/config/accounting.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 (%),Премногу надомест за трансфер (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Не е потребно за корисници против побарувања сметка {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Вкупно Даноци и Такси (Валута на Фирма ) DocType: Weather,Weather Parameter,Параметар на времето @@ -2542,6 +2572,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Праг на работ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Може да има повеќекратен колективен фактор врз основа на вкупните потрошени. Но факторот на конверзија за откуп секогаш ќе биде ист за сите нивоа. apps/erpnext/erpnext/config/help.py,Item Variants,Точка Варијанти apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Услуги +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,БОМ 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Е-пошта Плата лизга на вработените DocType: Cost Center,Parent Cost Center,Родител цена центар @@ -2552,7 +2583,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields"," DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Белешки за увоз на увоз од Shopify на пратката apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Прикажи затворени DocType: Issue Priority,Issue Priority,Издадете приоритет -DocType: Leave Type,Is Leave Without Pay,Е неплатено отсуство +DocType: Leave Ledger Entry,Is Leave Without Pay,Е неплатено отсуство apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,ГСТИН apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Категорија средства е задолжително за ставка од основните средства DocType: Fee Validity,Fee Validity,Валидност на надоместокот @@ -2625,6 +2656,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Двонасочен DocType: Item,Manufacturers,Производители @@ -2661,7 +2693,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Банка помирување изјава DocType: Patient Encounter,Medical Coding,Медицински кодирање DocType: Healthcare Settings,Reminder Message,Потсетник -,Lead Name,Име на Потенцијален клиент +DocType: Call Log,Lead Name,Име на Потенцијален клиент ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Проверка @@ -2693,12 +2725,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Добавувачот Магаци DocType: Opportunity,Contact Mobile No,Контакт Мобилни Не apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Изберете компанија ,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: Student Report Generation Tool,Print Section,Оддел за печатење DocType: Staffing Plan Detail,Estimated Cost Per Position,Проценета цена на позицијата DocType: Employee,HR-EMP-,HR-EMP- 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,Минути за состаноци за квалитет +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добавувач> Тип на снабдувач apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Препораки за вработените DocType: Student Group,Set 0 for no limit,Поставете 0 за да нема ограничување apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Ден (а) на која аплицирате за дозвола се одмори. Вие не треба да аплицираат за одмор. @@ -2732,12 +2766,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Нето промени во Пари DocType: Assessment Plan,Grading Scale,скала за оценување apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица мерка {0} е внесен повеќе од еднаш во конверзија Фактор Табела -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,веќе завршени apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Акции во рака apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Ве молиме додадете ги преостанатите придобивки {0} на апликацијата како \ pro-rata компонента apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Поставете Фискален законик за "% s" на јавната администрација -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Веќе постои плаќање Барам {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Цената на издадени материјали DocType: Healthcare Practitioner,Hospital,Болница apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Кол не смее да биде повеќе од {0} @@ -2782,6 +2814,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Човечки ресурси apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Горниот дел од приходите DocType: Item Manufacturer,Item Manufacturer,точка Производител +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Создадете нов лидер DocType: BOM Operation,Batch Size,Големина на серија apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Reject DocType: Journal Entry Account,Debit in Company Currency,Дебитна во компанијата Валута @@ -2801,9 +2834,11 @@ DocType: Bank Transaction,Reconciled,Усогласено DocType: Expense Claim,Total Amount Reimbursed,Вкупен износ Надоместени apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Ова се базира на логови против ова возило. Види времеплов подолу за детали apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Данокот на плата не може да биде помал од датумот на приклучување на вработениот +DocType: Pick List,Item Locations,Локации на артикали apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} создадена apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Отворени работни места за назначување {0} веќе отворени \ или ангажирање завршени според планот за вработување {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Може да објавите најмногу 200 артикли. DocType: Vital Signs,Constipated,Запечатен apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Против Добавувачот Фактура {0} датум {1} DocType: Customer,Default Price List,Стандардно Ценовник @@ -2895,6 +2930,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Tally Migration,Is Day Book Data Imported,Дали се увезуваат податоци за дневна книга apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Маркетинг трошоци +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} единици од {1} не се достапни. ,Item Shortage Report,Точка Недостаток Извештај 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,Не може да се креираат стандардни критериуми. Преименувајте ги критериумите @@ -2918,6 +2954,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,Датум на заминување во пензија DocType: Upload Attendance,Get Template,Земете Шаблон +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Изберете список ,Sales Person Commission Summary,Резиме на Комисијата за продажба DocType: Material Request,Transferred,пренесени DocType: Vehicle,Doors,врати @@ -2998,7 +3035,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Купувачи Точка з DocType: Stock Reconciliation,Stock Reconciliation,Акции помирување DocType: Territory,Territory Name,Име територија DocType: Email Digest,Purchase Orders to Receive,Нарачка за набавка -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Работа во прогрес Магацински се бара пред Прати +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Работа во прогрес Магацински се бара пред Прати apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Можете да имате само Планови со ист платежен циклус во претплата DocType: Bank Statement Transaction Settings Item,Mapped Data,Мапирани податоци DocType: Purchase Order Item,Warehouse and Reference,Магацин и упатување @@ -3073,6 +3110,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Поставки за испорака apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Донеси податоци apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Максимално дозволено отсуство во типот на одмор {0} е {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Објави 1 ставка DocType: SMS Center,Create Receiver List,Креирај Листа ресивер DocType: Student Applicant,LMS Only,Само LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Датумот достапен за користење Датум треба да биде по датумот на купување @@ -3106,6 +3144,7 @@ DocType: Serial No,Delivery Document No,Испорака л.к DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Обезбеди испорака врз основа на произведената сериска бр DocType: Vital Signs,Furry,Кожен apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Поставете "добивка / загуба сметка за располагање со средства во компанијата {0} +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} @@ -3117,6 +3156,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Погледнете ги сите проблеми од {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,МАТ-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Табела за состаноци за квалитет +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/templates/pages/help.html,Visit the forums,Посетете ги форумите DocType: Student,Student Mobile Number,Студентски мобилен број DocType: Item,Has Variants,Има варијанти @@ -3128,9 +3168,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Име на ме DocType: Quality Procedure Process,Quality Procedure Process,Процес на постапка за квалитет apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch ID е задолжително apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch ID е задолжително +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,"Ве молиме, прво изберете клиент" DocType: Sales Person,Parent Sales Person,Родител продажбата на лице apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Нема да бидат доставени никакви ставки apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Продавачот и купувачот не можат да бидат исти +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Сеуште не се гледаат DocType: Project,Collect Progress,Собери напредок DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Прво изберете ја програмата @@ -3152,11 +3194,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Постигнати DocType: Student Admission,Application Form Route,Формулар Пат apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Датумот на завршување на договорот не може да биде помал од денес. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter за да се достават DocType: Healthcare Settings,Patient Encounters in valid days,Пациентни средби во валидни денови apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Оставете Тип {0} не може да се одвои, бидејќи тоа е остави без плати" 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Во Зборови ќе бидат видливи кога еднаш ќе ве спаси Фактура на продажба. DocType: Lead,Follow Up,Следете го +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Центар за трошоци: {0} не постои DocType: Item,Is Sales Item,Е продажба Точка apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Точка Група на дрвото apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Ставка {0} не е подесување за сериски бр. Проверете главна ставка @@ -3200,9 +3244,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Опрема што се испорачува Количина DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Материјал Барање Точка -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Ве молиме откажете ја купопродажната цена {0} прво apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Дрвото на точка групи. DocType: Production Plan,Total Produced Qty,Вкупно произведена количина +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Уште нема осврти apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Не може да се однесува ред број е поголема или еднаква на тековниот број на ред за овој тип на полнење DocType: Asset,Sold,продаден ,Item-wise Purchase History,Точка-мудар Набавка Историја @@ -3221,7 +3265,7 @@ DocType: Designation,Required Skills,Задолжителни вештини DocType: Inpatient Record,O Positive,О Позитивно apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Инвестиции DocType: Issue,Resolution Details,Резолуцијата Детали за -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Тип на трансакција +DocType: Leave Ledger Entry,Transaction Type,Тип на трансакција DocType: Item Quality Inspection Parameter,Acceptance Criteria,Прифаќање критериуми apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Ве молиме внесете Материјал Барања во горната табела apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Нема достапни отплати за внесување на весници @@ -3263,6 +3307,7 @@ DocType: Bank Account,Bank Account No,Банкарска сметка бр DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Поднесување на доказ за ослободување од плаќање на вработените DocType: Patient,Surgical History,Хируршка историја DocType: Bank Statement Settings Item,Mapped Header,Мапирана насловот +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Поставете го системот за именување на вработените во човечки ресурси> Поставки за човечки ресурси DocType: Employee,Resignation Letter Date,Оставка писмо Датум apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Правила цените се уште се филтрирани врз основа на квантитетот. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Поставете го датумот на пристап за вработените {0} @@ -3330,7 +3375,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Додај меморан 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Вкупно одобрени лисја {0} не може да биде помал од веќе одобрен лисја {1} за периодот DocType: Contract Fulfilment Checklist,Requirement,Барање DocType: Journal Entry,Accounts Receivable,Побарувања DocType: Quality Goal,Objectives,Цели @@ -3353,7 +3397,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Еден праг н DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Оваа вредност се ажурира на ценовната листа на стандардни продажби. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Вашата кошничка е празна DocType: Email Digest,New Expenses,нови трошоци -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC Износ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Не можам да го оптимизирам патот, бидејќи адресата на возачот недостасува." DocType: Shareholder,Shareholder,Акционер DocType: Purchase Invoice,Additional Discount Amount,Дополнителен попуст Износ @@ -3424,6 +3467,7 @@ DocType: Salary Component,Deduction,Одбивање DocType: Item,Retain Sample,Задржете го примерокот apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Ред {0}: Од време и на време е задолжително. DocType: Stock Reconciliation Item,Amount Difference,износот на разликата +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Оваа страница ги следи елементите што сакате да ги купите од продавачите. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Ставка Цена додаде за {0} во Ценовник {1} DocType: Delivery Stop,Order Information,Информации за нарачка apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Ве молиме внесете Id на вработените на ова продажбата на лице @@ -3452,6 +3496,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Фискалната година ** претставува финансиска година. Сите сметководствени записи и други големи трансакции се следи против ** ** фискалната година. DocType: Opportunity,Customer / Lead Address,Клиент / Потенцијален клиент адреса DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Поставување на картичка за снабдувач +DocType: Customer Credit Limit,Customer Credit Limit,Ограничување на кредит за клиенти apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Име на планот за проценка apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Цели детали apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Применливо е ако компанијата е SpA, SApA или SRL" @@ -3504,7 +3549,6 @@ DocType: Company,Transactions Annual History,Трансакции годишна 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,Име на банка -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Above 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,6 +3601,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders" DocType: Grading Scale,Grading Scale Intervals,Скала за оценување интервали 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,Додадено на изборни предмети apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Добивка за годината 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,Во процесот @@ -3611,12 +3656,10 @@ 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,Дозволи истата точка повеќе пати -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Не е пронајден GST број за компанијата. 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,вработени DocType: Question,Single Correct Answer,Единствен точен одговор -DocType: Employee,Contact Details,Податоци за контакт DocType: C-Form,Received Date,Доби датум DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ако имате креирано стандарден образец во продажба даноци и давачки дефиниција, изберете една и кликнете на копчето подолу." DocType: BOM Scrap Item,Basic Amount (Company Currency),Основицата (Фирма валута) @@ -3648,10 +3691,10 @@ DocType: Supplier Scorecard,Supplier Score,Оценка од добавувач apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Распоред Прием DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Кумулативен праг на трансакција DocType: Promotional Scheme Price Discount,Discount Type,Тип на попуст -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Вкупно Фактурирана изн. DocType: Purchase Invoice Item,Is Free Item,Е бесплатна ставка +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Процент ви е дозволено да пренесете повеќе во однос на нарачаната количина. На пример: Ако сте нарачале 100 единици. а вашиот додаток е 10%, тогаш ви е дозволено да префрлите 110 единици." DocType: Supplier,Warn RFQs,Предупреди RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,истражуваат +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,истражуваат DocType: BOM,Conversion Rate,конверзии apps/erpnext/erpnext/www/all-products/index.html,Product Search,Барај производ ,Bank Remittance,Дознака од банка @@ -3663,6 +3706,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Вкупен износ платен DocType: Asset,Insurance End Date,Датум на осигурување apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Ве молиме изберете Студентски прием кој е задолжителен за платен студент апликант +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Буџетска листа DocType: Campaign,Campaign Schedules,Распоред на кампања DocType: Job Card Time Log,Completed Qty,Завршено Количина @@ -3685,6 +3729,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Нова DocType: Quality Inspection,Sample Size,Големина на примерокот apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Ве молиме внесете Потврда документ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Сите ставки се спремни за фактурирање +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Заминува apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Ве молиме наведете валидна "од случај бр ' 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,Понатаму центри цена може да се направи под Групи но записи може да се направи врз несрпското групи 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,Вкупно доделените листови се повеќе дена од максималната распределба на {0} тип на напуштање за вработен {1} во тој период @@ -3785,6 +3830,8 @@ 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: Call Log,Received By,Добиени од 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.,Ги пратите одделни приходи и расходи за вертикали производ или поделби. @@ -3838,6 +3885,7 @@ DocType: Support Search Source,Result Title Field,Поле за наслов н apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Резиме на повик DocType: Sample Collection,Collected Time,Собрано време DocType: Employee Skill Map,Employee Skills,Вештини на вработените +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Трошок за гориво DocType: Company,Sales Monthly History,Месечна историја за продажба apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Поставете барем еден ред во табелата за даноци и такси DocType: Asset Maintenance Task,Next Due Date,Следен датум на достасување @@ -3872,11 +3920,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Плата фиш на вработените {0} веќе создадена за овој период apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Фармацевтската apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Вие можете да поднесете Leave Encashment само за валидна вредност на инка +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Предмети од apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Цената на купените предмети DocType: Employee Separation,Employee Separation Template,Шаблон за одделување на вработените DocType: Selling Settings,Sales Order Required,Продај Побарувања задолжителни apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Станете продавач -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Бројот на појава по што е извршена последицата. ,Procurement Tracker,Следење на набавки DocType: Purchase Invoice,Credit To,Кредитите за apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ИТЦ се врати @@ -3889,6 +3937,7 @@ DocType: Quality Meeting,Agenda,Агенда DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Распоред за одржување Детална DocType: Supplier Scorecard,Warn for new Purchase Orders,Предупреди за нови налози за набавки DocType: Quality Inspection Reading,Reading 9,Читање 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Поврзете ја вашата сметка на Exotel во ERPNext и следете ги дневниците за повици DocType: Supplier,Is Frozen,Е Замрзнати DocType: Tally Migration,Processed Files,Преработени датотеки apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Група јазол склад не е дозволено да одберете за трансакции @@ -3897,6 +3946,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM број за DocType: Upload Attendance,Attendance To Date,Публика: Да најдам 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,Рецепти @@ -3922,7 +3972,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Барателот apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Невалидна референца {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Правила за примена на различни промотивни шеми. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може да биде поголема од планираното quanitity ({2}) во продукција налог {3} DocType: Shipping Rule,Shipping Rule Label,Испорака Правило Етикета DocType: Journal Entry Account,Payroll Entry,Влез во платниот список apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Погледни такса записи @@ -3934,6 +3983,7 @@ DocType: Contract,Fulfilment Status,Статус на исполнување DocType: Lab Test Sample,Lab Test Sample,Примерок за лабораториски испитувања DocType: Item Variant Settings,Allow Rename Attribute Value,Дозволи преименување на вредноста на атрибутот apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Брзо весник Влегување +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Идна сума за плаќање apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Вие не може да го промени стапка ако Бум споменати agianst која било ставка DocType: Restaurant,Invoice Series Prefix,Префикс на серија на фактури DocType: Employee,Previous Work Experience,Претходно работно искуство @@ -3985,6 +4035,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Добие моменталната залиха DocType: Purchase Invoice,ineligible,неподобен apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Дрвото на Бил на материјали +DocType: BOM,Exploded Items,Експлодирани предмети DocType: Student,Joining Date,Состави Датум ,Employees working on a holiday,Вработени кои работат на одмор ,TDS Computation Summary,Резиме за пресметка на TDS @@ -4017,6 +4068,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Основната с DocType: SMS Log,No of Requested SMS,Број на Побарано СМС apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Неплатено отсуство не се поклопува со одобрен евиденција оставите апликацијата apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Следните чекори +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Зачувани артикли DocType: Travel Request,Domestic,Домашни apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Внесете ја определени предмети на најдобар можен стапки apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Преносот на вработените не може да се поднесе пред датумот на пренос @@ -4069,7 +4121,7 @@ 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,Средства Категорија сметка apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Ред # {0} (Платежна табела): Износот мора да биде позитивен -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Не може да произведе повеќе од ставка {0} од количина {1} во Продажна нарачка +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Не може да произведе повеќе од ставка {0} од количина {1} во Продажна нарачка apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Ништо не е вклучено во бруто apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Бил е-пат веќе постои за овој документ apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Изберете вредности за атрибути @@ -4103,12 +4155,10 @@ 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,Компанија за поставување -DocType: Shift Type,Enable Different Consequence for Early Exit,Овозможете различна последица за предвремено излегување ,Lab Test Report,Лабораториски тест извештај DocType: Employee Benefit Application,Employee Benefit Application,Апликација за вработените apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Постои дополнителна компонента на плата. DocType: Purchase Invoice,Unregistered,Нерегистрирано -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Ве молиме Испратница прв DocType: Student Applicant,Application Date,Датум на примена DocType: Salary Component,Amount based on formula,Износ врз основа на формула DocType: Purchase Invoice,Currency and Price List,Валута и Ценовник @@ -4137,6 +4187,7 @@ DocType: Purchase Receipt,Time at which materials were received,На кој бе DocType: Products Settings,Products per Page,Производи по страница 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,Датум на наплата apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Доделената количина не може да биде негативна DocType: Sales Order,Billing Status,Платежна Статус apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Изнеле @@ -4146,6 +4197,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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} или веќе се исти против друг ваучер DocType: Supplier Scorecard Criteria,Criteria Weight,Тежина на критериумите +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Сметка: {0} не е дозволено под уписот за плаќање DocType: Production Plan,Ignore Existing Projected Quantity,Игнорирајте постојно предвидено количество apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Оставете го известувањето за одобрување DocType: Buying Settings,Default Buying Price List,Стандардно Купување Ценовник @@ -4154,6 +4206,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Ред {0}: Внесете локација за ставката на средството {1} DocType: Employee Checkin,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.","Постави стандардните вредности, како компанија, валута, тековната фискална година, и др" DocType: Payment Entry,Payment Type,Тип на плаќање apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Ве молиме одберете Серија за Точка {0}. Не може да се најде една серија која ги исполнува ова барање @@ -4183,6 +4236,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Корпа Settings DocType: Journal Entry,Accounting Entries,Сметководствени записи 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', тоа ќе ја презапише ценовникот. Стапката на цена на цени е конечна стапка, па не треба да се применува дополнителен попуст. Оттука, во трансакции како што се Нарачка за продажба, Нарачка и така натаму, ќе бидат превземени во полето "Оцени", наместо полето "Ценова листа на цени"." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Ве молиме, поставете Систем за именување на инструктори во образованието> Поставки за образование" DocType: Journal Entry,Paid Loan,Платен заем 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,Референтен датум на достасување @@ -4199,12 +4253,14 @@ DocType: Shopify Settings,Webhooks Details,Детали за Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Нема време листови DocType: GoCardless Mandate,GoCardless Customer,GoCardless клиент apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Остави Тип {0} не може да се носат-пренасочат +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на точка> Група на производи> Бренд apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Распоред за одржување не е генерирана за сите предмети. Ве молиме кликнете на "Генерирање Распоред ' ,To Produce,Да произведе DocType: Leave Encashment,Payroll,Даноци 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} исто така, мора да бидат вклучени" DocType: Healthcare Service Unit,Parent Service Unit,Единица за родителска служба DocType: Packing Slip,Identification of the package for the delivery (for print),Идентификација на пакетот за испорака (за печатење) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Договорот за нивото на услугата беше ресетиран. DocType: Bin,Reserved Quantity,Кол задржани apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Ве молиме внесете валидна е-мејл адреса apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Ве молиме внесете валидна е-мејл адреса @@ -4226,7 +4282,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Цена или попуст на производот apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,За ред {0}: Внесете го планираното количество DocType: Account,Income Account,Сметка приходи -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Група на клиенти> Територија DocType: Payment Request,Amount in customer's currency,Износ во валута на клиентите apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Испорака apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Доделување структури ... @@ -4249,6 +4304,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,Реф 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?,Ќе изгубите евиденција на претходно генерирани фактури. Дали сте сигурни дека сакате да ја рестартирате оваа претплата? @@ -4302,11 +4358,10 @@ DocType: Additional Salary,HR User,HR пристап DocType: Bank Guarantee,Reference Document Name,Име на референтниот документ DocType: Purchase Invoice,Taxes and Charges Deducted,Даноци и давачки одземени DocType: Support Settings,Issues,Прашања -DocType: Shift Type,Early Exit Consequence after,Последица од почетокот на излезот после DocType: Loyalty Program,Loyalty Program Name,Име на програмата за лојалност apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Статус мора да биде еден од {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Потсетник за ажурирање на GSTIN Испратено -DocType: Sales Invoice,Debit To,Дебит +DocType: Discounted Invoice,Debit To,Дебит DocType: Restaurant Menu Item,Restaurant Menu Item,Мени за ресторанот DocType: Delivery Note,Required only for sample item.,Потребно е само за примерок точка. DocType: Stock Ledger Entry,Actual Qty After Transaction,Крај Количина По трансакцијата @@ -4389,6 +4444,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Име на пара apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Оставете само апликации со статус 'одобрена "и" Отфрлени "може да се поднесе apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Создавање димензии ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Група на студенти Името е задолжително во ред {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Заобиколи ја кредитната граница DocType: Homepage,Products to be shown on website homepage,Производи да бидат прикажани на веб-сајтот почетната страница од пребарувачот DocType: HR Settings,Password Policy,Политика за лозинка apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ова е коренот на клиентите група и не може да се уредува. @@ -4436,10 +4492,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ак apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Ве молиме поставете стандарден клиент во поставките за ресторани ,Salary Register,плата Регистрирај се DocType: Company,Default warehouse for Sales Return,Стандарден магацин за поврат на продажба -DocType: Warehouse,Parent Warehouse,родител Магацински +DocType: Pick List,Parent Warehouse,родител Магацински DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},Аватарот на Бум не е најдена Точка {0} и Проектот {1} +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}: Поставете го начинот на плаќање во распоредот за плаќање apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Дефинирање на различни видови на кредитот DocType: Bin,FCFS Rate,FCFS стапка @@ -4476,6 +4532,7 @@ DocType: Travel Itinerary,Lodging Required,Потребна е сместува DocType: Promotional Scheme,Price Discount Slabs,Платни со попуст на цени DocType: Stock Reconciliation Item,Current Serial No,Тековен сериски бр DocType: Employee,Attendance and Leave Details,Присуство и детали за напуштање +,BOM Comparison Tool,Алатка за споредба на Бум ,Requested,Побарано apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Нема забелешки DocType: Asset,In Maintenance,Во одржување @@ -4497,6 +4554,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Include UOM,В apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Material Request No,Материјал Барање Не DocType: Service Level Agreement,Default Service Level Agreement,Договорен договор за ниво на услуга DocType: SG Creation Tool Course,Course Code,Код на предметната програма +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Количината на суровини ќе се одлучи врз основа на квантитетот на точката на готови производи DocType: Location,Parent Location,Локација на родителите DocType: POS Settings,Use POS in Offline Mode,Користете POS во Offline режим apps/erpnext/erpnext/accounts/page/pos/pos.js,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} е задолжително. Можеби евиденцијата за размена на валута не се создава за {1} до {2} @@ -4514,7 +4572,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Магацин за чува DocType: Company,Default Receivable Account,Стандардно побарувања профил apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Проектирана количина формула DocType: Sales Invoice,Deemed Export,Се смета дека е извоз -DocType: Stock Entry,Material Transfer for Manufacture,Материјал трансфер за Производство +DocType: Pick List,Material Transfer for Manufacture,Материјал трансфер за Производство 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.,Попуст Процент може да се примени или против некој Ценовник или за сите ценовникот. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Сметководство за влез на берза DocType: Lab Test,LabTest Approver,LabTest одобрувач @@ -4556,7 +4614,6 @@ DocType: Training Event,Theory,теорија apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Предупредување: Материјал Бараниот Количина е помалку од Минимална Подреди Количина apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,На сметка {0} е замрзнат DocType: Quiz Question,Quiz Question,Квиз прашање -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добавувач> Тип на снабдувач 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","Храна, пијалаци и тутун" @@ -4585,6 +4642,7 @@ 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,Објавени Теми DocType: Account,Expense Account,Сметка сметка apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Софтвер apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Боја @@ -4623,6 +4681,7 @@ 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,Создадени се сите банкарски трансакции DocType: Fee Validity,Visited yet,Посетено досега +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Може да се одликуваат до 8 артикли. 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.,Колку често треба да се ажурираат проектите и компанијата врз основа на продажните трансакции. @@ -4630,7 +4689,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,Температура на складирање @@ -4655,7 +4713,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM конверз DocType: Contract,Signee Details,Детали за Сигните apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} во моментов има {1} Побарувач за оценувачи, и RFQ на овој добавувач треба да се издаде со претпазливост." DocType: Certified Consultant,Non Profit Manager,Непрофитен менаџер -DocType: BOM,Total Cost(Company Currency),Вкупно трошоци (Фирма валута) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Сериски № {0} создаден DocType: Homepage,Company Description for website homepage,Опис на компанијата за веб-сајт почетната страница од пребарувачот DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","За погодност на клиентите, овие кодови може да се користи во печатените формати како Фактури и испорака белешки" @@ -4684,7 +4741,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Купу DocType: Amazon MWS Settings,Enable Scheduled Synch,Овозможи планирана синхронизација apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Да DateTime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Дневници за одржување на статусот на испораката смс -DocType: Shift Type,Early Exit Consequence,Последица од раната излез DocType: Accounts Settings,Make Payment via Journal Entry,Се направи исплата преку весник Влегување apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,"Ве молиме, не создавајте повеќе од 500 артикли истовремено" apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,отпечатена на @@ -4740,6 +4796,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,граница 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,Тајна +DocType: Plaid Settings,Plaid Secret,Карирана тајна DocType: Company,Date of Establishment,Датум на основање apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Вложување на капитал apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Академски мандат, со ова 'академска година' {0} и "Рок Име" {1} веќе постои. Ве молиме да ги менувате овие ставки и обидете се повторно." @@ -4802,6 +4859,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Вид на купувач DocType: Compensatory Leave Request,Leave Allocation,Остави Распределба DocType: Payment Request,Recipient Message And Payment Details,Примателот на пораката и детали за плаќање +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Изберете белешка за испорака DocType: Support Search Source,Source DocType,Извор DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Отворете нов билет DocType: Training Event,Trainer Email,тренер-пошта @@ -4924,6 +4982,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,Скриј ги носат Лисја apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""Од датум"" мора да биде по ""до датум""" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Не се утврдени планови за вработување за оваа одредница apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Партијата {0} на точка {1} е оневозможена. @@ -4945,7 +5004,7 @@ DocType: Clinical Procedure,Patient,Трпелив apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Обиколен кредит за проверка на Нарачка за продажба DocType: Employee Onboarding Activity,Employee Onboarding Activity,Вработување на вработените DocType: Location,Check if it is a hydroponic unit,Проверете дали тоа е хидропонска единица -DocType: Stock Reconciliation Item,Serial No and Batch,Сериски Не и серија +DocType: Pick List Item,Serial No and Batch,Сериски Не и серија DocType: Warranty Claim,From Company,Од компанијата DocType: GSTR 3B Report,January,Јануари apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Збирот на резултатите на критериумите за оценување треба да биде {0}. @@ -4970,7 +5029,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Не {0} пронајдени за интер-трансакции на компанијата. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,кредит_покажи_amt DocType: Travel Itinerary,Rented Car,Изнајмен автомобил apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,За вашата компанија apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на сметка мора да биде на сметка Биланс на состојба @@ -5002,11 +5060,13 @@ apps/erpnext/erpnext/config/accounting.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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,останатите DocType: Appraisal,Appraisal,Процена DocType: Loan,Loan Account,Сметка за заем apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Валидни и валидни долни полиња се задолжителни за кумулативата +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","За ставка {0} по ред {1}, броењето на сериските броеви не одговара на одбраната количина" DocType: Purchase Invoice,GST Details,Детали за GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Ова се базира на трансакции против овој здравствен работник. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Е-мејл испратен до снабдувачот {0} @@ -5069,6 +5129,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Бруто тежина на пакувањето. Обично нето тежина + материјал за пакување тежина. (За печатење) DocType: Assessment Plan,Program,Програмата DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Корисниците со оваа улога може да поставите замрзнати сметки и да се создаде / измени на сметководствените ставки кон замрзнатите сметки +DocType: Plaid Settings,Plaid Environment,Карирана околина ,Project Billing Summary,Резиме за наплата на проект DocType: Vital Signs,Cuts,Парчиња DocType: Serial No,Is Cancelled,Е Откажано @@ -5130,7 +5191,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Забелешка: системот не ќе ги провери над-испорака и над-резервација за Точка {0}, на пример количината или сума е 0" DocType: Issue,Opening Date,Отворање датум apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Ве молиме прво спаси го пациентот -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Направете нов контакт apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Присуство е обележан успешно. DocType: Program Enrollment,Public Transport,Јавен превоз DocType: Sales Invoice,GST Vehicle Type,Тип на возило GST @@ -5157,6 +5217,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Сметк DocType: POS Profile,Write Off Account,Отпише профил DocType: Patient Appointment,Get prescribed procedures,Добијте пропишани процедури DocType: Sales Invoice,Redemption Account,Откупна сметка +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Прво додајте ставки во табелата Локации на артикали DocType: Pricing Rule,Discount Amount,Износ попуст DocType: Pricing Rule,Period Settings,Поставки за период DocType: Purchase Invoice,Return Against Purchase Invoice,Врати против Набавка Фактура @@ -5188,7 +5249,6 @@ DocType: Assessment Plan,Assessment Plan,план за оценување DocType: Travel Request,Fully Sponsored,Целосно спонзорирана apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Внесување обратен весник apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Создадете картичка за работа -DocType: Shift Type,Consequence after,Последица после DocType: Quality Procedure Process,Process Description,Опис на процесот apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Клиентот {0} е создаден. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Немам моментални ставки на пазарот @@ -5223,6 +5283,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Чистење Датум DocType: Delivery Settings,Dispatch Notification Template,Шаблон за известување за испраќање apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Извештај за проценка apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Добијте вработени +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 @@ -5313,7 +5374,6 @@ DocType: Stock Settings,Use Naming Series,Користете имиња на с apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Нема акција apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Трошоци тип вреднување не може да го означи како Инклузивна DocType: POS Profile,Update Stock,Ажурирање берза -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Различни ЕМ за Артикли ќе доведе до Неточна (Вкупно) вредност за Нето тежина. Проверете дали Нето тежината на секој артикал е во иста ЕМ. DocType: Certification Application,Payment Details,Детали за плаќањата apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Бум стапка @@ -5346,7 +5406,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Ова е лице корен продажба и не може да се уредува. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ако е избрано, вредноста определена или пресметува во оваа компонента нема да придонесе за добивка или одбивања. Сепак, тоа е вредност може да се референцирани од други компоненти кои може да се додаде или одземе." -DocType: Asset Settings,Number of Days in Fiscal Year,Број на денови во фискалната година ,Stock Ledger,Акции Леџер DocType: Company,Exchange Gain / Loss Account,Размена добивка / загуба сметка DocType: Amazon MWS Settings,MWS Credentials,MWS акредитиви @@ -5380,6 +5439,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Колумна во датотеката во банка apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Оставете апликација {0} веќе постои против ученикот {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Редовна за ажурирање на најновата цена во сите нацрт материјали. Може да потрае неколку минути. +DocType: Pick List,Get Item Locations,Добијте локации на артикали apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Име на нова сметка. Забелешка: Ве молиме да не се создаде сметки за клиентите и добавувачите DocType: POS Profile,Display Items In Stock,Покажи Теми Има во залиха apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Земја мудро стандардно адреса Урнеци @@ -5403,6 +5463,7 @@ DocType: Crop,Materials Required,Потребни материјали apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Не е пронајдено студенти DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Месечно ослободување од HRA DocType: Clinical Procedure,Medical Department,Медицински оддел +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Вкупно рани излегувања DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Критериуми за оценување на резултатите од добавувачот apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Датум на фактура во врска со Мислењата apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,продаде @@ -5414,11 +5475,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Избришете го вработениот {0} \ за да го откажете овој документ" DocType: Program Enrollment,School House,школа куќа DocType: Serial No,Out of AMC,Од АМЦ DocType: Opportunity,Opportunity Amount,Износ на можност +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Твојот профил apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Број на амортизациони резервација не може да биде поголем од вкупниот број на амортизација DocType: Purchase Order,Order Confirmation Date,Датум за потврда на нарачката DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5512,7 +5572,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Постојат недоследности помеѓу стапката, бројот на акции и износот пресметан" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Вие не сте присутни цел ден (и) помеѓу дена за барање за компензаторско отсуство apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Ве молиме име ре-вид на компанија за да се потврди -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Вкупен Неизмирен Изн. DocType: Journal Entry,Printing Settings,Поставки за печатење DocType: Payment Order,Payment Order Type,Вид на налог за плаќање DocType: Employee Advance,Advance Account,Однапред сметка @@ -5600,7 +5659,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Име на Година apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Постојат повеќе одмори од работни дена овој месец. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Следниве елементи {0} не се означени како {1} ставка. Можете да ги овозможите како {1} елемент од главниот елемент -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Реф DocType: Production Plan Item,Product Bundle Item,Производ Бовча Точка DocType: Sales Partner,Sales Partner Name,Продажбата партнер Име apps/erpnext/erpnext/hooks.py,Request for Quotations,Барање за прибирање на понуди @@ -5609,7 +5667,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,Нормални тестови DocType: QuickBooks Migrator,Company Settings,Поставувања на компанијата DocType: Additional Salary,Overwrite Salary Structure Amount,Запиши ја износот на платата на платата -apps/erpnext/erpnext/config/hr.py,Leaves,Заминува +DocType: Leave Ledger Entry,Leaves,Заминува DocType: Student Language,Student Language,студентски јазик DocType: Cash Flow Mapping,Is Working Capital,Дали работен капитал apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Достави доказ @@ -5667,6 +5725,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Максимална дозволена вредност DocType: Journal Entry Account,Employee Advance,Напредување на вработените DocType: Payroll Entry,Payroll Frequency,Даноци на фреквенција +DocType: Plaid Settings,Plaid Client ID,ID на клиент на карирани DocType: Lab Test Template,Sensitivity,Чувствителност DocType: Plaid Settings,Plaid Settings,Поставки за карирани apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Синхронизацијата е привремено оневозможена бидејќи се надминати максималните обиди @@ -5684,6 +5743,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Ве молиме изберете ја со Мислењата Датум прв apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Отворање датум треба да биде пред крајниот датум DocType: Travel Itinerary,Flight,Лет +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Назад до дома DocType: Leave Control Panel,Carry Forward,Пренесување apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Трошоците центар со постојните трансакции не може да се конвертира Леџер DocType: Budget,Applicable on booking actual expenses,Применливи при резервација на реалните трошоци @@ -5785,6 +5845,7 @@ DocType: Batch,Source Document Name,Извор документ Име DocType: Batch,Source Document Name,Извор документ Име DocType: Production Plan,Get Raw Materials For Production,Земете сирови материјали за производство DocType: Job Opening,Job Title,Работно место +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Идно плаќање Реф apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} покажува дека {1} нема да обезбеди цитат, но сите елементи \ биле цитирани. Ажурирање на статусот на понуда за понуда." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максималните примероци - {0} веќе се задржани за Серија {1} и Точка {2} во Серија {3}. @@ -5795,12 +5856,10 @@ 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: Company,Product Code,Код на производот DocType: Quality Review Table,Objective,Цел DocType: Supplier Scorecard,Per Month,Месечно DocType: Education Settings,Make Academic Term Mandatory,Направете академски термин задолжително -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Количина за производство мора да биде поголем од 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Пресметајте го проредениот распоред за амортизација врз основа на фискалната година +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Количина за производство мора да биде поголем од 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Посетете извештај за одржување повик. DocType: Stock Entry,Update Rate and Availability,Ажурирање курс и Достапност 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 единици." @@ -5812,7 +5871,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Датумот на објавување мора да биде во иднина DocType: BOM,Website Description,Веб-сајт Опис apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Нето промени во капиталот -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Ве молиме откажете купувањето фактура {0} првиот apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Не е дозволено. Ве молиме оневозможете го типот на услугата apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-mail адреса мора да биде уникатен, веќе постои за {0}" DocType: Serial No,AMC Expiry Date,АМЦ датумот на истекување @@ -5856,6 +5914,7 @@ DocType: Pricing Rule,Price Discount Scheme,Шема на попуст на це apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Статусот на одржување мора да биде откажан или завршен за поднесување DocType: Amazon MWS Settings,US,САД DocType: Holiday List,Add Weekly Holidays,Додади неделни празници +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Известување ставка DocType: Staffing Plan Detail,Vacancies,Слободни работни места DocType: Hotel Room,Hotel Room,Хотелска соба apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},На сметка {0} не припаѓа на компанијата {1} @@ -5906,12 +5965,15 @@ DocType: Email Digest,Open Quotations,Отвори цитати 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Избришете го вработениот {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,Основицата @@ -5925,6 +5987,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Празен DocType: Patient,Alcohol Past Use,Користење на алкохол за минатото DocType: Fertilizer Content,Fertilizer Content,Содржина на ѓубрива +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Нема опис apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Платежна држава DocType: Quality Goal,Monitoring Frequency,Фреквенција на набудување @@ -5942,6 +6005,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Завршува На датумот не може да биде пред следниот контакт датум. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Записи во серија DocType: Journal Entry,Pay To / Recd From,Да се плати / Recd Од +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Објавување на ставка DocType: Naming Series,Setup Series,Подесување Серија DocType: Payment Reconciliation,To Invoice Date,Датум на фактура DocType: Bank Account,Contact HTML,Контакт HTML @@ -5963,6 +6027,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Трговија на ма DocType: Student Attendance,Absent,Отсутен DocType: Staffing Plan,Staffing Plan Detail,Детален план за персонал DocType: Employee Promotion,Promotion Date,Датум на промоција +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Алокацијата за напуштање% s е поврзана со апликација за отсуство% s 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} @@ -6000,6 +6065,7 @@ DocType: Volunteer,Availability,Достапност apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Поставување на стандардните вредности за POS фактури DocType: Employee Training,Training,обука DocType: Project,Time to send,Време за испраќање +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Оваа страница ги следи вашите артикли во кои купувачите покажале одреден интерес. 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 e-mail проект @@ -6100,11 +6166,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,отворање вредност DocType: Salary Component,Formula,формула apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Сериски # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Поставете го системот за именување на вработените во човечки ресурси> Поставки за човечки ресурси DocType: Material Request Plan Item,Required Quantity,Потребна количина DocType: Lab Test Template,Lab Test Template,Лабораториски тест обрасци apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,Продажна сметка DocType: Purchase Invoice Item,Total Weight,Вкупна тежина +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}" @@ -6128,6 +6194,7 @@ DocType: Company,Default Employee Advance Account,Стандардна смет apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Барај точка (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Сметка со постоечките трансакцијата не може да се избришат +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Зошто мислите дека оваа ставка треба да се отстрани? DocType: Vehicle,Last Carbon Check,Последните јаглерод Проверете apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Правни трошоци apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Ве молиме изберете количина на ред @@ -6147,6 +6214,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Дефект DocType: Travel Itinerary,Vegetarian,Вегетаријанец DocType: Patient Encounter,Encounter Date,Датум на средба +DocType: Work Order,Update Consumed Material Cost In Project,Ажурирајте ги потрошените материјални трошоци во проектот apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Сметка: {0} со валутна: не може да се одбрани {1} DocType: Bank Statement Transaction Settings Item,Bank Data,Податоци за банка DocType: Purchase Receipt Item,Sample Quantity,Количина на примероци @@ -6200,7 +6268,7 @@ DocType: GSTR 3B Report,April,Април DocType: Plant Analysis,Collection Datetime,Колекција Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Вкупни Оперативни трошоци -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Забелешка: Точката {0} влегоа неколку пати +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Забелешка: Точката {0} влегоа неколку пати apps/erpnext/erpnext/config/buying.py,All Contacts.,Сите контакти. DocType: Accounting Period,Closed Documents,Затворени документи DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Управување со назначувањето Фактурата поднесува и автоматски се откажува за средба со пациенти @@ -6280,7 +6348,6 @@ DocType: Member,Membership Type,Тип на членство ,Reqd By Date,Reqd Спореддатумот apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Доверителите DocType: Assessment Plan,Assessment Name,проценка Име -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Прикажи PDC во Печати apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Ред # {0}: Сериски Не е задолжително DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Точка Мудриот Данок Детална DocType: Employee Onboarding,Job Offer,Понуда за работа @@ -6340,6 +6407,7 @@ DocType: Serial No,Out of Warranty,Надвор од гаранција DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Тип на мапиран податок DocType: BOM Update Tool,Replace,Заменете apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Не се пронајдени производи. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Објавувајте повеќе артикли apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} во однос на Продажна фактура {1} DocType: Antibiotic,Laboratory User,Лабораториски корисник DocType: Request for Quotation Item,Project Name,Име на проектот @@ -6360,7 +6428,6 @@ DocType: Payment Order Reference,Bank Account Details,Детали за банк DocType: Purchase Order Item,Blanket Order,Нарачка 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,Даночни средства -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Производство цел е {0} DocType: BOM Item,BOM No,BOM број 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,Се движат просек @@ -6434,6 +6501,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Надворешно оданочување набавки (нулта оценка) DocType: BOM,Materials Required (Exploded),Потребни материјали (експлодира) 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/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,Датум на објавување не може да биде иднина @@ -6491,7 +6559,6 @@ DocType: Pricing Rule,Same Item,Истата ставка DocType: Stock Ledger Entry,Stock Ledger Entry,Акции Леџер Влегување DocType: Quality Action Resolution,Quality Action Resolution,Резолуција на акција за квалитет apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} на половина ден Оставете на {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Истата ставка се внесени повеќе пати DocType: Department,Leave Block List,Остави Забрани Листа DocType: Purchase Invoice,Tax ID,Данок проект apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Ставка {0} не е подесување за сериски бр. Колоната мора да биде празна @@ -6529,7 +6596,7 @@ 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} е оневозможено или не постои DocType: Purchase Invoice,Return,Враќање -DocType: Accounting Dimension,Disable,Оневозможи +DocType: Account,Disable,Оневозможи apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Начин на плаќање е потребно да се изврши плаќање DocType: Task,Pending Review,Во очекување Преглед apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Уредете во целосна страница за повеќе опции како средства, сериски број, партии итн." @@ -6641,7 +6708,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Комбинираната дел од фактурата мора да изнесува 100% DocType: Item Default,Default Expense Account,Стандардно сметка сметка DocType: GST Account,CGST Account,CGST сметка -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код на точка> Група на производи> Бренд apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Студент e-mail проект DocType: Employee,Notice (days),Известување (во денови) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS-затворање ваучер-фактури @@ -6652,6 +6718,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Изберете предмети за да се спаси фактура DocType: Employee,Encashment Date,Датум на инкасо DocType: Training Event,Internet,интернет +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Информации за продавачот DocType: Special Test Template,Special Test Template,Специјален тест образец DocType: Account,Stock Adjustment,Акциите прилагодување apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Постои Цена стандардно активност за Тип на активност - {0} @@ -6664,7 +6731,6 @@ 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,Мора да се постави датумот на завршување на датумот на судењето и датумот на завршување на судечкиот период -DocType: Company,Bank Remittance Settings,Поставки за банкарски дознаки apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Просечна стапка 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",„Предметот обезбеден од клиент“ не може да има стапка на проценка @@ -6692,6 +6758,7 @@ DocType: Grading Scale Interval,Threshold,праг apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Филтрирајте ги вработените според (по избор) DocType: BOM Update Tool,Current BOM,Тековни Бум apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Баланс (Dr-Cr) +DocType: Pick List,Qty of Finished Goods Item,Количина на готови производи apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Додади Сериски Не DocType: Work Order Item,Available Qty at Source Warehouse,Достапно Количина на изворот Магацински apps/erpnext/erpnext/config/support.py,Warranty,гаранција @@ -6768,7 +6835,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Овде можете да одржите висина, тежина, алергии, медицински проблеми итн" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Креирање на сметки ... DocType: Leave Block List,Applies to Company,Се однесува на компанијата -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Не може да се откаже затоа што {0} постои поднесени берза Влегување +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Не може да се откаже затоа што {0} постои поднесени берза Влегување DocType: Loan,Disbursement Date,Датум на повлекување средства DocType: Service Level Agreement,Agreement Details,Детали за договорот apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Датумот на започнување на договорот не може да биде поголем или еднаков на датумот на завршување. @@ -6777,6 +6844,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Медицински рекорд DocType: Vehicle,Vehicle,возило DocType: Purchase Invoice,In Words,Со зборови +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,До денес треба да биде пред од датумот apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Внесете го името на банката или кредитната институција пред да поднесете. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} мора да бидат поднесени DocType: POS Profile,Item Groups,точка групи @@ -6849,7 +6917,6 @@ DocType: Customer,Sales Team Details,Тим за продажба Детали apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Избриши засекогаш? DocType: Expense Claim,Total Claimed Amount,Вкупен Износ на Побарувања apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Потенцијални можности за продажба. -DocType: Plaid Settings,Link a new bank account,Поврзете нова банкарска сметка apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} е неважечки статус на посетеност. DocType: Shareholder,Folio no.,Фолио бр. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Неважечки {0} @@ -6865,7 +6932,6 @@ DocType: Production Plan,Material Requested,Побаран материјал DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Задржани количини за под-договор DocType: Patient Service Unit,Patinet Service Unit,Единица за служба на Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Креирај датотека со текст DocType: Sales Invoice,Base Change Amount (Company Currency),База промени Износ (Фирма валута) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Не сметководствените ставки за следните магацини apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Само {0} во залиха за ставка {1} @@ -6879,6 +6945,7 @@ DocType: Item,No of Months,Број на месеци DocType: Item,Max Discount (%),Макс попуст (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Кредитните денови не можат да бидат негативен број apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Поставете изјава +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Пријави ја оваа ставка DocType: Purchase Invoice Item,Service Stop Date,Датум за прекин на услуга apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Последна нарачана Износ DocType: Cash Flow Mapper,e.g Adjustments for:,"на пример, прилагодувања за:" @@ -6971,16 +7038,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Категорија на даночно ослободување од вработените apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Износот не треба да биде помал од нула. DocType: Sales Invoice,C-Form Applicable,C-Форма Применливи -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Операција на времето мора да биде поголема од 0 за операција {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Операција на времето мора да биде поголема од 0 за операција {0} DocType: Support Search Source,Post Route String,Последователна низа apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Складиште е задолжително apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Не успеа да создаде веб-локација DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Детална UOM конверзија apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Прием и запишување -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Веќе креиран запис за задржување на акции или не е обезбеден примерок +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Веќе креиран запис за задржување на акции или не е обезбеден примерок DocType: Program,Program Abbreviation,Програмата Кратенка -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Производство цел не може да се зголеми во однос на точка Шаблон apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Група по ваучер (консолидирана) DocType: HR Settings,Encrypt Salary Slips in Emails,Шифрирајте ги листите на плати во е-поштата DocType: Question,Multiple Correct Answer,Повеќе точен одговор @@ -7027,7 +7093,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Дали е оценет DocType: Employee,Educational Qualification,Образовните квалификации DocType: Workstation,Operating Costs,Оперативни трошоци apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Валута за {0} мора да биде {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Последица од периодот на влез во благодат DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Означете присуство врз основа на „Проверка на вработените“ за вработените доделени на оваа смена. DocType: Asset,Disposal Date,отстранување Датум DocType: Service Level,Response and Resoution Time,Време на реакција и реакција @@ -7076,6 +7141,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Датум на завршување DocType: Purchase Invoice Item,Amount (Company Currency),Износ (Фирма валута) DocType: Program,Is Featured,Се одликува +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Фаќање ... DocType: Agriculture Analysis Criteria,Agriculture User,Земјоделски корисник apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Важи до датумот не може да биде пред датумот на трансакција 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} за да се заврши оваа трансакција. @@ -7107,7 +7173,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Вкупно Исплатени изн. 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 Индивидуална продажба Регистрирај се @@ -7131,6 +7196,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Аноним apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Добиени од DocType: Lead,Converted,Конвертираната DocType: Item,Has Serial No,Има серија № +DocType: Stock Entry Detail,PO Supplied Item,Точка доставена 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} @@ -7242,7 +7308,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Синхронизирањ 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Аватарот на бирото за {0} не е пронајден +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}: Поставете редоследот квантитетот apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Допрете ставки за да го додадете ги овде @@ -7278,7 +7344,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Датум на одржување DocType: Purchase Invoice Item,Rejected Serial No,Одбиени Сериски Не apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Година датум за почеток или крај датум се преклопуваат со {0}. За да се избегне молам постави компанијата -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Поставете серија за нумерирање за присуство преку Поставување> Серии за нумерирање apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Ве молиме да го споменете Водечкото Име во Водач {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Датум на почеток треба да биде помал од крајот датум за Точка {0} DocType: Shift Type,Auto Attendance Settings,Поставки за автоматско присуство @@ -7291,6 +7356,7 @@ DocType: SG Creation Tool Course,Max Strength,Макс Сила apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Инсталирање на меморија DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Нема избрана белешка за избор за клиент {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Редови додадени во {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Вработениот {0} нема максимален износ на корист apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Изберете предмети врз основа на датумот на испорака DocType: Grant Application,Has any past Grant Record,Има некое минато грант рекорд @@ -7336,6 +7402,7 @@ DocType: Fees,Student Details,Детали за учениците DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Ова е стандардниот UOM што се користи за предмети и нарачки за продажба. Влијанието на UOM е „Nos“. DocType: Purchase Invoice Item,Stock Qty,акции Количина DocType: Purchase Invoice Item,Stock Qty,акции Количина +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,Стандардна сметка за испорака DocType: Loan,Repayment Period in Months,Отплата Период во месеци @@ -7364,6 +7431,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise попуст apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet за задачите. DocType: Purchase Invoice,Against Expense Account,Против сметка сметка apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Инсталација Забелешка {0} е веќе испратена +DocType: BOM,Raw Material Cost (Company Currency),Трошоци за суровина (валута на компанијата) DocType: GSTR 3B Report,October,Октомври DocType: Bank Reconciliation,Get Payment Entries,Земете Записи на плаќање DocType: Quotation Item,Against Docname,Против Docname @@ -7410,15 +7478,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Достапен е датум за користење DocType: Request for Quotation,Supplier Detail,добавувачот детали apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Грешка во формулата или состојба: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Фактурираниот износ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Фактурираниот износ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Тежините на критериумите мора да содржат до 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Публика apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,акции предмети DocType: Sales Invoice,Update Billed Amount in Sales Order,Ажурирајте го платениот износ во нарачката за продажба +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Контакт Продавач 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Ве молиме најавете се како Корисник на пазарот за да ја пријавите оваа ставка. ,Sales Partner Commission Summary,Резиме на Комисијата за партнери за продажба ,Item Prices,Точка цени DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Во Зборови ќе бидат видливи откако ќе го спаси нарачка. @@ -7431,6 +7501,7 @@ DocType: Dosage Form,Dosage Form,Форма на дозирање apps/erpnext/erpnext/config/buying.py,Price List master.,Ценовник господар. DocType: Task,Review Date,Преглед Датум DocType: BOM,Allow Alternative Item,Дозволи алтернативна ставка +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Потврда за набавка нема никаква ставка за која е овозможен задржување на примерокот. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Фактура вкупно DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Серија за внесување на амортизацијата на средствата (запис на дневникот) DocType: Membership,Member Since,Член од @@ -7439,6 +7510,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,На Нето Вкупно 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: Pricing Rule,Product Discount Scheme,Шема на попуст на производи +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Ниту еден проблем не е повикан од повикувачот. DocType: Restaurant Reservation,Waitlisted,Листа на чекање DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категорија на ослободување apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Валута не може да се промени по правење записи со употреба на други валута @@ -7452,7 +7524,6 @@ DocType: Customer Group,Parent Customer Group,Родител група на п apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Бил-е-начин Бил ЈСОН може да се генерира само од Фактура за продажба apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Постигнаа максимални обиди за овој квиз! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Претплата -DocType: Purchase Invoice,Contact Email,Контакт E-mail apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Во тек е создавање на надоместоци DocType: Project Template Task,Duration (Days),Времетраење (денови) DocType: Appraisal Goal,Score Earned,Резултат Заработени @@ -7477,7 +7548,6 @@ DocType: Landed Cost Item,Landed Cost Item,Слета Цена Точка 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Износот за единечна трансакција го надминува максималниот дозволен износ, креирајте посебен налог за плаќање со поделување на трансакциите" DocType: Service Level Agreement,Entity,Субјект DocType: Payment Reconciliation,Receivable / Payable Account,Побарувања / Платив сметка DocType: Delivery Note Item,Against Sales Order Item,Во однос на ставка од продажна нарачка @@ -7646,6 +7716,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,До DocType: Quality Inspection Reading,Reading 3,Читање 3 DocType: Stock Entry,Source Warehouse Address,Адреса на изворна магацин DocType: GL Entry,Voucher Type,Ваучер Тип +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Идни исплати 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 ,Последна активност @@ -7672,6 +7743,7 @@ 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 клиентите DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Листа на болести откриени на терен. Кога е избрано, автоматски ќе додаде листа на задачи за справување со болеста" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,БОМ 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Ова е единица за здравствена заштита на root и не може да се уредува. DocType: Asset Repair,Repair Status,Поправка статус apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Побарај Количина: Количина се бара за купување, но не е нарачано." @@ -7686,6 +7758,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Сметка за промени Износ DocType: QuickBooks Migrator,Connecting to QuickBooks,Поврзување со QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Вкупно добивка / загуба +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Создадете избор на списоци apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ред {0}: Забава / профилот не се поклопува со {1} / {2} со {3} {4} DocType: Employee Promotion,Employee Promotion,Промоција на вработените DocType: Maintenance Team Member,Maintenance Team Member,Член на тимот за одржување @@ -7768,6 +7841,7 @@ 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,средства Категорија apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Нето плата со која не може да биде негативен @@ -7799,7 +7873,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Цел на квалитетот DocType: BOM,Item to be manufactured or repacked,"Елемент, за да се произведе или да се препакува" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Синтаксичка грешка во состојба: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Нема проблем поставен од клиентот. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Големи / изборни предмети apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Те молам Поставете група на добавувачи во Поставките за купување. @@ -7892,8 +7965,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Кредитна дена apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Изберете пациент за да добиете лабораториски тестови DocType: Exotel Settings,Exotel Settings,Поставки за егзотел -DocType: Leave Type,Is Carry Forward,Е пренесување +DocType: Leave Ledger Entry,Is Carry Forward,Е пренесување DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Работно време под кое се означува Отсуството. (Нулта да се оневозможи) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Испратете порака apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Земи ставки од BOM 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,Дали трошоците за данок на доход diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv index b36a50fcec..d72ff8db50 100644 --- a/erpnext/translations/ml.csv +++ b/erpnext/translations/ml.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,വിതരണക്കാരൻ അറിയിക്കുക apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,പാർട്ടി ടൈപ്പ് ആദ്യം തിരഞ്ഞെടുക്കുക DocType: Item,Customer Items,ഉപഭോക്തൃ ഇനങ്ങൾ +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,ബാധ്യതകൾ DocType: Project,Costing and Billing,ആറെണ്ണവും ബില്ലിംഗ് apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},അഡ്വാൻസ് അക്കൗണ്ട് കറൻസി കമ്പനി കറൻസിക്ക് തുല്യമായിരിക്കണം {0} DocType: QuickBooks Migrator,Token Endpoint,ടോക്കൺ അവസാനസ്ഥാനം @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,അളവു സ്ഥിരസ്ഥി DocType: SMS Center,All Sales Partner Contact,എല്ലാ സെയിൽസ് പങ്കാളി കോണ്ടാക്ട് DocType: Department,Leave Approvers,Approvers വിടുക DocType: Employee,Bio / Cover Letter,ബയോ / കവർ ലെറ്റർ +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,ഇനങ്ങൾ തിരയുക ... DocType: Patient Encounter,Investigations,അന്വേഷണം DocType: Restaurant Order Entry,Click Enter To Add,Add to Enter ക്ലിക്ക് ചെയ്യുക apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","പാസ്വേഡ്, API കീ അല്ലെങ്കിൽ Shopify URL എന്നിവയ്ക്കായി മൂല്യം നഷ്ടമായിരിക്കുന്നു" DocType: Employee,Rented,വാടകയ്ക്ക് എടുത്തത് apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,എല്ലാ അക്കൗണ്ടുകളും apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,ജീവനക്കാരനെ സ്റ്റാറ്റസ് ഇടത്തേക്ക് കൈമാറാനാകില്ല -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","പ്രൊഡക്ഷൻ ഓർഡർ റദ്ദാക്കാൻ ആദ്യം Unstop, റദ്ദാക്കാൻ കഴിയില്ല നിർത്തി" DocType: Vehicle Service,Mileage,മൈലേജ് apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,ശരിക്കും ഈ അസറ്റ് മുൻസർക്കാരിന്റെ ആഗ്രഹിക്കുന്നുണ്ടോ? DocType: Drug Prescription,Update Schedule,ഷെഡ്യൂൾ അപ്ഡേറ്റുചെയ്യുക @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,കസ്റ്റമർ DocType: Purchase Receipt Item,Required By,നിബന്ധനകൾ DocType: Delivery Note,Return Against Delivery Note,ഡെലിവറി കുറിപ്പ് മടങ്ങുക DocType: Asset Category,Finance Book Detail,ധനകാര്യം പുസ്തക വിശദാംശം +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,എല്ലാ മൂല്യത്തകർച്ചകളും ബുക്ക് ചെയ്തു DocType: Purchase Order,% Billed,% വസതി apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,ശമ്പള നമ്പർ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),വിനിമയ നിരക്ക് {1} {0} അതേ ആയിരിക്കണം ({2}) @@ -95,6 +97,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,ബാച്ച് ഇനം കാലഹരണപ്പെടൽ അവസ്ഥ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,ബാങ്ക് ഡ്രാഫ്റ്റ് DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV- .YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,ആകെ വൈകി എൻ‌ട്രികൾ DocType: Mode of Payment Account,Mode of Payment Account,പേയ്മെന്റ് അക്കൗണ്ട് മോഡ് apps/erpnext/erpnext/config/healthcare.py,Consultation,കൺസൾട്ടേഷൻ DocType: Accounts Settings,Show Payment Schedule in Print,അച്ചടിക്കുള്ള പേയ്മെന്റ് ഷെഡ്യൂൾ കാണിക്കുക @@ -120,6 +123,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,പ്രാഥമിക കോൺടാക്റ്റ് വിശദാംശങ്ങൾ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,തുറന്ന പ്രശ്നങ്ങൾ DocType: Production Plan Item,Production Plan Item,പ്രൊഡക്ഷൻ പ്ലാൻ ഇനം +DocType: Leave Ledger Entry,Leave Ledger Entry,ലെഡ്ജർ എൻ‌ട്രി വിടുക 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,ലീഡ് സൃഷ്ടിക്കുക @@ -138,6 +142,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,പ DocType: Purchase Invoice Item,Item Weight Details,ഇനം ഭാരം വിശദാംശങ്ങൾ DocType: Asset Maintenance Log,Periodicity,ഇതേ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,സാമ്പത്തിക വർഷത്തെ {0} ആവശ്യമാണ് +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,അറ്റ ലാഭം / നഷ്ടം DocType: Employee Group Table,ERPNext User ID,ERPNext ഉപയോക്തൃ ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,പരമാവധി വളർച്ചയ്ക്ക് സസ്യങ്ങളുടെ വരികൾ തമ്മിലുള്ള ഏറ്റവും കുറഞ്ഞ ദൂരം apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,നിർദ്ദിഷ്ട നടപടിക്രമങ്ങൾ ലഭിക്കുന്നതിന് ദയവായി രോഗിയെ തിരഞ്ഞെടുക്കുക @@ -164,10 +169,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,വില ലിസ്റ്റ് വിൽക്കുന്നു DocType: Patient,Tobacco Current Use,പുകയില നിലവിലുളള ഉപയോഗം apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,വിൽക്കുന്ന നിരക്ക് -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,ഒരു പുതിയ അക്കൗണ്ട് ചേർക്കുന്നതിന് മുമ്പ് ദയവായി നിങ്ങളുടെ പ്രമാണം സംരക്ഷിക്കുക 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 ...,എന്തിനും തിരയുക ... DocType: Company,Phone No,ഫോൺ ഇല്ല DocType: Delivery Trip,Initial Email Notification Sent,പ്രാരംഭ ഇമെയിൽ അറിയിപ്പ് അയച്ചു DocType: Bank Statement Settings,Statement Header Mapping,ഹെഡ്ഡർ മാപ്പിംഗ് സ്റ്റേഷൻ @@ -229,6 +234,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,പ DocType: Exchange Rate Revaluation Account,Gain/Loss,നേട്ടം / നഷ്ടം DocType: Crop,Perennial,വറ്റാത്ത DocType: Program,Is Published,പ്രസിദ്ധീകരിച്ചു +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,ഡെലിവറി കുറിപ്പുകൾ കാണിക്കുക apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","ഓവർ ബില്ലിംഗ് അനുവദിക്കുന്നതിന്, അക്കൗണ്ട് ക്രമീകരണങ്ങളിലോ ഇനത്തിലോ "ഓവർ ബില്ലിംഗ് അലവൻസ്" അപ്‌ഡേറ്റ് ചെയ്യുക." DocType: Patient Appointment,Procedure,നടപടിക്രമം DocType: Accounts Settings,Use Custom Cash Flow Format,കസ്റ്റം ക്യാഷ് ഫ്ലോ ഫോർമാറ്റ് ഉപയോഗിക്കുക @@ -277,6 +283,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,കാലയളവിന്റെ എണ്ണം ഓവർ പകരം apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ഉൽപ്പാദിപ്പിക്കുന്നതിനുള്ള അളവ് പൂജ്യത്തേക്കാൾ കുറവായിരിക്കരുത് DocType: Stock Entry,Additional Costs,അധിക ചെലവ് +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,കസ്റ്റമർ> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ഗ്രൂപ്പ് പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല. DocType: Lead,Product Enquiry,ഉൽപ്പന്ന അറിയുവാനുള്ള DocType: Education Settings,Validate Batch for Students in Student Group,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് വിദ്യാർത്ഥികളുടെ ബാച്ച് സാധൂകരിക്കൂ @@ -288,7 +295,9 @@ DocType: Employee Education,Under Graduate,ഗ്രാജ്വേറ്റ് apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,എച്ച്ആർ സജ്ജീകരണങ്ങളിൽ ലെവൽ സ്റ്റാറ്റസ് അറിയിപ്പിന് സ്ഥിരസ്ഥിതി ടെംപ്ലേറ്റ് സജ്ജീകരിക്കുക. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ടാർഗറ്റിൽ DocType: BOM,Total Cost,മൊത്തം ചെലവ് +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,വിഹിതം കാലഹരണപ്പെട്ടു! DocType: Soil Analysis,Ca/K,സി / കെ +DocType: Leave Type,Maximum Carry Forwarded Leaves,ഫോർവേഡ് ചെയ്ത ഇലകൾ പരമാവധി വഹിക്കുക DocType: Salary Slip,Employee Loan,ജീവനക്കാരുടെ വായ്പ DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS- .YY .- എം.എം.- DocType: Fee Schedule,Send Payment Request Email,പേയ്മെന്റ് അഭ്യർത്ഥന ഇമെയിൽ അയയ്ക്കുക @@ -298,6 +307,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,റി apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,അക്കൗണ്ട് പ്രസ്താവന apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ഫാർമസ്യൂട്ടിക്കൽസ് DocType: Purchase Invoice Item,Is Fixed Asset,ഫിക്സ്ഡ് സ്വത്ത് +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,ഭാവി പേയ്‌മെന്റുകൾ കാണിക്കുക DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT- .YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,ഈ ബാങ്ക് അക്കൗണ്ട് ഇതിനകം സമന്വയിപ്പിച്ചു DocType: Homepage,Homepage Section,ഹോം‌പേജ് വിഭാഗം @@ -344,7 +354,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,വളം apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",\ സീരിയൽ നമ്പർ വഴി ഡെലിവറി ഉറപ്പാക്കാനാവില്ല \ ഇനം {0} ചേർത്തും അല്ലാതെയും \ സീരിയൽ നമ്പർ ഡെലിവറി ഉറപ്പാക്കുന്നു. -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,വിദ്യാഭ്യാസം> വിദ്യാഭ്യാസ ക്രമീകരണങ്ങളിൽ ഇൻസ്ട്രക്ടർ നാമകരണ സംവിധാനം സജ്ജമാക്കുക apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,പേയ്മെന്റ് കുറഞ്ഞത് ഒരു മോഡ് POS ൽ ഇൻവോയ്സ് ആവശ്യമാണ്. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},ബാച്ച് ചെയ്ത ഇനത്തിന് ബാച്ച് നമ്പർ ആവശ്യമില്ല {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,ബാങ്ക് സ്റ്റേറ്റ്മെന്റ് ട്രാൻസാക്ഷൻ ഇൻവോയ്സ് ആക്റ്റ് @@ -419,6 +428,7 @@ DocType: Job Offer,Select Terms and Conditions,നിബന്ധനകളും apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,മൂല്യം ഔട്ട് DocType: Bank Statement Settings Item,Bank Statement Settings Item,ബാങ്ക് സ്റ്റേറ്റ്മെന്റ് ക്രമീകരണങ്ങളുടെ ഇനം DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce ക്രമീകരണങ്ങൾ +DocType: Leave Ledger Entry,Transaction Name,ഇടപാടിന്റെ പേര് DocType: Production Plan,Sales Orders,സെയിൽസ് ഉത്തരവുകൾ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,കസ്റ്റമർക്കായി ഒന്നിലധികം ലോയൽറ്റി പ്രോഗ്രാം കണ്ടെത്തി. ദയവായി സ്വമേധയാ തിരഞ്ഞെടുക്കുക. DocType: Purchase Taxes and Charges,Valuation,വിലമതിക്കല് @@ -453,6 +463,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: 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,അപ്ഡേറ്റ് ഇമെയിൽ ഗ്രൂപ്പ് DocType: POS Profile,Only show Customer of these Customer Groups,ഈ കസ്റ്റമർ ഗ്രൂപ്പുകളുടെ ഉപഭോക്താവിനെ മാത്രം കാണിക്കുക DocType: Sales Invoice,Is Opening Entry,എൻട്രി തുറക്കുകയാണ് @@ -461,8 +472,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,സ്റ്റാൻഡേർഡ് അല്ലാത്ത സ്വീകരിക്കുന്ന അക്കൌണ്ട് ബാധകമാണെങ്കിൽ പ്രസ്താവിക്കുക 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,ഈ പിക്ക് ലിസ്റ്റിനെതിരെ സ്റ്റോക്ക് എൻ‌ട്രി ഇതിനകം തന്നെ സൃഷ്ടിച്ചു DocType: Supplier Scorecard,Criteria Setup,മാനദണ്ഡ ക്രമീകരണവും -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,വെയർഹൗസ് ആവശ്യമാണ് എന്ന മുമ്പ് സമർപ്പിക്കുക +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,ഏറ്റുവാങ്ങിയത് DocType: Codification Table,Medical Code,മെഡിക്കൽ കോഡ് apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ERPNext ഉപയോഗിച്ച് ആമസോണുമായി ബന്ധിപ്പിക്കുക @@ -478,7 +490,7 @@ DocType: Restaurant Order Entry,Add Item,ഇനം ചേർക്കുക DocType: Party Tax Withholding Config,Party Tax Withholding Config,പാർട്ടി ടാക്സ് വിത്ത്ഹോൾഡിംഗ് കോൺഫിഗർ DocType: Lab Test,Custom Result,ഇഷ്ടാനുസൃത ഫലം apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,ബാങ്ക് അക്കൗണ്ടുകൾ ചേർത്തു -DocType: Delivery Stop,Contact Name,കോൺടാക്റ്റ് പേര് +DocType: Call Log,Contact Name,കോൺടാക്റ്റ് പേര് DocType: Plaid Settings,Synchronize all accounts every hour,എല്ലാ മണിക്കൂറിലും എല്ലാ അക്കൗണ്ടുകളും സമന്വയിപ്പിക്കുക DocType: Course Assessment Criteria,Course Assessment Criteria,കോഴ്സ് അസസ്മെന്റ് മാനദണ്ഡം DocType: Pricing Rule Detail,Rule Applied,നിയമം പ്രയോഗിച്ചു @@ -522,7 +534,6 @@ 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,സെയിൽസ് ഇൻവോയിസ് ഇല്ല -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,അജ്ഞാത നമ്പർ DocType: Website Filter Field,Website Filter Field,വെബ്‌സൈറ്റ് ഫിൽട്ടർ ഫീൽഡ് apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,സപ്ലൈ തരം DocType: Material Request Item,Min Order Qty,കുറഞ്ഞത് ഓർഡർ Qty @@ -550,7 +561,6 @@ DocType: Salary Slip,Total Principal Amount,മൊത്തം പ്രിൻ DocType: Student Guardian,Relation,ബന്ധം DocType: Quiz Result,Correct,ശരിയാണ് DocType: Student Guardian,Mother,അമ്മ -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,ആദ്യം site_config.json ൽ സാധുവായ പ്ലെയ്ഡ് API കീകൾ ചേർക്കുക DocType: Restaurant Reservation,Reservation End Time,റിസർവേഷൻ എൻഡ് സമയം DocType: Crop,Biennial,ബിനാലെ ,BOM Variance Report,ബോം വേരിയൻസ് റിപ്പോർട്ട് @@ -566,6 +576,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,പ്ലെയ്ഡ് പബ്ലിക് കീ DocType: Payment Term,Payment Term Name,പേയ്മെന്റ് ടേം പേര് DocType: Healthcare Settings,Create documents for sample collection,സാമ്പിൾ ശേഖരത്തിനായി പ്രമാണങ്ങൾ സൃഷ്ടിക്കുക apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},{0} {1} നിലവിലുള്ള തുക {2} വലുതായിരിക്കും കഴിയില്ല നേരെ പേയ്മെന്റ് @@ -613,12 +624,14 @@ DocType: POS Profile,Offline POS Settings,ഓഫ്‌ലൈൻ POS ക്രമ DocType: Stock Entry Detail,Reference Purchase Receipt,റഫറൻസ് വാങ്ങൽ രസീത് DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,മാറ്റ്-റിക്കോ-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,ഓഫ് വേരിയന്റ് -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',പൂർത്തിയാക്കി Qty 'Qty നിർമ്മിക്കാനുള്ള' വലുതായിരിക്കും കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',പൂർത്തിയാക്കി Qty 'Qty നിർമ്മിക്കാനുള്ള' വലുതായിരിക്കും കഴിയില്ല +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,അടിസ്ഥാനമാക്കിയുള്ള കാലയളവ് DocType: Period Closing Voucher,Closing Account Head,അടയ്ക്കുന്ന അക്കൗണ്ട് ഹെഡ് DocType: Employee,External Work History,പുറത്തേക്കുള്ള വർക്ക് ചരിത്രം apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,വൃത്താകൃതിയിലുള്ള റഫറൻസ് പിശക് apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,സ്റ്റുഡന്റ് റിപ്പോർട്ട് കാർഡ് apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,പിൻ കോഡിൽ നിന്ന് +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,സെയിൽസ് പേഴ്‌സൺ കാണിക്കുക DocType: Appointment Type,Is Inpatient,ഇൻപേഷ്യന്റ് ആണ് apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,ഗുഅര്ദിഅന്൧ പേര് DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,നിങ്ങൾ ഡെലിവറി നോട്ട് ലാഭിക്കാൻ ഒരിക്കൽ വാക്കുകൾ (എക്സ്പോർട്ട്) ൽ ദൃശ്യമാകും. @@ -632,6 +645,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,അളവിന്റെ പേര് apps/erpnext/erpnext/healthcare/setup.py,Resistant,ചെറുത്തുനിൽപ്പ് apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{} ഹോട്ടലിൽ ഹോട്ടൽ റൂട്ട് റേറ്റ് ക്രമീകരിക്കുക +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക DocType: Journal Entry,Multi Currency,മൾട്ടി കറൻസി DocType: Bank Statement Transaction Invoice Item,Invoice Type,ഇൻവോയിസ് തരം apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,തീയതി മുതൽ സാധുതയുള്ളത് തീയതി വരെ സാധുവായതിനേക്കാൾ കുറവായിരിക്കണം @@ -649,6 +663,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,പ്രവേശിപ്പിച്ചു DocType: Workstation,Rent Cost,രെംട് ചെലവ് 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,മൂല്യത്തകർച്ച ശേഷം തുക apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,വരാനിരിക്കുന്ന കലണ്ടർ ഇവന്റുകൾ apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,വേരിയന്റ് ആട്രിബ്യൂട്ടുകൾ @@ -735,7 +750,6 @@ DocType: Request for Quotation,Request for Quotation,ക്വട്ടേഷൻ 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,വിൽപ്പനക്കാരനെ അച്ചടിയിൽ കാണിക്കുക 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,ശക്തി @@ -743,7 +757,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,ഒരു പുതിയ കസ്റ്റമർ സൃഷ്ടിക്കുക apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,കാലഹരണപ്പെടും apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","ഒന്നിലധികം പ്രൈസിങ് നിയമങ്ങൾ വിജയം തുടരുകയാണെങ്കിൽ, ഉപയോക്താക്കൾക്ക് വൈരുദ്ധ്യം പരിഹരിക്കാൻ മാനുവലായി മുൻഗണന സജ്ജീകരിക്കാൻ ആവശ്യപ്പെട്ടു." -DocType: Purchase Invoice,Scan Barcode,ബാർകോഡ് സ്കാൻ ചെയ്യുക apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,വാങ്ങൽ ഓർഡറുകൾ സൃഷ്ടിക്കുക ,Purchase Register,രജിസ്റ്റർ വാങ്ങുക apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,രോഗി കണ്ടെത്തിയില്ല @@ -802,6 +815,7 @@ DocType: Account,Old Parent,പഴയ പേരന്റ്ഫോള്ഡര apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,നിർബന്ധമായ ഒരു ഫീൽഡ് - അക്കാദമിക് വർഷം apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,നിർബന്ധമായ ഒരു ഫീൽഡ് - അക്കാദമിക് വർഷം apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} {2} ഉപയോഗിച്ച് {3} ബന്ധമില്ല +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} @@ -843,6 +857,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet അടിസ്ഥാനമാക്കിയുള്ള പേറോളിന് ശമ്പളം ഘടകം. DocType: Driver,Applicable for external driver,ബാഹ്യ ഡ്രൈവർക്ക് ബാധകമാണ് DocType: Sales Order Item,Used for Production Plan,പ്രൊഡക്ഷൻ പ്ലാൻ ഉപയോഗിച്ച +DocType: BOM,Total Cost (Company Currency),ആകെ ചെലവ് (കമ്പനി കറൻസി) DocType: Loan,Total Payment,ആകെ പേയ്മെന്റ് apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,പൂർത്തിയാക്കിയ വർക്ക് ഓർഡറിന് ഇടപാട് റദ്ദാക്കാൻ കഴിയില്ല. DocType: Manufacturing Settings,Time Between Operations (in mins),(മിനിറ്റ്) ഓപ്പറേഷൻസ് നുമിടയിൽ സമയം @@ -863,6 +878,7 @@ DocType: Supplier Scorecard Standing,Notify Other,മറ്റുള്ളവയ DocType: Vital Signs,Blood Pressure (systolic),രക്തസമ്മർദം (സിസോളിക്) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} എന്നത് {2} ആണ് DocType: Item Price,Valid Upto,സാധുതയുള്ള വരെ +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.,"നിങ്ങളുടെ ഉപഭോക്താക്കൾ ഏതാനും കാണിയ്ക്കുക. അവർ സംഘടനകൾ, വ്യക്തികളുടെ ആകാം." @@ -924,6 +940,7 @@ DocType: Patient,Risk Factors,അപകടസാധ്യത ഘടകങ്ങ DocType: Patient,Occupational Hazards and Environmental Factors,തൊഴിൽ അപകടങ്ങളും പരിസ്ഥിതി ഘടകങ്ങളും apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,വർക്ക് ഓർഡറിനായി സ്റ്റോക്ക് എൻട്രികൾ ഇതിനകം സൃഷ്ടിച്ചു apps/erpnext/erpnext/templates/pages/cart.html,See past orders,പഴയ ഓർഡറുകൾ കാണുക +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} സംഭാഷണങ്ങൾ DocType: Vital Signs,Respiratory rate,ശ്വസന നിരക്ക് apps/erpnext/erpnext/config/help.py,Managing Subcontracting,മാനേജിംഗ് ചൂടുകാലമാണെന്നത് DocType: Vital Signs,Body Temperature,ശരീര താപനില @@ -965,6 +982,7 @@ DocType: Purchase Invoice,Registered Composition,രജിസ്റ്റർ ച apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,ഹലോ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,ഇനം നീക്കുക DocType: Employee Incentive,Incentive Amount,ഇൻസെന്റീവ് തുക +,Employee Leave Balance Summary,ജീവനക്കാരുടെ അവധി ബാലൻസ് സംഗ്രഹം DocType: Serial No,Warranty Period (Days),വാറന്റി പിരീഡ് (ദിവസം) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,മൊത്തം ക്രെഡിറ്റ് / ഡെബിറ്റ് തുക ലിങ്ക്ഡ് ജേർണൽ എൻട്രി ആയിരിക്കണം DocType: Installation Note Item,Installation Note Item,ഇന്സ്റ്റലേഷന് കുറിപ്പ് ഇനം @@ -978,6 +996,7 @@ DocType: Vital Signs,Bloated,മന്ദത DocType: Salary Slip,Salary Slip Timesheet,ശമ്പള ജി Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,സബ്-ചുരുങ്ങി വാങ്ങൽ റെസീപ്റ്റ് നിയമപരമായി വിതരണക്കാരൻ വെയർഹൗസ് DocType: Item Price,Valid From,വരെ സാധുതയുണ്ട് +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,നിങ്ങളുടെ റേറ്റിംഗ്: DocType: Sales Invoice,Total Commission,ആകെ കമ്മീഷൻ DocType: Tax Withholding Account,Tax Withholding Account,ടാക്സ് വിത്ത്ഹോൾഡിംഗ് അക്കൗണ്ട് DocType: Pricing Rule,Sales Partner,സെയിൽസ് പങ്കാളി @@ -985,6 +1004,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,എല്ലാ DocType: Buying Settings,Purchase Receipt Required,വാങ്ങൽ രസീത് ആവശ്യമാണ് DocType: Sales Invoice,Rail,റെയിൽ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,യഥാർത്ഥ ചെലവ് +DocType: Item,Website Image,വെബ്‌സൈറ്റ് ചിത്രം apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,വർക്ക് ഓർഡറിന്റെ അതേ വരിയിൽ {0} ടാർജറ്റ് വെയർഹൗസ് വേണം apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,ഓപ്പണിങ് സ്റ്റോക്ക് നൽകിയിട്ടുണ്ടെങ്കിൽ മൂലധനം നിരക്ക് നിര്ബന്ധമാണ് apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,ഇൻവോയിസ് പട്ടികയിൽ കണ്ടെത്തിയില്ല റെക്കോർഡുകൾ @@ -1016,8 +1036,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Receive at Warehou 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,നിങ്ങളുടെ അക്കൗണ്ട് സമന്വയിപ്പിക്കുന്നതിന് മുമ്പ് ദയവായി നിങ്ങളുടെ പ്ലെയ്ഡ് API കോൺഫിഗറേഷൻ പൂർത്തിയാക്കുക apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,ഹാഫ് ഡേ ഡേറ്റ് തീയതി നിർബന്ധമാണ് DocType: Sales Order,Billing and Delivery Status,"ബില്ലിംഗ്, ഡെലിവറി സ്റ്റാറ്റസ്" DocType: Job Applicant,Resume Attachment,പുനരാരംഭിക്കുക അറ്റാച്ച്മെന്റ് @@ -1029,7 +1049,6 @@ DocType: Production Plan,Production Plan,ഉല്പാദന പദ്ധത DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ഇൻവോയ്സ് ക്രിയേഷൻ ടൂൾ തുറക്കുന്നു DocType: Salary Component,Round to the Nearest Integer,അടുത്തുള്ള സംഖ്യയിലേക്ക് റ ound ണ്ട് ചെയ്യുക apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,സെയിൽസ് മടങ്ങിവരവ് -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ശ്രദ്ധിക്കുക: നീക്കിവെച്ചത് മൊത്തം ഇല {0} കാലയളവിൽ {1} ഇതിനകം അംഗീകാരം ഇല കുറവ് പാടില്ല DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,സീരിയൽ നോട്ടിഫിക്കേഷൻ അടിസ്ഥാനമാക്കി ഇടപാടുകാരെ ക്യൂട്ടി സജ്ജമാക്കുക ,Total Stock Summary,ആകെ ഓഹരി ചുരുക്കം DocType: Announcement,Posted By,പോസ്റ്റ് ചെയ്തത് @@ -1055,6 +1074,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,സ apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,പ്രിൻസിപ്പൽ തുക DocType: Loan Application,Total Payable Interest,ആകെ പലിശ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},മൊത്തം ശ്രദ്ധേയൻ: {0} +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} ആവശ്യമാണ് DocType: Payroll Entry,Select Payment Account to make Bank Entry,ബാങ്ക് എൻട്രി ഉണ്ടാക്കുവാൻ പേയ്മെന്റ് അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക @@ -1063,6 +1083,7 @@ 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,അപ്ഡേറ്റ് പ്രോസസ്സ് സമയത്ത് ഒരു പിശക് സംഭവിച്ചു DocType: Restaurant Reservation,Restaurant Reservation,റെസ്റ്റോറന്റ് റിസർവേഷൻ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,നിങ്ങളുടെ ഇനങ്ങൾ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Proposal എഴുത്ത് DocType: Payment Entry Deduction,Payment Entry Deduction,പേയ്മെന്റ് എൻട്രി കിഴിച്ചുകൊണ്ടു DocType: Service Level Priority,Service Level Priority,സേവന നില മുൻ‌ഗണന @@ -1071,6 +1092,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,ബാച്ച് നമ്പർ സീരീസ് apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,മറ്റൊരു സെയിൽസ് പേഴ്സൺ {0} ഒരേ ജീവനക്കാരന്റെ ഐഡി നിലവിലുണ്ട് DocType: Employee Advance,Claimed Amount,ക്ലെയിം ചെയ്ത തുക +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,വിഹിതം കാലഹരണപ്പെടുക DocType: QuickBooks Migrator,Authorization Settings,അംഗീകൃത ക്രമീകരണങ്ങൾ DocType: Travel Itinerary,Departure Datetime,പുറപ്പെടൽ സമയം apps/erpnext/erpnext/hub_node/api.py,No items to publish,പ്രസിദ്ധീകരിക്കാൻ ഇനങ്ങളൊന്നുമില്ല @@ -1139,7 +1161,6 @@ DocType: Student Batch Name,Batch Name,ബാച്ച് പേര് DocType: Fee Validity,Max number of visit,സന്ദർശിക്കുന്ന പരമാവധി എണ്ണം DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,ലാഭനഷ്ട അക്കൗണ്ടിനായി നിർബന്ധമാണ് ,Hotel Room Occupancy,ഹോട്ടൽ മുറികൾ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet സൃഷ്ടിച്ചത്: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},അടക്കേണ്ട രീതി {0} ൽ സ്ഥിരസ്ഥിതി ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് സജ്ജീകരിക്കുക apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,പേരെഴുതുക DocType: GST Settings,GST Settings,ചരക്കുസേവന ക്രമീകരണങ്ങൾ @@ -1270,6 +1291,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,പ്രോഗ്രാം തിരഞ്ഞെടുക്കുക DocType: Project,Estimated Cost,കണക്കാക്കിയ ചെലവ് DocType: Request for Quotation,Link to material requests,ഭൗതിക അഭ്യർത്ഥനകൾ വരെ ലിങ്ക് +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,പ്രസിദ്ധീകരിക്കുക apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,എയറോസ്പേസ് ,Fichier des Ecritures Comptables [FEC],ഫിചിയർ ഡെസ് ഇക്വിറ്ററീസ് കോംപ്ലബിൾസ് [FEC] DocType: Journal Entry,Credit Card Entry,ക്രെഡിറ്റ് കാർഡ് എൻട്രി @@ -1296,6 +1318,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,നിലവിലെ ആസ്തി apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} ഒരു സ്റ്റോക്ക് ഇനം അല്ല apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"പരിശീലന ഫീഡ്ബാക്ക്, തുടർന്ന് 'പുതിയത്' എന്നിവ ക്ലിക്കുചെയ്ത് പരിശീലനത്തിലേക്ക് നിങ്ങളുടെ ഫീഡ്ബാക്ക് പങ്കിടുക." +DocType: Call Log,Caller Information,കോളർ വിവരങ്ങൾ DocType: Mode of Payment Account,Default Account,സ്ഥിര അക്കൗണ്ട് apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,ആദ്യം സ്റ്റോക്ക് ക്രമീകരണങ്ങളിൽ സാമ്പിൾ Retention Warehouse തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,ഒന്നിലധികം കളക്ഷൻ നിയമങ്ങൾക്കായി ഒന്നിലധികം ടൈയർ പ്രോഗ്രാം തരം തിരഞ്ഞെടുക്കുക. @@ -1320,6 +1343,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,യാന്ത്രികമായി സൃഷ്ടിച്ചത് മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),അർദ്ധദിനം അടയാളപ്പെടുത്തിയ പ്രവൃത്തി സമയം. (പ്രവർത്തനരഹിതമാക്കാനുള്ള പൂജ്യം) DocType: Job Card,Total Completed Qty,ആകെ പൂർത്തിയാക്കിയ ക്യൂട്ടി +DocType: HR Settings,Auto Leave Encashment,യാന്ത്രിക അവധി എൻ‌കാഷ്‌മെന്റ് apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,നഷ്ടപ്പെട്ട apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,നിങ്ങൾ കോളം 'ജേർണൽ എൻട്രി എഗൻസ്റ്റ്' നിലവിലുള്ള വൗച്ചർ നൽകുക കഴിയില്ല DocType: Employee Benefit Application Detail,Max Benefit Amount,പരമാവധി ബെനിഫിറ്റ് തുക @@ -1349,8 +1373,10 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,സബ്സ്ക്രൈബർ DocType: Item Attribute Value,Item Attribute Value,ഇനത്തിനും മൂല്യം apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,വാങ്ങൽ അല്ലെങ്കിൽ വിൽപ്പനയ്ക്കായി കറൻസി എക്സ്ചേഞ്ച് പ്രവർത്തിക്കണം. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,കാലഹരണപ്പെട്ട അലോക്കേഷൻ മാത്രമേ റദ്ദാക്കാൻ കഴിയൂ DocType: Item,Maximum sample quantity that can be retained,നിലനിർത്താൻ കഴിയുന്ന പരമാവധി സാമ്പിൾ അളവ് apps/erpnext/erpnext/config/crm.py,Sales campaigns.,സെയിൽസ് പ്രചാരണങ്ങൾ. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,അജ്ഞാത കോളർ DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1382,6 +1408,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ഹെൽ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,ഡോക് പേര് DocType: Expense Claim Detail,Expense Claim Type,ചിലവേറിയ ക്ലെയിം തരം DocType: Shopping Cart Settings,Default settings for Shopping Cart,ഷോപ്പിംഗ് കാർട്ട് സ്ഥിരസ്ഥിതി ക്രമീകരണങ്ങൾ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,ഇനം സംരക്ഷിക്കുക apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,പുതിയ ചെലവ് apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,നിലവിലുള്ള ഓർഡർ ചെയ്ത ക്യൂട്ടി അവഗണിക്കുക apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,ടൈംലോട്ടുകൾ ചേർക്കുക @@ -1393,6 +1420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,ക്ഷണം അയയ്ക്കുക DocType: Shift Assignment,Shift Assignment,Shift Assignment DocType: Employee Transfer Property,Employee Transfer Property,എംപ്ലോയീസ് ട്രാൻസ്ഫർ പ്രോപ്പർട്ടി +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,ഫീൽഡ് ഇക്വിറ്റി / ബാധ്യതാ അക്കൗണ്ട് ശൂന്യമായിരിക്കാൻ കഴിയില്ല apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,സമയം മുതൽ കുറച്ചു കാലം കുറവായിരിക്കണം apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,ബയോടെക്നോളജി apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1474,11 +1502,13 @@ 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,പുതിയ കോൺ‌ടാക്റ്റ് സൃഷ്‌ടിക്കുക apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,കോഴ്സ് ഷെഡ്യൂൾ DocType: GSTR 3B Report,GSTR 3B Report,ജിഎസ്ടിആർ 3 ബി റിപ്പോർട്ട് DocType: Request for Quotation Supplier,Quote Status,ക്വോട്ട് നില DocType: GoCardless Settings,Webhooks Secret,Webhooks രഹസ്യം DocType: Maintenance Visit,Completion Status,പൂർത്തീകരണവും അവസ്ഥ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},മൊത്തം പേയ്‌മെന്റ് തുക {than എന്നതിനേക്കാൾ കൂടുതലാകരുത് DocType: Daily Work Summary Group,Select Users,ഉപയോക്താക്കളെ തിരഞ്ഞെടുക്കുക DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ഹോട്ടൽ റൂം വിലയുടെ ഇനം DocType: Loyalty Program Collection,Tier Name,ടയർ പേര് @@ -1516,6 +1546,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST ത DocType: Lab Test Template,Result Format,ഫല ഫോർമാറ്റ് DocType: Expense Claim,Expenses,ചെലവുകൾ DocType: Service Level,Support Hours,പിന്തുണ മണിക്കൂർ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,ഡെലിവറി കുറിപ്പുകൾ DocType: Item Variant Attribute,Item Variant Attribute,ഇനം മാറ്റമുള്ള ഗുണം ,Purchase Receipt Trends,വാങ്ങൽ രസീത് ട്രെൻഡുകൾ DocType: Payroll Entry,Bimonthly,രണ്ടുമാസത്തിലൊരിക്കൽ @@ -1537,7 +1568,6 @@ DocType: Sales Team,Incentives,ഇൻസെന്റീവ്സ് DocType: SMS Log,Requested Numbers,അഭ്യർത്ഥിച്ചു സംഖ്യാപുസ്തകം DocType: Volunteer,Evening,വൈകുന്നേരം DocType: Quiz,Quiz Configuration,ക്വിസ് കോൺഫിഗറേഷൻ -DocType: Customer,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,സ്റ്റോക്ക് വിശദാംശങ്ങൾ @@ -1584,7 +1614,6 @@ apps/erpnext/erpnext/config/accounting.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,മൊത്തം സീറോ ക്വാട്ട ഫിൽട്ടർ ചെയ്യുക -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},ഓപ്പറേഷൻ {1} അടുത്ത {0} ദിവസങ്ങളിൽ സമയം സ്ലോട്ട് കണ്ടെത്താൻ കഴിഞ്ഞില്ല DocType: Work Order,Plan material for sub-assemblies,സബ് സമ്മേളനങ്ങൾ പദ്ധതി മെറ്റീരിയൽ 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,ട്രാൻസ്ഫർ ചെയ്യാനായി ഇനങ്ങളൊന്നും ലഭ്യമല്ല @@ -1599,9 +1628,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,പുന -ക്രമീകരണ നില നിലനിർത്തുന്നതിന് നിങ്ങൾ സ്റ്റോക്ക് ക്രമീകരണങ്ങളിൽ യാന്ത്രിക പുന -ക്രമീകരണം പ്രാപ്തമാക്കണം. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,ഈ മെയിൻറനൻസ് സന്ദർശനം റദ്ദാക്കുന്നതിൽ മുമ്പ് മെറ്റീരിയൽ സന്ദർശനങ്ങൾ {0} റദ്ദാക്കുക DocType: Pricing Rule,Rate or Discount,നിരക്ക് അല്ലെങ്കിൽ കിഴിവ് +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,ബാങ്ക് വിശദാംശങ്ങൾ DocType: Vital Signs,One Sided,ഏകപക്ഷീയമായ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},സീരിയൽ ഇല്ല {0} ഇനം വരെ {1} സ്വന്തമല്ല -DocType: Purchase Receipt Item Supplied,Required Qty,ആവശ്യമായ Qty +DocType: Purchase Order Item Supplied,Required Qty,ആവശ്യമായ Qty DocType: Marketplace Settings,Custom Data,ഇഷ്ടാനുസൃത ഡാറ്റ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,നിലവിലുള്ള ഇടപാടിനെ അബദ്ധങ്ങളും ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല. DocType: Service Day,Service Day,സേവന ദിനം @@ -1627,7 +1657,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,അക്കൗണ്ട് കറന്സി DocType: Lab Test,Sample ID,സാമ്പിൾ ഐഡി apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,കമ്പനിയിൽ അക്കൗണ്ട് ഓഫാക്കുക റൌണ്ട് സൂചിപ്പിക്കുക -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,ശ്രേണി DocType: Supplier,Default Payable Accounts,സ്ഥിരസ്ഥിതി അടയ്ക്കേണ്ട തുക apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,ജീവനക്കാർ {0} സജീവമല്ല അല്ലെങ്കിൽ നിലവിലില്ല @@ -1667,8 +1696,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,വിവരങ്ങൾ അഭ്യർത്ഥന DocType: Course Activity,Activity Date,പ്രവർത്തന തീയതി apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} ന്റെ {} -,LeaderBoard,ലീഡർബോർഡ് DocType: Sales Invoice Item,Rate With Margin (Company Currency),മാർജിനോടെയുള്ള നിരക്ക് (കമ്പനി കറൻസി) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,വിഭാഗങ്ങൾ apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,സമന്വയം ഓഫ്ലൈൻ ഇൻവോയിസുകൾ DocType: Payment Request,Paid,പണമടച്ചു DocType: Service Level,Default Priority,സ്ഥിരസ്ഥിതി മുൻ‌ഗണന @@ -1703,11 +1732,11 @@ 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,പരോക്ഷ ആദായ DocType: Student Attendance Tool,Student Attendance Tool,വിദ്യാർത്ഥിയുടെ ഹാജർ ടൂൾ DocType: Restaurant Menu,Price List (Auto created),വിലവിവരങ്ങൾ (സ്വയമേവ സൃഷ്ടിച്ചത്) +DocType: Pick List Item,Picked Qty,ക്യൂട്ടി തിരഞ്ഞെടുത്തു DocType: Cheque Print Template,Date Settings,തീയതി ക്രമീകരണങ്ങൾ 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,തൊഴിലുടമ പ്രമോഷൻ വിശദാംശം -,Company Name,കമ്പനി പേര് DocType: SMS Center,Total Message(s),ആകെ സന്ദേശം (ങ്ങൾ) DocType: Share Balance,Purchased,വാങ്ങിയത് DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,ആട്രിക്ക് ആട്രിബ്യൂട്ടിനിൽ ആട്രിബ്യൂട്ട് മൂല്യം മാറ്റുക. @@ -1726,7 +1755,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,ഏറ്റവും പുതിയ ശ്രമം 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} -DocType: BOM,Raw Material Cost(Company Currency),അസംസ്കൃത വസ്തുക്കളുടെ വില (കമ്പനി കറൻസി) 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,മീറ്റർ @@ -1792,6 +1820,7 @@ DocType: Travel Itinerary,Train,ട്രെയിൻ ,Delayed Item Report,ഇന റിപ്പോർട്ട് വൈകി apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,യോഗ്യതയുള്ള ഐ.ടി.സി. DocType: Healthcare Service Unit,Inpatient Occupancy,ഇൻപെഷ്യേറ്റന്റ് ഒക്യുപൻസി +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,നിങ്ങളുടെ ആദ്യ ഇനങ്ങൾ പ്രസിദ്ധീകരിക്കുക DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"ഷിഫ്റ്റ് അവസാനിച്ച സമയം, ഹാജരാകുന്നതിന് ചെക്ക് out ട്ട് പരിഗണിക്കുന്ന സമയം." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},ദയവായി ഒരു {0} വ്യക്തമാക്കുക @@ -1909,6 +1938,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,എല്ലാ B apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,ഇന്റർ കമ്പനി ജേണൽ എൻട്രി സൃഷ്ടിക്കുക DocType: Company,Parent Company,മാതൃ സ്ഥാപനം apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},{0} എന്ന തരത്തിലുള്ള ഹോട്ടൽ റൂമുകൾ {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,അസംസ്കൃത വസ്തുക്കളിലും പ്രവർത്തനങ്ങളിലും വരുത്തിയ മാറ്റങ്ങൾക്ക് BOM- കൾ താരതമ്യം ചെയ്യുക DocType: Healthcare Practitioner,Default Currency,സ്ഥിരസ്ഥിതി കറന്സി 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}% ആണ് @@ -1941,6 +1971,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,സി-ഫോം ഇൻവോയിസ് വിശദാംശം DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,പേയ്മെന്റ് അനുരഞ്ജനം ഇൻവോയിസ് DocType: Clinical Procedure,Procedure Template,നടപടിക്രമം ടെംപ്ലേറ്റ് +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,ഇനങ്ങൾ പ്രസിദ്ധീകരിക്കുക apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,സംഭാവന% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ഓർഡർ ആവശ്യമുണ്ട് വാങ്ങൽ == 'അതെ', പിന്നീട് വാങ്ങൽ ഇൻവോയ്സ് സൃഷ്ടിക്കാൻ, ഉപയോക്തൃ ഇനം {0} ആദ്യം പർച്ചേസ് ഓർഡർ സൃഷ്ടിക്കാൻ ആവശ്യമെങ്കിൽ വാങ്ങൽ ക്രമീകരണങ്ങൾ പ്രകാരം" ,HSN-wise-summary of outward supplies,എച്ച്എസ്എൻ തിരിച്ചുള്ള - ബാഹ്യ വിതരണങ്ങളുടെ സംഗ്രഹം @@ -1952,7 +1983,6 @@ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ഷോപ് apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On','പ്രയോഗിക്കുക അഡീഷണൽ ഡിസ്കൌണ്ട്' സജ്ജീകരിക്കുക DocType: Party Tax Withholding Config,Applicable Percent,ബാധകമായ ശതമാനം ,Ordered Items To Be Billed,ബില്ല് ഉത്തരവിട്ടു ഇനങ്ങൾ -DocType: Employee Checkin,Exit Grace Period Consequence,ഗ്രേസ് പിരീഡ് പരിണതഫലത്തിൽ നിന്ന് പുറത്തുകടക്കുക apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,റേഞ്ച് നിന്നും പരിധി വരെ കുറവ് ഉണ്ട് DocType: Global Defaults,Global Defaults,ആഗോള സ്ഥിരസ്ഥിതികൾ apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,പ്രോജക്റ്റ് സഹകരണത്തിന് ക്ഷണം @@ -1960,13 +1990,11 @@ DocType: Salary Slip,Deductions,പൂർണമായും DocType: Setup Progress Action,Action Name,പ്രവർത്തന നാമം apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ആരംഭ വർഷം apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,വായ്പ സൃഷ്ടിക്കുക -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,നിലവിലെ ഇൻവോയ്സ് ന്റെ കാലഘട്ടത്തിലെ തീയതി ആരംഭിക്കുക DocType: Shift Type,Process Attendance After,പ്രോസസ് അറ്റൻഡൻസ് അതിനുശേഷം ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,ശമ്പള ഇല്ലാതെ വിടുക DocType: Payment Request,Outward,വെളിയിലേക്കുള്ള -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,ശേഷി ആസൂത്രണ പിശക് apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,സംസ്ഥാന / യുടി നികുതി ,Trial Balance for Party,പാർട്ടി ട്രയൽ ബാലൻസ് ,Gross and Net Profit Report,"മൊത്ത, അറ്റ ലാഭ റിപ്പോർട്ട്" @@ -1984,7 +2012,6 @@ DocType: Bank Statement Transaction Entry,Payment Invoice Items,പേയ്മ DocType: Payroll Entry,Employee Details,തൊഴിലുടമ വിശദാംശങ്ങൾ DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,സൃഷ്ടിയുടെ സമയത്ത് മാത്രമേ ഫീൽഡുകൾ പകർത്തൂ. -DocType: Setup Progress Action,Domains,മണ്ഡലങ്ങൾ 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,പണത്തിന് ക്രമീകരണങ്ങൾ @@ -2025,7 +2052,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,ആകെ 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.","പേയ്മെന്റ് മോഡ് ക്രമീകരിച്ചിട്ടില്ല. അക്കൗണ്ട് പെയ്മെന്റിന്റെയും മോഡ് അല്ലെങ്കിൽ POS ൽ പ്രൊഫൈൽ വെച്ചിരിക്കുന്ന എന്ന്, പരിശോധിക്കുക." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി കഴിയില്ല. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","കൂടുതലായ അക്കൗണ്ടുകൾ ഗ്രൂപ്പ്സ് കീഴിൽ കഴിയും, പക്ഷേ എൻട്രികൾ നോൺ-ഗ്രൂപ്പുകൾ നേരെ കഴിയും" -DocType: Email Campaign,Lead,ഈയം +DocType: Call Log,Lead,ഈയം DocType: Email Digest,Payables,Payables DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth ടോക്കൺ DocType: Email Campaign,Email Campaign For ,ഇതിനായി ഇമെയിൽ കാമ്പെയ്‌ൻ @@ -2036,6 +2063,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,ബില്ല് ക്രമത്തിൽ ഇനങ്ങൾ വാങ്ങുക 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,ക്രെഡിറ്റ് പരിധികൾ DocType: Purchase Invoice Item,Net Rate,നെറ്റ് റേറ്റ് apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,ഒരു ഉപഭോക്താവിനെ തിരഞ്ഞെടുക്കുക DocType: Leave Policy,Leave Allocations,വിഹിതം വിടുക @@ -2049,6 +2077,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,ദിവസം കഴിഞ്ഞശേഷം അടയ്ക്കുക പ്രശ്നം ,Eway Bill,ഈവേ ബിൽ apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Marketplace- ലേക്ക് ഉപയോക്താക്കളെ ചേർക്കാൻ നിങ്ങൾ സിസ്റ്റം മാനേജറും ഉപയോക്തൃ മാനേജർ റോളുകളും ഉള്ള ഒരു ഉപയോക്താവായിരിക്കണം. +DocType: Attendance,Early Exit,നേരത്തെയുള്ള എക്സിറ്റ് DocType: Job Opening,Staffing Plan,സ്റ്റാഫ് പ്ലാൻ apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,സമർപ്പിച്ച പ്രമാണത്തിൽ നിന്ന് മാത്രമേ ഇ-വേ ബിൽ JSON സൃഷ്ടിക്കാൻ കഴിയൂ apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ജീവനക്കാരുടെ നികുതിയും ആനുകൂല്യങ്ങളും @@ -2071,6 +2100,7 @@ DocType: Maintenance Team Member,Maintenance Role,മെയിൻറനൻസ് apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},{1} അതേ കൂടെ വരി {0} തനിപ്പകർപ്പെടുക്കുക DocType: Marketplace Settings,Disable Marketplace,Marketplace അപ്രാപ്തമാക്കുക DocType: Quality Meeting,Minutes,മിനിറ്റ് +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,നിങ്ങളുടെ തിരഞ്ഞെടുത്ത ഇനങ്ങൾ ,Trial Balance,ട്രയൽ ബാലൻസ് apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,പ്രദർശനം പൂർത്തിയായി apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,സാമ്പത്തിക വർഷത്തെ {0} കണ്ടെത്തിയില്ല @@ -2080,8 +2110,8 @@ 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,ആദ്യം പ്രിഫിക്സ് തിരഞ്ഞെടുക്കുക DocType: Contract,Fulfilment Deadline,പൂർത്തിയാക്കൽ കാലാവധി +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,നിങ്ങളുടെ സമീപം DocType: Student,O-,O- -DocType: Shift Type,Consequence,പരിണതഫലങ്ങൾ DocType: Subscription Settings,Subscription Settings,സബ്സ്ക്രിപ്ഷൻ ക്രമീകരണങ്ങൾ DocType: Purchase Invoice,Update Auto Repeat Reference,സ്വയം ആവർത്തിക്കുന്ന റഫറൻസ് അപ്ഡേറ്റുചെയ്യുക apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},അവധിക്കാല കാലയളവിനായി ഓപ്ഷണൽ ഹോളിഡേ ലിസ്റ്റ് സജ്ജമാക്കിയിട്ടില്ല {0} @@ -2092,7 +2122,6 @@ DocType: Maintenance Visit Purpose,Work Done,വർക്ക് ചെയ്ത apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,വിശേഷണങ്ങൾ പട്ടികയിൽ കുറഞ്ഞത് ഒരു ആട്രിബ്യൂട്ട് വ്യക്തമാക്കുക DocType: Announcement,All Students,എല്ലാ വിദ്യാർത്ഥികൾക്കും apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,ഇനം {0} ഒരു നോൺ-സ്റ്റോക്ക് ഇനം ആയിരിക്കണം -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ബാങ്ക് ഡീറ്റിലുകൾ apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,കാണുക ലെഡ്ജർ DocType: Grading Scale,Intervals,ഇടവേളകളിൽ DocType: Bank Statement Transaction Entry,Reconciled Transactions,റീകോൺ ചെയ്ത ഇടപാടുകൾ @@ -2127,6 +2156,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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,വാങ്ങൽ സൈക്കിൾ ഉടനീളം ഒരേ നിരക്ക് നിലനിറുത്തുക DocType: Opportunity Item,Opportunity Item,ഓപ്പർച്യൂനിറ്റി ഇനം DocType: Quality Action,Quality Review,ഗുണനിലവാര അവലോകനം @@ -2152,7 +2182,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} എഡിറ്റുചെയ്യാൻ DocType: Journal Entry,Get Outstanding Invoices,മികച്ച ഇൻവോയിസുകൾ നേടുക -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,സെയിൽസ് ഓർഡർ {0} സാധുവല്ല +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,ഉദ്ധരണികൾക്കുള്ള പുതിയ അഭ്യർത്ഥനയ്ക്കായി മുന്നറിയിപ്പ് നൽകുക apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,വാങ്ങൽ ഓർഡറുകൾ നിങ്ങളുടെ വാങ്ങലുകൾ ന് ആസൂത്രണം ഫോളോ അപ്പ് സഹായിക്കാൻ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,ലാബ് ടെസ്റ്റ് കുറിപ്പുകൾ @@ -2176,6 +2206,7 @@ DocType: Employee Onboarding,Notify users by email,ഇമെയിൽ വഴി DocType: Travel Request,International,ഇന്റർനാഷണൽ DocType: Training Event,Training Event,പരിശീലന ഇവന്റ് DocType: Item,Auto re-order,ഓട്ടോ റീ-ഓർഡർ +DocType: Attendance,Late Entry,വൈകി പ്രവേശനം apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,മികച്ച വിജയം ആകെ DocType: Employee,Place of Issue,പുറപ്പെടുവിച്ച സ്ഥലം DocType: Promotional Scheme,Promotional Scheme Price Discount,പ്രമോഷണൽ സ്കീം വില കിഴിവ് @@ -2220,6 +2251,7 @@ DocType: Serial No,Serial No Details,സീരിയൽ വിശദാംശങ DocType: Purchase Invoice Item,Item Tax Rate,ഇനം നിരക്ക് apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,പാർട്ടി നാമത്തിൽ നിന്ന് apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,മൊത്തം ശമ്പള തുക +DocType: Pick List,Delivery against Sales Order,സെയിൽസ് ഓർഡറിനെതിരായ ഡെലിവറി DocType: Student Group Student,Group Roll Number,ഗ്രൂപ്പ് റോൾ നമ്പർ DocType: Student Group Student,Group Roll Number,ഗ്രൂപ്പ് റോൾ നമ്പർ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",{0} മാത്രം ക്രെഡിറ്റ് അക്കൗണ്ടുകൾ മറ്റൊരു ഡെബിറ്റ് എൻട്രി നേരെ ലിങ്ക്ഡ് കഴിയും @@ -2293,7 +2325,6 @@ DocType: Contract,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,വിതരണക്കാരൻ ഇൻവോയിസ് തീയതി -DocType: Asset Settings,This value is used for pro-rata temporis calculation,പ്രോ-റേറ്റ ടെമ്പറീസ് കണക്കുകൂട്ടലിന് ഈ മൂല്യം ഉപയോഗിക്കുന്നു apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,നിങ്ങൾ ഷോപ്പിംഗ് കാർട്ട് പ്രവർത്തനക്ഷമമാക്കേണ്ടതുണ്ട് DocType: Payment Entry,Writeoff,എഴുതുക DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2316,7 +2347,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,നിഷ്‌ക്രിയ വിൽപ്പന ഇനങ്ങൾ DocType: Quality Review,Additional Information,അധിക വിവരം apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,ആകെ ഓർഡർ മൂല്യം -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,സേവന നില കരാർ പുന .സജ്ജമാക്കുക. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ഭക്ഷ്യ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,എയ്ജിങ് ശ്രേണി 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,പിഒസ് അടയ്ക്കുന്ന വൗച്ചറുടെ വിശദാംശങ്ങൾ @@ -2361,6 +2391,7 @@ 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,കാമ്പെയ്ൻ 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',അംഗീകാരം സ്റ്റാറ്റസ് 'അംഗീകരിച്ചു' അല്ലെങ്കിൽ 'നിഷേധിക്കപ്പെട്ടിട്ടുണ്ട്' വേണം DocType: Healthcare Practitioner,Contacts and Address,കോൺടാക്റ്റുകളും വിലാസവും DocType: Shift Type,Determine Check-in and Check-out,"ചെക്ക്-ഇൻ നിർണ്ണയിക്കുക, ചെക്ക് out ട്ട് ചെയ്യുക" @@ -2380,7 +2411,6 @@ DocType: Student Admission,Eligibility and Details,യോഗ്യതയും apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,മൊത്ത ലാഭത്തിൽ ഉൾപ്പെടുത്തിയിരിക്കുന്നു apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,സ്ഥിര അസറ്റ് ലെ നെറ്റ് മാറ്റുക apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,റിയഡ് കാട്ടി -DocType: Company,Client Code,ക്ലയൻറ് കോഡ് apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,'യഥാർത്ഥ' തരം ചുമതലയുള്ള വരിയിലെ {0} ഇനം റേറ്റ് ഉൾപ്പെടുത്തിയിട്ടുണ്ട് ചെയ്യാൻ കഴിയില്ല apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},പരമാവധി: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,തീയതി-ൽ @@ -2448,6 +2478,7 @@ DocType: Journal Entry Account,Account Balance,അക്കൗണ്ട് ബ apps/erpnext/erpnext/config/accounting.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 (%),ഓവർ ട്രാൻസ്ഫർ അലവൻസ് (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ഉപഭോക്തൃ സ്വീകാര്യം അക്കൗണ്ട് {2} നേരെ ആവശ്യമാണ് DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ആകെ നികുതി ചാർജുകളും (കമ്പനി കറൻസി) DocType: Weather,Weather Parameter,കാലാവസ്ഥ പരിധി @@ -2508,6 +2539,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,ഇല്ലാത്ത apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,ആകെ ചെലവഴിച്ച തുക അടിസ്ഥാനമാക്കി ഒന്നിലധികം tiered ശേഖരണ ഘടകം ഉണ്ടാകും. എന്നാൽ വീണ്ടെടുക്കൽ എന്നതിനുള്ള പരിവർത്തന ഘടകം എല്ലായ്പ്പോഴും എല്ലാ ടയർക്കും തുല്യമായിരിക്കും. apps/erpnext/erpnext/config/help.py,Item Variants,ഇനം രൂപഭേദങ്ങൾ apps/erpnext/erpnext/public/js/setup_wizard.js,Services,സേവനങ്ങള് +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,ബോം 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,രേഖയെ ഇമെയിൽ ശമ്പളം ജി DocType: Cost Center,Parent Cost Center,പാരന്റ് ചെലവ് കേന്ദ്രം @@ -2518,7 +2550,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields", DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,ഷിപ്പിംഗിൽ നിന്ന് Shopify ൽ നിന്നുള്ള Import Delivery Notes apps/erpnext/erpnext/templates/pages/projects.html,Show closed,അടച്ചു കാണിക്കുക DocType: Issue Priority,Issue Priority,മുൻ‌ഗണന നൽകുക -DocType: Leave Type,Is Leave Without Pay,ശമ്പള ഇല്ലാതെ തന്നെ തന്നു +DocType: Leave Ledger Entry,Is Leave Without Pay,ശമ്പള ഇല്ലാതെ തന്നെ തന്നു apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,അസറ്റ് വിഭാഗം ഫിക്സ്ഡ് അസറ്റ് ഇനം നിര്ബന്ധമാണ് DocType: Fee Validity,Fee Validity,ഫീസ് സാധുത @@ -2590,6 +2622,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,രണ്ടു വഴി DocType: Item,Manufacturers,നിർമ്മാതാക്കൾ @@ -2626,7 +2659,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,ബാങ്ക് അനുരഞ്ജനം സ്റ്റേറ്റ്മെന്റ് DocType: Patient Encounter,Medical Coding,മെഡിക്കൽ കോഡ് DocType: Healthcare Settings,Reminder Message,ഓർമ്മപ്പെടുത്തൽ സന്ദേശം -,Lead Name,ലീഡ് പേര് +DocType: Call Log,Lead Name,ലീഡ് പേര് ,POS,POS DocType: C-Form,III,മൂന്നാമൻ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,പ്രതീക്ഷിക്കുന്നു @@ -2658,11 +2691,13 @@ DocType: Purchase Invoice,Supplier Warehouse,വിതരണക്കാരൻ DocType: Opportunity,Contact Mobile No,മൊബൈൽ ഇല്ല ബന്ധപ്പെടുക apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,കമ്പനി തിരഞ്ഞെടുക്കുക ,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: Student Report Generation Tool,Print Section,പ്രിന്റ് വിഭാഗം DocType: Staffing Plan Detail,Estimated Cost Per Position,ഓരോ സ്ഥാനത്തിനും കണക്കാക്കിയ ചെലവ് DocType: Employee,HR-EMP-,HR-EMP- DocType: Quality Meeting Minutes,Quality Meeting Minutes,ഗുണനിലവാര മീറ്റിംഗ് മിനിറ്റ് +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണ തരം apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,തൊഴിലുടമ റഫറൽ DocType: Student Group,Set 0 for no limit,പരിധികൾ 0 സജ്ജീകരിക്കുക apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,നിങ്ങൾ അനുവാദം അപേക്ഷിക്കുന്ന ചെയ്തിട്ടുള്ള ദിവസം (ങ്ങൾ) വിശേഷദിവസങ്ങൾ ആകുന്നു. നിങ്ങൾ അനുവാദം അപേക്ഷ നല്കേണ്ടതില്ല. @@ -2694,12 +2729,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,പണമായി നെറ്റ് മാറ്റുക DocType: Assessment Plan,Grading Scale,ഗ്രേഡിംഗ് സ്കെയിൽ apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,മെഷർ {0} യൂണിറ്റ് ഒരിക്കൽ പരിവർത്തന ഫാക്ടർ പട്ടികയിലെ അധികം നൽകി -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,ഇതിനകം പൂർത്തിയായ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,കയ്യിൽ ഓഹരി apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",അപ്ലിക്കേഷനായി \ pro-rata ഘടകമായി ദയവായി {0} ബാക്കിയുള്ള ആനുകൂല്യങ്ങൾ ചേർക്കുക apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',പബ്ലിക് അഡ്മിനിസ്ട്രേഷന് '% s' നായി ധന കോഡ് സജ്ജമാക്കുക -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},പേയ്മെന്റ് അഭ്യർത്ഥന ഇതിനകം {0} നിലവിലുണ്ട് apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,ഇഷ്യൂ ഇനങ്ങൾ ചെലവ് DocType: Healthcare Practitioner,Hospital,ആശുപത്രി apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},ക്വാണ്ടിറ്റി {0} അധികം പാടില്ല @@ -2743,6 +2776,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,ഹ്യൂമൻ റിസോഴ്സസ് apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,അപ്പർ ആദായ DocType: Item Manufacturer,Item Manufacturer,ഇനം നിർമാതാവിനെ +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,പുതിയ ലീഡ് സൃഷ്ടിക്കുക DocType: BOM Operation,Batch Size,ബാച്ച് വലുപ്പം apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,നിരസിക്കുക DocType: Journal Entry Account,Debit in Company Currency,കമ്പനി കറൻസി ഡെബിറ്റ് @@ -2762,7 +2796,9 @@ DocType: Bank Transaction,Reconciled,അനുരഞ്ജിപ്പിച് DocType: Expense Claim,Total Amount Reimbursed,ആകെ തുക Reimbursed apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,ഇത് ഈ വാഹനം നേരെ രേഖകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ്. വിശദാംശങ്ങൾക്ക് ടൈംലൈൻ കാണുക apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,ജോലിക്കാരന്റെ ചേരുന്ന തീയതിയിൽ പേയൽ തീയതി കുറവായിരിക്കരുത് +DocType: Pick List,Item Locations,ഇനം ലൊക്കേഷനുകൾ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} സൃഷ്ടിച്ചു +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,നിങ്ങൾക്ക് 200 ഇനങ്ങൾ വരെ പ്രസിദ്ധീകരിക്കാൻ കഴിയും. DocType: Vital Signs,Constipated,മലബന്ധം apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},വിതരണക്കാരൻ ഇൻവോയിസ് {0} എഗെൻസ്റ്റ് {1} dated DocType: Customer,Default Price List,സ്ഥിരസ്ഥിതി വില പട്ടിക @@ -2879,6 +2915,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,വിരമിക്കൽ തീയതി DocType: Upload Attendance,Get Template,ഫലകം നേടുക +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ലിസ്റ്റ് തിരഞ്ഞെടുക്കുക ,Sales Person Commission Summary,സെയിൽസ് ആൻസി കമ്മീഷൻ സംഗ്രഹം DocType: Material Request,Transferred,മാറ്റിയത് DocType: Vehicle,Doors,ഡോറുകൾ @@ -2958,7 +2995,7 @@ DocType: Sales Invoice Item,Customer's Item Code,കസ്റ്റമർ ന് DocType: Stock Reconciliation,Stock Reconciliation,ഓഹരി അനുരഞ്ജനം DocType: Territory,Territory Name,ടെറിട്ടറി പേര് DocType: Email Digest,Purchase Orders to Receive,സ്വീകരിക്കുന്നതിനുള്ള ഓർഡറുകൾ വാങ്ങുക -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,വർക്ക്-ഇൻ-പുരോഗതി വെയർഹൗസ് മുമ്പ് സമർപ്പിക്കുക ആവശ്യമാണ് +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,വർക്ക്-ഇൻ-പുരോഗതി വെയർഹൗസ് മുമ്പ് സമർപ്പിക്കുക ആവശ്യമാണ് apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,ഒരു സബ്സ്ക്രിപ്ഷനിൽ നിങ്ങൾ ഒരേ ബില്ലിംഗ് സൈക്കിൾ മാത്രമുള്ള പ്ലാനുകൾ മാത്രമേ നിങ്ങൾക്ക് ഉൾപ്പെടുത്താൻ കഴിയൂ DocType: Bank Statement Transaction Settings Item,Mapped Data,മാപ്പുചെയ്ത ഡാറ്റ DocType: Purchase Order Item,Warehouse and Reference,വെയർഹൗസ് റഫറൻസ് @@ -3031,6 +3068,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,ഡെലിവറി ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ഡാറ്റ ലഭ്യമാക്കുക apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},ലീവ് തരം അനുവദനീയമായ പരമാവധി അവധി {0} ആണ് {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 ഇനം പ്രസിദ്ധീകരിക്കുക DocType: SMS Center,Create Receiver List,റിസീവർ ലിസ്റ്റ് സൃഷ്ടിക്കുക DocType: Student Applicant,LMS Only,LMS മാത്രം apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,"ലഭ്യമായ ഉപയോഗത്തിനായുള്ള തീയതി, വാങ്ങൽ തീയതിക്ക് ശേഷം ആയിരിക്കണം" @@ -3064,6 +3102,7 @@ DocType: Serial No,Delivery Document No,ഡെലിവറി ഡോക്യ DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ഉൽപ്പാദിപ്പിക്കൽ പരമ്പര നം DocType: Vital Signs,Furry,വൃത്തികെട്ട apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},'അസറ്റ് തീർപ്പ് ന് ഗെയിൻ / നഷ്ടം അക്കൗണ്ട്' സജ്ജമാക്കുക കമ്പനി {0} ൽ +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} @@ -3085,9 +3124,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,പ്രതി DocType: Quality Procedure Process,Quality Procedure Process,ഗുണനിലവാര നടപടിക്രമം apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ബാച്ച് ഐഡി നിർബന്ധമായും apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ബാച്ച് ഐഡി നിർബന്ധമായും +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,ആദ്യം ഉപഭോക്താവിനെ തിരഞ്ഞെടുക്കുക DocType: Sales Person,Parent Sales Person,പേരന്റ്ഫോള്ഡര് സെയിൽസ് വ്യാക്തി apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,ലഭിക്കേണ്ട ഇനങ്ങളൊന്നും നിങ്ങളുടെ കാലത്തേയ്ക്കില്ല apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,വിൽക്കുന്നവനും വാങ്ങുന്നവനും ഒന്നു തന്നെ ആകരുത് +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,ഇതുവരെ കാഴ്ചകൾ DocType: Project,Collect Progress,ശേഖരം പുരോഗതി DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,ആദ്യം പ്രോഗ്രാം തെരഞ്ഞെടുക്കുക @@ -3108,11 +3149,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,കൈവരിച്ച DocType: Student Admission,Application Form Route,അപേക്ഷാ ഫോം റൂട്ട് apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,കരാറിന്റെ അവസാന തീയതി ഇന്നത്തേതിനേക്കാൾ കുറവായിരിക്കരുത്. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,സമർപ്പിക്കാൻ Ctrl + നൽകുക DocType: Healthcare Settings,Patient Encounters in valid days,സാധുവായ ദിവസങ്ങളിൽ രോഗിയുടെ എൻകോട്ടറുകൾ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,ഇനം {0} വിടുക അതു വേതനം വിടണമെന്ന് മുതൽ വകയിരുത്തി കഴിയില്ല 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} ഇൻവോയ്സ് സമൻമാരെ ആയിരിക്കണം DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,നിങ്ങൾ സെയിൽസ് ഇൻവോയിസ് ലാഭിക്കാൻ ഒരിക്കൽ വാക്കുകളിൽ ദൃശ്യമാകും. DocType: Lead,Follow Up,ഫോളോ അപ്പ് +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,ചെലവ് കേന്ദ്രം: {0} നിലവിലില്ല DocType: Item,Is Sales Item,സെയിൽസ് ഇനം തന്നെയല്ലേ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,ഇനം ഗ്രൂപ്പ് ട്രീ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,ഇനം {0} സീരിയൽ ഒഴിവ് വിവരത്തിനു അല്ല. ഇനം മാസ്റ്റർ പരിശോധിക്കുക @@ -3156,9 +3199,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,വിതരണം Qty DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR- .YYYY.- DocType: Purchase Order Item,Material Request Item,മെറ്റീരിയൽ അഭ്യർത്ഥന ഇനം -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,ആദ്യം വാങ്ങൽ വാങ്ങൽ റദ്ദാക്കുക {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,ഇനം ഗ്രൂപ്പ് ട്രീ. DocType: Production Plan,Total Produced Qty,ആകെ ഉല്പാദിപ്പിച്ച ക്വറി +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,ഇതുവരെ അവലോകനങ്ങളില്ല apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,ഈ ചാർജ് തരം വേണ്ടി ശ്രേഷ്ഠ അഥവാ നിലവിലെ വരി നമ്പറിലേക്ക് തുല്യ വരി എണ്ണം റെഫർ ചെയ്യാൻ കഴിയില്ല DocType: Asset,Sold,വിറ്റത് ,Item-wise Purchase History,ഇനം തിരിച്ചുള്ള വാങ്ങൽ ചരിത്രം @@ -3177,7 +3220,7 @@ DocType: Designation,Required Skills,ആവശ്യമായ കഴിവുക DocType: Inpatient Record,O Positive,പോസിറ്റീവ് apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,നിക്ഷേപങ്ങൾ DocType: Issue,Resolution Details,മിഴിവ് വിശദാംശങ്ങൾ -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,ഇടപാട് തരം +DocType: Leave Ledger Entry,Transaction Type,ഇടപാട് തരം DocType: Item Quality Inspection Parameter,Acceptance Criteria,സ്വീകാര്യത മാനദണ്ഡം apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,മുകളിലുള്ള പട്ടികയിൽ മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ നൽകുക apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ജേർണൽ എൻട്രിക്ക് റീഫേൻസുകൾ ലഭ്യമല്ല @@ -3219,6 +3262,7 @@ DocType: Bank Account,Bank Account No,ബാങ്ക് അക്കൗണ് DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,എംപ്ലോയീസ് ടാക്സ് എക്സംപ്ഷൻ പ്രൂഫ് സമർപ്പണം DocType: Patient,Surgical History,സർജിക്കൽ ചരിത്രം DocType: Bank Statement Settings Item,Mapped Header,മാപ്പിംഗ് ഹെഡ്ഡർ +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ഹ്യൂമൻ റിസോഴ്സ്> എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക DocType: Employee,Resignation Letter Date,രാജിക്കത്ത് തീയതി apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,പ്രൈസിങ് നിയമങ്ങൾ കൂടുതൽ അളവ് അടിസ്ഥാനമാക്കി ഫിൽറ്റർ. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ജീവനക്കാരൻ {0} പ്രവേശനത്തിനുള്ള തീയതി സജ്ജീകരിക്കുക @@ -3284,7 +3328,6 @@ DocType: Student Report Generation Tool,Add Letterhead,ലെറ്റർഹെ 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ആകെ അലോക്കേറ്റഡ് ഇല {0} കാലയളവിലേക്ക് ഇതിനകം അംഗീകരിച്ച ഇല {1} കുറവായിരിക്കണം കഴിയില്ല DocType: Contract Fulfilment Checklist,Requirement,ആവശ്യമുണ്ട് DocType: Journal Entry,Accounts Receivable,സ്വീകാരയോഗ്യമായ കണക്കുകള് DocType: Quality Goal,Objectives,ലക്ഷ്യങ്ങൾ @@ -3307,7 +3350,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,സിംഗിൾ DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ഈ മൂല്യം സ്ഥിരസ്ഥിതി വിലകളുടെ പട്ടികയിൽ അപ്ഡേറ്റ് ചെയ്തിരിക്കുന്നു. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,നിങ്ങളുടെ കാർട്ട് ശൂന്യമാണ് DocType: Email Digest,New Expenses,പുതിയ ചെലവുകൾ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC തുക apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,ഡ്രൈവർ വിലാസം നഷ്‌ടമായതിനാൽ റൂട്ട് ഒപ്റ്റിമൈസ് ചെയ്യാൻ കഴിയില്ല. DocType: Shareholder,Shareholder,ഓഹരി ഉടമ DocType: Purchase Invoice,Additional Discount Amount,അധിക ഡിസ്ക്കൌണ്ട് തുക @@ -3342,6 +3384,7 @@ DocType: Asset Maintenance Task,Maintenance Task,മെയിൻറനൻസ് apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,GST ക്രമീകരണങ്ങളിൽ B2C പരിധി സജ്ജീകരിക്കുക. DocType: Marketplace Settings,Marketplace Settings,Marketplace ക്രമീകരണങ്ങൾ 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,കീ തീയതി {2} വരെ {1} {0} വിനിമയ നിരക്ക് കണ്ടെത്താൻ കഴിഞ്ഞില്ല. സ്വയം ഒരു കറൻസി എക്സ്ചേഞ്ച് റെക്കോർഡ് സൃഷ്ടിക്കുക 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} ഇപ്പോൾ സ്വതവേയുള്ള ധനകാര്യ വർഷം ആണ്. പ്രാബല്യത്തിൽ മാറ്റം നിങ്ങളുടെ ബ്രൗസർ പുതുക്കുക. @@ -3377,6 +3420,7 @@ DocType: Salary Component,Deduction,കുറയ്ക്കല് DocType: Item,Retain Sample,സാമ്പിൾ നിലനിർത്തുക apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,വരി {0}: സമയവും സമയാസമയങ്ങളിൽ നിർബന്ധമാണ്. DocType: Stock Reconciliation Item,Amount Difference,തുക വ്യത്യാസം +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,വിൽപ്പനക്കാരിൽ നിന്ന് നിങ്ങൾ വാങ്ങാൻ ആഗ്രഹിക്കുന്ന ഇനങ്ങളുടെ ട്രാക്ക് ഈ പേജ് സൂക്ഷിക്കുന്നു. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},ഇനം വില വില പട്ടിക {1} ൽ {0} വേണ്ടി ചേർത്തു DocType: Delivery Stop,Order Information,ഓർഡർ വിവരം apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,ഈ വിൽപ്പന ആളിന്റെ ജീവനക്കാരന്റെ ഐഡി നൽകുക @@ -3405,6 +3449,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** സാമ്പത്തിക വർഷത്തെ ** ഒരു സാമ്പത്തിക വർഷം പ്രതിനിധീകരിക്കുന്നത്. എല്ലാ അക്കൗണ്ടിങ് എൻട്രികൾ മറ്റ് പ്രധാന ഇടപാടുകൾ ** ** സാമ്പത്തിക വർഷത്തിൽ നേരെ അത്രകണ്ട്. DocType: Opportunity,Customer / Lead Address,കസ്റ്റമർ / ലീഡ് വിലാസം DocType: Supplier Scorecard Period,Supplier Scorecard Setup,വിതരണ സ്കോർബോർഡ് സജ്ജീകരണം +DocType: Customer Credit Limit,Customer Credit Limit,ഉപഭോക്തൃ ക്രെഡിറ്റ് പരിധി apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,അസസ്സ്മെന്റ് പ്ലാൻ നാമം apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ടാർഗെറ്റ് വിശദാംശങ്ങൾ apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","കമ്പനി സ്പാ, സാപ്പ അല്ലെങ്കിൽ എസ്ആർ‌എൽ ആണെങ്കിൽ ബാധകമാണ്" @@ -3457,7 +3502,6 @@ DocType: Company,Transactions Annual History,ഇടപാടുകൾ വാർ 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,ബാങ്ക് പേര് -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Above 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,ഫ്ലൂയിഡ് @@ -3511,6 +3555,7 @@ 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,തിരഞ്ഞെടുത്ത ഇനങ്ങളിലേക്ക് ചേർത്തു apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,വർഷം ലാഭം 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,പ്രക്രിയയിൽ @@ -3563,12 +3608,10 @@ 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,ഒന്നിൽ കൂടുതൽ ഇനം അനുവദിക്കുക -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,കമ്പനിക്കായി ജിഎസ്ടി നമ്പർ കണ്ടെത്തിയില്ല. 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,എംപ്ലോയീസ് DocType: Question,Single Correct Answer,ശരിയായ ശരിയായ ഉത്തരം -DocType: Employee,Contact Details,കോൺടാക്റ്റ് വിശദാംശങ്ങൾ DocType: C-Form,Received Date,ലഭിച്ച തീയതി DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","നിങ്ങൾ സെയിൽസ് നികുതികളും ചുമത്തിയിട്ടുള്ള ഫലകം ഒരു സാധാരണ ടെംപ്ലേറ്റ് .സൃഷ്ടിച്ചിട്ടുണ്ടെങ്കിൽ, ഒന്ന് തിരഞ്ഞെടുത്ത് താഴെയുള്ള ബട്ടൺ ക്ലിക്ക് ചെയ്യുക." DocType: BOM Scrap Item,Basic Amount (Company Currency),അടിസ്ഥാന തുക (കമ്പനി കറൻസി) @@ -3600,10 +3643,10 @@ DocType: Supplier Scorecard,Supplier Score,വിതരണക്കാരൻ സ apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,അഡ്മിഷൻ ഷെഡ്യൂൾ DocType: Tax Withholding Rate,Cumulative Transaction Threshold,സഞ്ചൻ ട്രാൻസാക്ഷൻ ത്രെഷോൾഡ് DocType: Promotional Scheme Price Discount,Discount Type,കിഴിവ് തരം -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,ആകെ Invoiced ശാരീരിക DocType: Purchase Invoice Item,Is Free Item,സ item ജന്യ ഇനമാണ് +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,ഓർഡർ ചെയ്ത അളവിൽ നിന്ന് കൂടുതൽ കൈമാറാൻ നിങ്ങളെ അനുവദിച്ചിരിക്കുന്ന ശതമാനം. ഉദാഹരണത്തിന്: നിങ്ങൾ 100 യൂണിറ്റുകൾ ഓർഡർ ചെയ്തിട്ടുണ്ടെങ്കിൽ. നിങ്ങളുടെ അലവൻസ് 10% ആണെങ്കിൽ 110 യൂണിറ്റുകൾ കൈമാറാൻ നിങ്ങളെ അനുവദിക്കും. DocType: Supplier,Warn RFQs,മുന്നറിയിപ്പ് RFQ കൾ -apps/erpnext/erpnext/templates/pages/home.html,Explore,പര്യവേക്ഷണം +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,പര്യവേക്ഷണം DocType: BOM,Conversion Rate,പരിവർത്തന നിരക്ക് apps/erpnext/erpnext/www/all-products/index.html,Product Search,ഉൽപ്പന്ന തിരച്ചിൽ ,Bank Remittance,ബാങ്ക് പണമയയ്ക്കൽ @@ -3614,6 +3657,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,പണമടച്ച തുക DocType: Asset,Insurance End Date,ഇൻഷുറൻസ് അവസാനിക്കുന്ന തീയതി apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,വിദ്യാർത്ഥി അപേക്ഷകന് നിർബന്ധിതമായ വിദ്യാർത്ഥി അഡ്മിഷൻ തിരഞ്ഞെടുക്കുക +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,ബജറ്റ് പട്ടിക DocType: Campaign,Campaign Schedules,പ്രചാരണ ഷെഡ്യൂളുകൾ DocType: Job Card Time Log,Completed Qty,പൂർത്തിയാക്കി Qty @@ -3635,6 +3679,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,പുത DocType: Quality Inspection,Sample Size,സാമ്പിളിന്റെവലിപ്പം apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,ദയവായി രസീത് പ്രമാണം നൽകുക apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,എല്ലാ ഇനങ്ങളും ഇതിനകം invoiced ചെയ്തു +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,എടുത്ത ഇലകൾ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.','കേസ് നമ്പർ നിന്നും' ഒരു സാധുവായ വ്യക്തമാക്കുക 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,പ്രശ്നപരിഹാരത്തിനായി കുറഞ്ഞ കേന്ദ്രങ്ങൾ ഗ്രൂപ്പുകൾ കീഴിൽ കഴിയും പക്ഷേ എൻട്രികൾ നോൺ-ഗ്രൂപ്പുകൾ നേരെ കഴിയും DocType: Branch,Branch,ബ്രാഞ്ച് @@ -3734,6 +3779,8 @@ 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: Call Log,Received By,സ്വീകരിച്ചത് 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.,ഉൽപ്പന്ന ലംബമായുള്ള അല്ലെങ്കിൽ ഡിവിഷനുകൾ വേണ്ടി പ്രത്യേക വരുമാനവും ചിലവേറിയ ട്രാക്ക്. @@ -3787,6 +3834,7 @@ DocType: Support Search Source,Result Title Field,ഫലം തലക്കെ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,കോൾ സംഗ്രഹം DocType: Sample Collection,Collected Time,ശേഖരിച്ച സമയം DocType: Employee Skill Map,Employee Skills,ജീവനക്കാരുടെ കഴിവുകൾ +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,ഇന്ധനച്ചെലവ് DocType: Company,Sales Monthly History,സെയിൽസ് മൺലി ഹിസ്റ്ററി apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,നികുതികളും നിരക്കുകളും പട്ടികയിൽ ഒരു വരിയെങ്കിലും സജ്ജമാക്കുക DocType: Asset Maintenance Task,Next Due Date,അടുത്ത അവസാന തീയതി @@ -3820,11 +3868,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,ഉദ്യോഗസ്ഥ ജാമ്യം ജി {0} ഇതിനകം ഈ കാലയളവിൽ സൃഷ്ടിച്ച apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,ഫാർമസ്യൂട്ടിക്കൽ apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,സാധുതയുള്ള എൻഹാൻസ്മെന്റ് തുകയ്ക്കായി നിങ്ങൾക്ക് ലീഡ് എൻക്യാഷ്മെന്റ് സമർപ്പിക്കാൻ മാത്രമേ കഴിയൂ +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,ഇനങ്ങൾ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,വാങ്ങിയ ഇനങ്ങൾ ചെലവ് DocType: Employee Separation,Employee Separation Template,തൊഴിലുടമ വേർപിരിയുന്ന ടെംപ്ലേറ്റ് DocType: Selling Settings,Sales Order Required,സെയിൽസ് ഓർഡർ ആവശ്യമുണ്ട് apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,ഒരു വിൽപ്പനക്കാരനാവുക -DocType: Shift Type,The number of occurrence after which the consequence is executed.,പരിണതഫലങ്ങൾ നടപ്പിലാക്കിയ സംഭവങ്ങളുടെ എണ്ണം. ,Procurement Tracker,സംഭരണ ട്രാക്കർ DocType: Purchase Invoice,Credit To,ക്രെഡിറ്റ് ചെയ്യുക apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ഐടിസി പഴയപടിയാക്കി @@ -3837,6 +3885,7 @@ DocType: Quality Meeting,Agenda,അജണ്ട DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,മെയിൻറനൻസ് ഷെഡ്യൂൾ വിശദാംശം DocType: Supplier Scorecard,Warn for new Purchase Orders,പുതിയ വാങ്ങൽ ഓർഡറുകൾക്ക് മുന്നറിയിപ്പ് നൽകുക DocType: Quality Inspection Reading,Reading 9,9 Reading +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,നിങ്ങളുടെ എക്സോട്ടൽ അക്ക ER ണ്ട് ERPNext ലേക്ക് ബന്ധിപ്പിച്ച് കോൾ ലോഗുകൾ ട്രാക്കുചെയ്യുക DocType: Supplier,Is Frozen,മരവിച്ചു DocType: Tally Migration,Processed Files,പ്രോസസ്സ് ചെയ്ത ഫയലുകൾ apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,ഗ്രൂപ്പ് നോഡ് വെയർഹൗസ് ഇടപാടുകൾക്ക് തെരഞ്ഞെടുക്കുന്നതിനായി അനുവദിച്ചിട്ടില്ല @@ -3845,6 +3894,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,ഒരു പൂർ DocType: Upload Attendance,Attendance To Date,തീയതി ആരംഭിക്കുന്ന ഹാജർ 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,കുറിപ്പുകളും @@ -3869,7 +3919,6 @@ DocType: Room,Room Number,മുറി നമ്പർ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,അഭ്യർത്ഥകൻ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},അസാധുവായ റഫറൻസ് {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,വ്യത്യസ്ത പ്രമോഷണൽ സ്കീമുകൾ പ്രയോഗിക്കുന്നതിനുള്ള നിയമങ്ങൾ. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) പ്രൊഡക്ഷൻ ഓർഡർ {3} ആസൂത്രണം quanitity ({2}) വലുതായിരിക്കും കഴിയില്ല DocType: Shipping Rule,Shipping Rule Label,ഷിപ്പിംഗ് റൂൾ ലേബൽ DocType: Journal Entry Account,Payroll Entry,പേരോൾ എൻട്രി apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,ഫീസ് റെക്കോർഡുകൾ കാണുക @@ -3881,6 +3930,7 @@ DocType: Contract,Fulfilment Status,പൂരിപ്പിക്കൽ നി DocType: Lab Test Sample,Lab Test Sample,ലാബ് ടെസ്റ്റ് സാമ്പിൾ DocType: Item Variant Settings,Allow Rename Attribute Value,ഗുണനാമത്തിന്റെ പ്രതീക മൂല്യം അനുവദിക്കുക apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,ദ്രുത ജേർണൽ എൻട്രി +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,ഭാവി പേയ്‌മെന്റ് തുക apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,BOM ലേക്ക് ഏതെങ്കിലും ഇനത്തിന്റെ agianst പരാമർശിച്ചു എങ്കിൽ നിങ്ങൾ നിരക്ക് മാറ്റാൻ കഴിയില്ല DocType: Restaurant,Invoice Series Prefix,ഇൻവോയ്സ് ശ്രേണി പ്രിഫിക്സ് DocType: Employee,Previous Work Experience,മുമ്പത്തെ ജോലി പരിചയം @@ -3910,6 +3960,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,പ്രോജക്ട് അവസ്ഥ DocType: UOM,Check this to disallow fractions. (for Nos),ഘടകാംശങ്ങൾ അനുമതി ഇല്ലാതാക്കുന്നത് ഇത് ചെക്ക്. (ഒഴിവ് വേണ്ടി) DocType: Student Admission Program,Naming Series (for Student Applicant),സീരീസ് (സ്റ്റുഡന്റ് അപേക്ഷകൻ) എന്നു +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/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,പ്രാക്ടീഷണർ സർവീസ് യൂണിറ്റ് ഷെഡ്യൂൾ @@ -3925,6 +3976,7 @@ DocType: Fiscal Year,Year End Date,വർഷം അവസാന തീയതി 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},അടച്ച അക്ക ing ണ്ടിംഗ് കാലയളവിൽ നിങ്ങൾക്ക് അക്ക account ണ്ടിംഗ് എൻ‌ട്രികൾ സൃഷ്ടിക്കാൻ കഴിയില്ല {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} അടച്ചു @@ -3933,6 +3985,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,ഇപ്പോഴത്തെ സ്റ്റോക്ക് നേടുക DocType: Purchase Invoice,ineligible,യോഗ്യതയില്ല apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,വസ്തുക്കളുടെ ബിൽ ട്രീ +DocType: BOM,Exploded Items,പൊട്ടിത്തെറിച്ച ഇനങ്ങൾ DocType: Student,Joining Date,തീയതി ചേരുന്നു ,Employees working on a holiday,ഒരു അവധിക്കാലം പ്രവർത്തിക്കുന്ന ജീവനക്കാരിൽ ,TDS Computation Summary,ടിഡിഎസ് കണക്കുകൂട്ടൽ സംഗ്രഹം @@ -3965,6 +4018,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),(സ്റ്റോ DocType: SMS Log,No of Requested SMS,അഭ്യർത്ഥിച്ച എസ്എംഎസ് ഒന്നും apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,ശമ്പള വിടണമെന്ന് അംഗീകൃത അനുവാദ ആപ്ലിക്കേഷന് രേഖകളുമായി പൊരുത്തപ്പെടുന്നില്ല apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,അടുത്ത ഘട്ടങ്ങൾ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,ഇനങ്ങൾ സംരക്ഷിച്ചു DocType: Travel Request,Domestic,ഗാർഹിക apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,മികച്ച സാധ്യത നിരക്കിൽ വ്യക്തമാക്കിയ ഇനങ്ങൾ നൽകുക apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,ട്രാൻസ്ഫർ തീയതിക്ക് മുമ്പ് ജീവനക്കാർ കൈമാറ്റം സമർപ്പിക്കാൻ കഴിയില്ല @@ -4017,7 +4071,7 @@ 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,അസറ്റ് വർഗ്ഗം അക്കൗണ്ട് apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,വരി # {0} (പേയ്മെന്റ് ടേബിൾ): തുക പോസിറ്റീവ് ആയിരിക്കണം -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},സെയിൽസ് ഓർഡർ അളവ് {1} അധികം ഇനം {0} ഉത്പാദിപ്പിക്കാനുള്ള കഴിയുന്നില്ലേ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},സെയിൽസ് ഓർഡർ അളവ് {1} അധികം ഇനം {0} ഉത്പാദിപ്പിക്കാനുള്ള കഴിയുന്നില്ലേ apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,മൊത്തത്തിൽ ഒന്നും ഉൾപ്പെടുത്തിയിട്ടില്ല apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,ഈ പ്രമാണത്തിനായി ഇ-വേ ബിൽ ഇതിനകം നിലവിലുണ്ട് apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,ആട്രിബ്യൂട്ട് മൂല്യങ്ങൾ തിരഞ്ഞെടുക്കുക @@ -4052,12 +4106,10 @@ 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,സെറ്റപ്പ് കമ്പനി -DocType: Shift Type,Enable Different Consequence for Early Exit,നേരത്തെയുള്ള എക്സിറ്റിന് വ്യത്യസ്ത പരിണതഫലങ്ങൾ പ്രാപ്തമാക്കുക ,Lab Test Report,ലാബ് ടെസ്റ്റ് റിപ്പോർട്ട് DocType: Employee Benefit Application,Employee Benefit Application,തൊഴിലുടമ ബെനിഫിറ്റ് അപേക്ഷ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,അധിക ശമ്പള ഘടകം നിലവിലുണ്ട്. DocType: Purchase Invoice,Unregistered,രജിസ്റ്റർ ചെയ്തിട്ടില്ല -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,ആദ്യം ഡെലിവറി നോട്ട് ദയവായി DocType: Student Applicant,Application Date,അപേക്ഷാ തീയതി DocType: Salary Component,Amount based on formula,ഫോർമുല അടിസ്ഥാനമാക്കി തുക DocType: Purchase Invoice,Currency and Price List,കറൻസി വിലവിവരപ്പട്ടികയും @@ -4085,6 +4137,7 @@ DocType: Purchase Receipt,Time at which materials were received,വസ്തു DocType: Products Settings,Products per Page,ഓരോ പേജിലും ഉൽപ്പന്നങ്ങൾ 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,ബില്ലിംഗ് തീയതി apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,അനുവദിച്ച തുക നെഗറ്റീവ് ആകരുത് DocType: Sales Order,Billing Status,ബില്ലിംഗ് അവസ്ഥ apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ഒരു പ്രശ്നം റിപ്പോർട്ടുചെയ്യുക @@ -4092,6 +4145,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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} ഞങ്ങൾക്കുണ്ട് അല്ലെങ്കിൽ ഇതിനകം ഇല്ല DocType: Supplier Scorecard Criteria,Criteria Weight,മാനദണ്ഡം ഭാരം +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,അക്കൗണ്ട്: പേയ്‌മെന്റ് എൻട്രിക്ക് കീഴിൽ {0} അനുവദനീയമല്ല DocType: Production Plan,Ignore Existing Projected Quantity,നിലവിലുള്ള പ്രൊജക്റ്റ് അളവ് അവഗണിക്കുക apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,അംഗീകാര അറിയിപ്പ് വിടുക DocType: Buying Settings,Default Buying Price List,സ്ഥിരസ്ഥിതി വാങ്ങൽ വില പട്ടിക @@ -4099,6 +4153,7 @@ DocType: Payroll Entry,Salary Slip Based on Timesheet,ശമ്പള ജി Tim apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Rate,വാങ്ങൽ നിരക്ക് DocType: Employee Checkin,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.","കമ്പനി, കറൻസി, നടപ്പു സാമ്പത്തിക വർഷം, തുടങ്ങിയ സജ്ജമാക്കുക സ്വതേ മൂല്യങ്ങൾ" DocType: Payment Entry,Payment Type,പേയ്മെന്റ് തരം apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ഇനം {0} ഒരു ബാച്ച് തിരഞ്ഞെടുക്കുക. ഈ നിബന്ധനയുടെ പൂര്ത്തീകരിക്കുന്നു എന്ന് ഒരു ബാച്ച് കണ്ടെത്താൻ കഴിഞ്ഞില്ല @@ -4127,6 +4182,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,ഷോപ്പിം DocType: Journal Entry,Accounting Entries,അക്കൗണ്ടിംഗ് എൻട്രികൾ 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.","'റേറ്റ്' എന്നതിനായി തിരഞ്ഞെടുത്ത വിലനിയമനം നടത്തിയാൽ, അത് വില പട്ടികയെ തിരുത്തിയെഴുതും. വിലനിയന്ത്രണ റേറ്റ് അന്തിമ നിരക്ക്, അതിനാൽ കൂടുതൽ കിഴിവരം ബാധകമാക്കരുത്. അതുകൊണ്ടുതന്നെ സെയിൽസ് ഓർഡർ, പർച്ചേസ് ഓർഡർ മുതലായ ഇടപാടുകളിൽ 'വിലവിവരപ്പട്ടിക' എന്നതിനേക്കാൾ 'റേറ്റ്' ഫീൽഡിൽ ഇത് ലഭ്യമാകും." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,വിദ്യാഭ്യാസം> വിദ്യാഭ്യാസ ക്രമീകരണങ്ങളിൽ ഇൻസ്ട്രക്ടർ നാമകരണ സംവിധാനം സജ്ജമാക്കുക DocType: Journal Entry,Paid Loan,പണമടച്ച വായ്പ 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,റഫറൻസ് തീയതി തീയതി @@ -4143,12 +4199,14 @@ DocType: Shopify Settings,Webhooks Details,വെബ്കൂക്കുകൾ apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,ഇല്ല സമയം ഷീറ്റുകൾ DocType: GoCardless Mandate,GoCardless Customer,GoCardless ഉപഭോക്താവ് apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} കയറ്റികൊണ്ടു-ഫോർവേഡ് ചെയ്യാൻ കഴിയില്ല ടൈപ്പ് വിടുക +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ഇന കോഡ്> ഐറ്റം ഗ്രൂപ്പ്> ബ്രാൻഡ് apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',മെയിൻറനൻസ് ഷെഡ്യൂൾ എല്ലാ ഇനങ്ങളും വേണ്ടി നിർമ്മിക്കുന്നില്ല ആണ്. 'ജനറേറ്റുചെയ്യൂ ഷെഡ്യൂൾ' ക്ലിക്ക് ചെയ്യുക ദയവായി ,To Produce,ഉത്പാദിപ്പിക്കാൻ DocType: Leave Encashment,Payroll,ശന്വളപ്പട്ടിക 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","{1} ൽ {0} വരി വേണ്ടി. {2} ഇനം നിരക്ക്, വരികൾ {3} ഉൾപ്പെടുത്തും ഉണ്ടായിരിക്കണം ഉൾപ്പെടുത്തുന്നതിനായി" DocType: Healthcare Service Unit,Parent Service Unit,പാരന്റ് സേവന യൂണിറ്റ് DocType: Packing Slip,Identification of the package for the delivery (for print),(പ്രിന്റ് വേണ്ടി) ഡെലിവറി പാക്കേജിന്റെ തിരിച്ചറിയൽ +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,സേവന ലെവൽ കരാർ പുന .സജ്ജമാക്കി. DocType: Bin,Reserved Quantity,സംരക്ഷിത ക്വാണ്ടിറ്റി apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,ദയവായി സാധുവായ ഇമെയിൽ വിലാസം നൽകുക apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,ദയവായി സാധുവായ ഇമെയിൽ വിലാസം നൽകുക @@ -4169,7 +4227,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,വില അല്ലെങ്കിൽ ഉൽപ്പന്ന കിഴിവ് apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,വരിയ്ക്കായി {0}: ആസൂത്രിത അളവുകൾ നൽകുക DocType: Account,Income Account,ആദായ അക്കൗണ്ട് -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,കസ്റ്റമർ> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി DocType: Payment Request,Amount in customer's currency,ഉപഭോക്താവിന്റെ കറൻസി തുക apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,ഡെലിവറി apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,ഘടനകൾ നിർണ്ണയിക്കുന്നു ... @@ -4190,6 +4247,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,റഫറൻസ് 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?,മുമ്പ് സൃഷ്ടിച്ച ഇൻവോയ്സുകളുടെ റെക്കോർഡുകൾ നിങ്ങൾക്ക് നഷ്ടപ്പെടും. ഈ സബ്സ്ക്രിപ്ഷൻ പുനരാരംഭിക്കാൻ നിങ്ങൾ ആഗ്രഹിക്കുന്നുവെന്ന് ഉറപ്പാണോ? @@ -4243,11 +4301,10 @@ DocType: Additional Salary,HR User,എച്ച് ഉപയോക്താ DocType: Bank Guarantee,Reference Document Name,റഫറൻസ് പ്രമാണം പേര് DocType: Purchase Invoice,Taxes and Charges Deducted,നികുതി ചാർജുകളും വെട്ടിക്കുറയ്ക്കും DocType: Support Settings,Issues,പ്രശ്നങ്ങൾ -DocType: Shift Type,Early Exit Consequence after,ആദ്യകാല എക്സിറ്റ് പരിണതഫലങ്ങൾ DocType: Loyalty Program,Loyalty Program Name,ലോയൽറ്റി പ്രോഗ്രാം പേര് apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},നില {0} ഒന്നാണ് ആയിരിക്കണം apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,GSTIN അയച്ചുവെങ്കിൽ അപ്ഡേറ്റ് ചെയ്യുന്നതിനുള്ള ഓർമ്മപ്പെടുത്തൽ -DocType: Sales Invoice,Debit To,ഡെബിറ്റ് ചെയ്യുക +DocType: Discounted Invoice,Debit To,ഡെബിറ്റ് ചെയ്യുക DocType: Restaurant Menu Item,Restaurant Menu Item,റെസ്റ്റോറന്റ് മെനു ഇനം DocType: Delivery Note,Required only for sample item.,മാത്രം സാമ്പിൾ ഇനത്തിന്റെ ആവശ്യമാണ്. DocType: Stock Ledger Entry,Actual Qty After Transaction,ഇടപാട് ശേഷം യഥാർത്ഥ Qty @@ -4330,6 +4387,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,പാരാമീ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,മാത്രം നില അപ്ലിക്കേഷനുകൾ വിടുക 'അംഗീകരിച്ചത്' ഉം 'നിരസിച്ചു സമർപ്പിക്കാൻ apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,അളവുകൾ സൃഷ്ടിക്കുന്നു ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},സ്റ്റുഡന്റ് ഗ്രൂപ്പ് പേര് വരി {0} ലെ നിർബന്ധമായും +DocType: Customer Credit Limit,Bypass credit limit_check,ക്രെഡിറ്റ് പരിധി_ചെക്ക് മറികടക്കുക DocType: Homepage,Products to be shown on website homepage,വെബ്സൈറ്റ് ഹോംപേജിൽ കാണിക്കേണ്ട ഉല്പന്നങ്ങൾ DocType: HR Settings,Password Policy,പാസ്‌വേഡ് നയം apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,ഇത് ഒരു റൂട്ട് ഉപഭോക്തൃ ഗ്രൂപ്പ് ആണ് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല. @@ -4377,10 +4435,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),(പ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,റെസ്റ്റോറന്റ് ക്രമീകരണങ്ങളിൽ സ്ഥിരസ്ഥിതി ഉപഭോക്താവിനെ സജ്ജീകരിക്കുക ,Salary Register,ശമ്പള രജിസ്റ്റർ DocType: Company,Default warehouse for Sales Return,സെയിൽസ് റിട്ടേണിനായുള്ള സ്ഥിര വെയർഹ house സ് -DocType: Warehouse,Parent Warehouse,രക്ഷാകർതൃ വെയർഹൗസ് +DocType: Pick List,Parent Warehouse,രക്ഷാകർതൃ വെയർഹൗസ് DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},സ്വതേ BOM ലേക്ക് ഇനം {0} കണ്ടില്ല പദ്ധതി {1} +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,അരക്ഷിതാവസ്ഥയിലും റേറ്റ് @@ -4417,6 +4475,7 @@ DocType: Travel Itinerary,Lodging Required,ലോഡ്ജിംഗ് ആവശ DocType: Promotional Scheme,Price Discount Slabs,വില കിഴിവ് സ്ലാബുകൾ DocType: Stock Reconciliation Item,Current Serial No,നിലവിലെ സീരിയൽ നമ്പർ DocType: Employee,Attendance and Leave Details,ഹാജർനിലയും വിശദാംശങ്ങളും വിടുക +,BOM Comparison Tool,BOM താരതമ്യ ഉപകരണം ,Requested,അഭ്യർത്ഥിച്ചു apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,ഇല്ല അഭിപ്രായപ്രകടനം DocType: Asset,In Maintenance,അറ്റകുറ്റപ്പണികൾ @@ -4438,6 +4497,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Include UOM,UOM apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Material Request No,മെറ്റീരിയൽ അഭ്യർത്ഥനയിൽ DocType: Service Level Agreement,Default Service Level Agreement,സ്ഥിരസ്ഥിതി സേവന ലെവൽ കരാർ DocType: SG Creation Tool Course,Course Code,കോഴ്സ് കോഡ് +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,പൂർത്തിയായ ചരക്ക് ഇനത്തിന്റെ ക്യൂട്ടി അടിസ്ഥാനമാക്കി അസംസ്കൃത വസ്തുക്കളുടെ അളവ് തീരുമാനിക്കും DocType: Location,Parent Location,പാരന്റ് ലൊക്കേഷൻ DocType: POS Settings,Use POS in Offline Mode,ഓഫ്സ് മോഡിൽ POS ഉപയോഗിക്കുക apps/erpnext/erpnext/accounts/page/pos/pos.js,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} നിർബന്ധമാണ്. {1} {2} -ലേക്കുള്ള കറൻസി എക്സ്ചേഞ്ച് റെക്കോർഡ് സൃഷ്ടിക്കാൻ സാധിക്കില്ല @@ -4455,7 +4515,7 @@ DocType: Stock Settings,Sample Retention Warehouse,സാമ്പിൾ Retenti DocType: Company,Default Receivable Account,സ്ഥിരസ്ഥിതി സ്വീകാ അക്കൗണ്ട് apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,പ്രൊജക്റ്റ് ക്വാണ്ടിറ്റി ഫോർമുല DocType: Sales Invoice,Deemed Export,എക്സ്പോർട്ട് ഡിമാൻഡ് -DocType: Stock Entry,Material Transfer for Manufacture,ഉല്പാദനത്തിനുള്ള മെറ്റീരിയൽ ട്രാൻസ്ഫർ +DocType: Pick List,Material Transfer for Manufacture,ഉല്പാദനത്തിനുള്ള മെറ്റീരിയൽ ട്രാൻസ്ഫർ 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.,കിഴിവും ശതമാനം ഒരു വില പട്ടിക നേരെ അല്ലെങ്കിൽ എല്ലാ വില പട്ടിക വേണ്ടി ഒന്നുകിൽ പ്രയോഗിക്കാൻ കഴിയും. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,ഓഹരി വേണ്ടി അക്കൗണ്ടിംഗ് എൻട്രി DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4497,7 +4557,6 @@ DocType: Training Event,Theory,സിദ്ധാന്തം apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,മുന്നറിയിപ്പ്: Qty അഭ്യർത്ഥിച്ചു മെറ്റീരിയൽ മിനിമം ഓർഡർ Qty കുറവാണ് apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,അക്കൗണ്ട് {0} മരവിച്ചു DocType: Quiz Question,Quiz Question,ക്വിസ് ചോദ്യം -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണ തരം 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","ഫുഡ്, ബീവറേജ് & പുകയില" @@ -4526,6 +4585,7 @@ 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,പ്രസിദ്ധീകരിച്ച ഇനങ്ങൾ DocType: Account,Expense Account,ചിലവേറിയ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,സോഫ്റ്റ്വെയർ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,കളർ @@ -4564,6 +4624,7 @@ 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,എല്ലാ ബാങ്ക് ഇടപാടുകളും സൃഷ്ടിച്ചു DocType: Fee Validity,Visited yet,ഇതുവരെ സന്ദർശിച്ചു +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,നിങ്ങൾക്ക് 8 ഇനങ്ങൾ വരെ ഫീച്ചർ ചെയ്യാൻ കഴിയും. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,നിലവിലുള്ള ഇടപാടിനെ അബദ്ധങ്ങളും ഗ്രൂപ്പ് പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല. DocType: Assessment Result Tool,Result HTML,ഫലം എച്ച്ടിഎംഎൽ DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,"സെയിൽ ട്രാൻസാക്ഷന്റെ അടിസ്ഥാനത്തിൽ പ്രൊജക്റ്റ്, കമ്പനി എത്രമാത്രം അപ്ഡേറ്റുചെയ്യണം." @@ -4571,7 +4632,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,സംഭരണ താപനില @@ -4596,7 +4656,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,മണിക്ക DocType: Contract,Signee Details,സൂചന വിശദാംശങ്ങൾ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} നിലവിൽ ഒരു {1} സപ്ലിയർ സ്കോർകാർഡ് സ്റ്റാൻഡേർഡ് നിലയുമുണ്ട്, കൂടാതെ ഈ വിതരണക്കാരന്റെ RFQ കളും മുൻകരുതൽ നൽകണം." DocType: Certified Consultant,Non Profit Manager,ലാഭേച്ഛയില്ലാത്ത മാനേജർ -DocType: BOM,Total Cost(Company Currency),മൊത്തം ചെലവ് (കമ്പനി കറൻസി) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,സീരിയൽ ഇല്ല {0} സൃഷ്ടിച്ചു DocType: Homepage,Company Description for website homepage,വെബ്സൈറ്റ് ഹോംപേജിൽ കമ്പനിയുടെ വിവരണം DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ഉപഭോക്താക്കൾക്ക് സൗകര്യത്തിനായി, ഈ കോഡുകൾ ഇൻവോയ്സുകളും ഡെലിവറി കുറിപ്പുകൾ പോലെ പ്രിന്റ് രൂപങ്ങളിലും ഉപയോഗിക്കാൻ കഴിയും" @@ -4625,7 +4684,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,നൽക DocType: Amazon MWS Settings,Enable Scheduled Synch,ഷെഡ്യൂൾ ചെയ്ത സമന്വയം പ്രവർത്തനക്ഷമമാക്കുക apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,തീയതി-ചെയ്യുന്നതിനായി apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,SMS ഡെലിവറി നില പരിപാലിക്കുന്നതിനായി ക്ഌപ്തപ്പെടുത്താവുന്നതാണ് -DocType: Shift Type,Early Exit Consequence,നേരത്തെയുള്ള എക്സിറ്റ് പരിണതഫലങ്ങൾ DocType: Accounts Settings,Make Payment via Journal Entry,ജേർണൽ എൻട്രി വഴി പേയ്മെന്റ് നിർമ്മിക്കുക apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,ഒരു സമയം 500 ൽ കൂടുതൽ ഇനങ്ങൾ സൃഷ്ടിക്കരുത് apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,പ്രിന്റ് @@ -4681,6 +4739,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,പരിധി 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,രഹസ്യം +DocType: Plaid Settings,Plaid Secret,പ്ലെയ്ഡ് രഹസ്യം DocType: Company,Date of Establishment,എസ്റ്റാബ്ലിഷ്മെന്റ് തീയതി apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,വെഞ്ച്വർ ക്യാപ്പിറ്റൽ apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"ഈ 'അക്കാദമിക് വർഷം' {0}, {1} ഇതിനകം നിലവിലുണ്ട് 'ടേം പേര്' ഒരു അക്കാദമിക് കാലാവധി. ഈ എൻട്രികൾ പരിഷ്ക്കരിച്ച് വീണ്ടും ശ്രമിക്കുക." @@ -4740,6 +4799,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,ഉപഭോക്തൃ തരം DocType: Compensatory Leave Request,Leave Allocation,വിഹിതം വിടുക DocType: Payment Request,Recipient Message And Payment Details,സ്വീകർത്താവിന്റെ സന്ദേശവും പേയ്മെന്റ് വിശദാംശങ്ങൾ +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,ഒരു ഡെലിവറി കുറിപ്പ് തിരഞ്ഞെടുക്കുക DocType: Support Search Source,Source DocType,ഉറവിടം ഡോക്ടിപ്പ് apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,ഒരു പുതിയ ടിക്കറ്റ് തുറക്കുക DocType: Training Event,Trainer Email,പരിശീലകൻ ഇമെയിൽ @@ -4861,6 +4921,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py, 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','ഈ തീയതി മുതൽ' 'തീയതി ആരംഭിക്കുന്ന' ശേഷം ആയിരിക്കണം apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,ഈ ഫിനാൻസിഷനായി സ്റ്റാഫിങ് പ്ലാനുകളൊന്നും കണ്ടെത്തിയില്ല DocType: Leave Policy Detail,Annual Allocation,വാർഷിക അനുവദിക്കൽ @@ -4881,7 +4942,7 @@ DocType: Clinical Procedure,Patient,രോഗി apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,വിൽപ്പന ഉത്തരവിലുള്ള ബൈപ്പാസ് ക്രെഡിറ്റ് പരിശോധന DocType: Employee Onboarding Activity,Employee Onboarding Activity,ജീവനക്കാരുടെ മേൽനടത്തുന്ന പ്രവർത്തനം DocType: Location,Check if it is a hydroponic unit,ഇത് ഒരു ഹൈഡ്രോപോണിക് യൂണിറ്റ് ആണെങ്കിൽ പരിശോധിക്കുക -DocType: Stock Reconciliation Item,Serial No and Batch,സീരിയൽ ഇല്ല ആൻഡ് ബാച്ച് +DocType: Pick List Item,Serial No and Batch,സീരിയൽ ഇല്ല ആൻഡ് ബാച്ച് DocType: Warranty Claim,From Company,കമ്പനി നിന്നും DocType: GSTR 3B Report,January,ജനുവരി apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,വിലയിരുത്തിയശേഷം മാനദണ്ഡം സ്കോററായ സം {0} വേണം. @@ -4906,7 +4967,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ഇൻറർ കമ്പനി ഇടപാടുകൾക്ക് {0} കണ്ടെത്തിയില്ല. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,ക്രെഡിറ്റ്_നോട്ട്_അം DocType: Travel Itinerary,Rented Car,വാടകയ്ക്കെടുത്ത കാർ apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,നിങ്ങളുടെ കമ്പനിയെക്കുറിച്ച് apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ക്രെഡിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം @@ -4939,6 +4999,7 @@ apps/erpnext/erpnext/config/accounting.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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,അവശേഷിക്കുന്ന DocType: Appraisal,Appraisal,വിലനിശ്ചയിക്കല് @@ -5006,6 +5067,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),പാക്കേജിന്റെ ആകെ ഭാരം. മൊത്തം ഭാരം + പാക്കേജിംഗ് മെറ്റീരിയൽ ഭാരം സാധാരണയായി. (പ്രിന്റ് വേണ്ടി) DocType: Assessment Plan,Program,പ്രോഗ്രാം DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ഈ പങ്ക് ഉപയോക്താക്കൾ മരവിച്ച അക്കൗണ്ടുകൾ സജ്ജമാക്കാനും സൃഷ്ടിക്കുന്നതിനും / ശീതീകരിച്ച അക്കൗണ്ടുകൾ നേരെ അക്കൗണ്ടിങ് എൻട്രികൾ പരിഷ്ക്കരിക്കുക അനുവദിച്ചിരിക്കുന്ന +DocType: Plaid Settings,Plaid Environment,പ്ലെയ്ഡ് പരിസ്ഥിതി ,Project Billing Summary,പ്രോജക്റ്റ് ബില്ലിംഗ് സംഗ്രഹം DocType: Vital Signs,Cuts,കുറുക്കുവഴികൾ DocType: Serial No,Is Cancelled,റദ്ദാക്കി മാത്രമാവില്ലല്ലോ @@ -5067,7 +5129,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,കുറിപ്പ്: സിസ്റ്റം ഇനം വേണ്ടി ഡെലിവറി-കടന്നു-ബുക്കിങ് പരിശോധിക്കില്ല {0} അളവ് അല്ലെങ്കിൽ തുക 0 പോലെ DocType: Issue,Opening Date,തീയതി തുറക്കുന്നു apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,ആദ്യം രോഗിയെ രക്ഷിക്കൂ -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,പുതിയ കോൺ‌ടാക്റ്റ് ഉണ്ടാക്കുക apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,ഹാജർ വിജയകരമായി അടയാളപ്പെടുത്തി. DocType: Program Enrollment,Public Transport,പൊതു ഗതാഗതം DocType: Sales Invoice,GST Vehicle Type,ജിഎസ്ടി വാഹന വാഹനം @@ -5094,6 +5155,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,വിത DocType: POS Profile,Write Off Account,അക്കൗണ്ട് ഓഫാക്കുക എഴുതുക DocType: Patient Appointment,Get prescribed procedures,നിർദ്ദിഷ്ട നടപടികൾ സ്വീകരിക്കുക DocType: Sales Invoice,Redemption Account,റിഡംപ്ഷൻ അക്കൗണ്ട് +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,ഇനം ലൊക്കേഷൻ പട്ടികയിൽ ആദ്യം ഇനങ്ങൾ ചേർക്കുക DocType: Pricing Rule,Discount Amount,കിഴിവും തുക DocType: Pricing Rule,Period Settings,കാലയളവ് ക്രമീകരണങ്ങൾ DocType: Purchase Invoice,Return Against Purchase Invoice,വാങ്ങൽ ഇൻവോയിസ് എഗെൻസ്റ്റ് മടങ്ങുക @@ -5124,7 +5186,6 @@ DocType: Assessment Plan,Assessment Plan,അസസ്മെന്റ് പദ DocType: Travel Request,Fully Sponsored,പൂർണ്ണമായി സ്പോൺസർ ചെയ്തത് apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,ജേണൽ എൻട്രി റിവേഴ്സ് ചെയ്യുക apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,ജോബ് കാർഡ് സൃഷ്ടിക്കുക -DocType: Shift Type,Consequence after,പരിണതഫലങ്ങൾ DocType: Quality Procedure Process,Process Description,പ്രോസസ്സ് വിവരണം apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ഉപഭോക്താവ് {0} സൃഷ്ടിച്ചു. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,ഏതൊരു വെയർഹൌസിലും നിലവിൽ സ്റ്റോക്കില്ല @@ -5158,6 +5219,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,ക്ലിയറൻസ് DocType: Delivery Settings,Dispatch Notification Template,ഡിസ്പാച്ച് അറിയിപ്പ് ടെംപ്ലേറ്റ് apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,അസ്സസ്മെന്റ് റിപ്പോർട്ട് apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,ജീവനക്കാരെ നേടുക +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 വിലാസ @@ -5281,7 +5343,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,ഇത് ഒരു റൂട്ട് വിൽപന വ്യക്തി ആണ് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","തിരഞ്ഞെടുത്താൽ, ഈ ഘടകം വ്യക്തമാക്കിയ അല്ലെങ്കിൽ കണക്കാക്കുന്നത് മൂല്യം വരുമാനം അല്ലെങ്കിൽ പൂർണമായും സംഭാവന ചെയ്യും. എന്നാൽ, അത് മൂല്യവർധിത അല്ലെങ്കിൽ വെട്ടിക്കുറയ്ക്കും കഴിയുന്ന മറ്റ് ഘടകങ്ങൾ വഴി റഫറൻസുചെയ്ത കഴിയും തുടർന്ന്." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","തിരഞ്ഞെടുത്താൽ, ഈ ഘടകം വ്യക്തമാക്കിയ അല്ലെങ്കിൽ കണക്കാക്കുന്നത് മൂല്യം വരുമാനം അല്ലെങ്കിൽ പൂർണമായും സംഭാവന ചെയ്യും. എന്നാൽ, അത് മൂല്യവർധിത അല്ലെങ്കിൽ വെട്ടിക്കുറയ്ക്കും കഴിയുന്ന മറ്റ് ഘടകങ്ങൾ വഴി റഫറൻസുചെയ്ത കഴിയും തുടർന്ന്." -DocType: Asset Settings,Number of Days in Fiscal Year,ധനനയത്തിനുള്ള ദിവസങ്ങളുടെ എണ്ണം ,Stock Ledger,ഓഹരി ലെഡ്ജർ DocType: Company,Exchange Gain / Loss Account,എക്സ്ചേഞ്ച് ഗെയിൻ / നഷ്ടം അക്കൗണ്ട് DocType: Amazon MWS Settings,MWS Credentials,MWS ക്രെഡൻഷ്യലുകൾ @@ -5316,6 +5377,7 @@ 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} നിന്ന് DocType: Bank Transaction Mapping,Column in Bank File,ബാങ്ക് ഫയലിലെ നിര apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,എല്ലാ ബില്ലും മെറ്റീരിയലുകളിൽ ഏറ്റവും പുതിയ വില അപ്ഡേറ്റ് ചെയ്യുന്നതിനായി ക്യൂവിലാണ്. ഇതിന് അൽപ്പസമയമെടുത്തേക്കാം. +DocType: Pick List,Get Item Locations,ഇനം ലൊക്കേഷനുകൾ നേടുക apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,പുതിയ അക്കൗണ്ട് പേര്. കുറിപ്പ്: ഉപയോക്താക്കൾക്ക് വിതരണക്കാർക്കും അക്കൗണ്ടുകൾ സൃഷ്ടിക്കാൻ ദയവായി DocType: POS Profile,Display Items In Stock,സ്റ്റോക്കിനുള്ള ഇനങ്ങൾ പ്രദർശിപ്പിക്കുക apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,രാജ്യം ജ്ഞാനികൾ സഹജമായ വിലാസം ഫലകങ്ങൾ @@ -5339,6 +5401,7 @@ DocType: Crop,Materials Required,ആവശ്യമുള്ള മെറ്റ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,ഇല്ല വിദ്യാർത്ഥികൾ കണ്ടെത്തിയില്ല DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,പ്രതിമാസ HRA ഒഴിവാക്കൽ DocType: Clinical Procedure,Medical Department,മെഡിക്കൽ വിഭാഗം +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,ആകെ ആദ്യകാല എക്സിറ്റുകൾ DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,വിതരണക്കാരൻ സ്കോര്കാര്ഡ് സ്കോറിംഗ് മാനദണ്ഡം apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,ഇൻവോയിസ് പ്രസിദ്ധീകരിക്കൽ തീയതി apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,വിൽക്കുക @@ -5350,11 +5413,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ഈ പ്രമാണം റദ്ദാക്കുന്നതിന് ജീവനക്കാരൻ {0} delete ഇല്ലാതാക്കുക" DocType: Program Enrollment,School House,സ്കൂൾ ഹൗസ് DocType: Serial No,Out of AMC,എഎംസി പുറത്താണ് DocType: Opportunity,Opportunity Amount,അവസര തുക +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,നിങ്ങളുടെ പ്രൊഫൈൽ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ബുക്കുചെയ്തു Depreciations എണ്ണം Depreciations മൊത്തം എണ്ണം വലുതായിരിക്കും കഴിയില്ല DocType: Purchase Order,Order Confirmation Date,ഓർഡർ സ്ഥിരീകരണ തീയതി DocType: Driver,HR-DRI-.YYYY.-,എച്ച്ആർ-ഡിആർഐ .YYYY.- @@ -5448,7 +5510,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","റേറ്റ്, ഷെയറുകളുടെയും കണക്കുകൂട്ടുന്ന തുകയുടെയും തമ്മിലുള്ള വൈരുദ്ധ്യങ്ങൾ ഉണ്ട്" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,നഷ്ടപരിഹാരം നൽകാനുള്ള അഭ്യർത്ഥന ദിവസങ്ങൾക്കുള്ളിൽ നിങ്ങൾ ദിവസം മുഴുവനും നിലവിലില്ല apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,സ്ഥിരീകരിക്കാൻ കമ്പനിയുടെ പേര്-തരം റീ ദയവായി -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,മൊത്തം ശാരീരിക DocType: Journal Entry,Printing Settings,അച്ചടി ക്രമീകരണങ്ങൾ DocType: Payment Order,Payment Order Type,പേയ്‌മെന്റ് ഓർഡർ തരം DocType: Employee Advance,Advance Account,മുൻകൂർ അക്കൗണ്ട് @@ -5536,7 +5597,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,വർഷം പേര് apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,ഈ മാസം പ്രവർത്തി ദിവസങ്ങളിൽ അധികം വിശേഷദിവസങ്ങൾ ഉണ്ട്. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,ഇനങ്ങൾക്ക് ശേഷം {0} {1} ഇനം ആയി അടയാളപ്പെടുത്തിയിട്ടില്ല. നിങ്ങൾക്ക് അവരുടെ ഇനം മാസ്റ്ററിൽ നിന്ന് {1} ഇനം ആയി സജ്ജമാക്കാൻ കഴിയും -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / എൽ സി റഫർ DocType: Production Plan Item,Product Bundle Item,ഉൽപ്പന്ന ബണ്ടിൽ ഇനം DocType: Sales Partner,Sales Partner Name,സെയിൽസ് പങ്കാളി പേര് apps/erpnext/erpnext/hooks.py,Request for Quotations,ഉദ്ധരണികൾ അഭ്യർത്ഥന @@ -5545,7 +5605,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,സാധാരണ പരീക്ഷണ ഇനങ്ങൾ DocType: QuickBooks Migrator,Company Settings,കമ്പനി ക്രമീകരണങ്ങൾ DocType: Additional Salary,Overwrite Salary Structure Amount,ശമ്പള ഘടനയുടെ തുക തിരുത്തിയെഴുതുക -apps/erpnext/erpnext/config/hr.py,Leaves,ഇലകൾ +DocType: Leave Ledger Entry,Leaves,ഇലകൾ DocType: Student Language,Student Language,വിദ്യാർത്ഥിയുടെ ഭാഷ DocType: Cash Flow Mapping,Is Working Capital,പ്രവർത്തന മൂലധനം apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,തെളിവ് സമർപ്പിക്കുക @@ -5553,7 +5613,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,ഓർഡർ / quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,റെക്കോർഡ് പേപ്പർ വിന്റോസ് DocType: Fee Schedule,Institution,സ്ഥാപനം -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: Asset,Partially Depreciated,ഭാഗികമായി മൂല്യത്തകർച്ചയുണ്ടായ DocType: Issue,Opening Time,സമയം തുറക്കുന്നു apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,നിന്ന് ആവശ്യമായ തീയതികൾ ചെയ്യുക @@ -5604,6 +5663,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,പരമാവധി അനുവദനീയ മൂല്യം DocType: Journal Entry Account,Employee Advance,തൊഴിലാളി അഡ്വാൻസ് DocType: Payroll Entry,Payroll Frequency,ശമ്പളപ്പട്ടിക ഫ്രീക്വൻസി +DocType: Plaid Settings,Plaid Client ID,പ്ലെയ്ഡ് ക്ലയൻറ് ഐഡി DocType: Lab Test Template,Sensitivity,സെൻസിറ്റിവിറ്റി DocType: Plaid Settings,Plaid Settings,പ്ലെയ്ഡ് ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,പരമാവധി ശ്രമങ്ങൾ കവിഞ്ഞതിനാൽ സമന്വയം താൽക്കാലികമായി അപ്രാപ്തമാക്കി @@ -5621,6 +5681,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,പോസ്റ്റിംഗ് തീയതി ആദ്യം തിരഞ്ഞെടുക്കുക apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,തീയതി തുറക്കുന്നു തീയതി അടയ്ക്കുന്നത് മുമ്പ് ആയിരിക്കണം DocType: Travel Itinerary,Flight,ഫ്ലൈറ്റ് +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,തിരികെ വീട്ടിലേക്ക് DocType: Leave Control Panel,Carry Forward,മുന്നോട്ട് കൊണ്ടുപോകും apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,നിലവിലുള്ള ഇടപാടുകൾ ചെലവ് കേന്ദ്രം ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല DocType: Budget,Applicable on booking actual expenses,യഥാർത്ഥ ചെലവുകൾ ബുക്കുചെയ്യുന്നതിന് ബാധകമാണ് @@ -5721,6 +5782,7 @@ DocType: Batch,Source Document Name,ഉറവിട പ്രമാണം പേ DocType: Batch,Source Document Name,ഉറവിട പ്രമാണം പേര് DocType: Production Plan,Get Raw Materials For Production,ഉത്പാദനത്തിനായി അസംസ്കൃത വസ്തുക്കൾ ലഭിക്കുക DocType: Job Opening,Job Title,തൊഴില് പേര് +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,ഭാവി പേയ്‌മെന്റ് റഫ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0}, {1} ഒരു ഉദ്ധരണനം നൽകില്ലെന്ന് സൂചിപ്പിക്കുന്നു, എന്നാൽ എല്ലാ ഇനങ്ങളും ഉദ്ധരിക്കുന്നു. RFQ ഉദ്ധരണി നില അപ്ഡേറ്റുചെയ്യുന്നു." DocType: Manufacturing Settings,Update BOM Cost Automatically,BOM നിര സ്വയമേ അപ്ഡേറ്റ് ചെയ്യുക @@ -5730,12 +5792,10 @@ 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: Company,Product Code,ഉൽപ്പന്ന കോഡ് DocType: Quality Review Table,Objective,ലക്ഷ്യം DocType: Supplier Scorecard,Per Month,മാസം തോറും DocType: Education Settings,Make Academic Term Mandatory,അക്കാദമിക് ടേം നിർബന്ധിതം ഉണ്ടാക്കുക -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,നിർമ്മിക്കാനുള്ള ക്വാണ്ടിറ്റി 0 വലുതായിരിക്കണം. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,ധനന വർഷം അടിസ്ഥാനമാക്കിയുള്ള ശുചിത്വ വില നിശ്ചയിക്കുക +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,നിർമ്മിക്കാനുള്ള ക്വാണ്ടിറ്റി 0 വലുതായിരിക്കണം. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,അറ്റകുറ്റപ്പണി കോൾ വേണ്ടി റിപ്പോർട്ട് സന്ദർശിക്കുക. DocType: Stock Entry,Update Rate and Availability,റേറ്റ് ലഭ്യത അപ്ഡേറ്റ് 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 യൂണിറ്റ് ഉത്തരവിട്ടു ഉണ്ടെങ്കിൽ. ഒപ്പം നിങ്ങളുടെ അലവൻസ് നിങ്ങളെ 110 യൂണിറ്റുകൾ സ്വീകരിക്കാൻ അനുവദിച്ചിരിക്കുന്ന പിന്നീട് 10% ആണ്. @@ -5747,7 +5807,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,റിലീസ് തീയതി ഭാവിയിൽ ആയിരിക്കണം DocType: BOM,Website Description,വെബ്സൈറ്റ് വിവരണം apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,ഇക്വിറ്റി ലെ മൊത്തം മാറ്റം -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,വാങ്ങൽ ഇൻവോയ്സ് {0} ആദ്യം റദ്ദാക്കുകയോ ചെയ്യുക apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,അനുവദനീയമല്ല. ദയവായി സേവന യൂണിറ്റ് തരം അപ്രാപ്തമാക്കുക apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","ഇമെയിൽ വിലാസം അതുല്യമായ ആയിരിക്കണം, ഇതിനകം {0} നിലവിലുണ്ട്" DocType: Serial No,AMC Expiry Date,എഎംസി കാലഹരണ തീയതി @@ -5789,6 +5848,7 @@ DocType: Pricing Rule,Price Discount Scheme,വില കിഴിവ് പദ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,അറ്റകുറ്റപ്പണി സ്റ്റാറ്റസ് റദ്ദാക്കാൻ സമർപ്പിക്കേണ്ടതാണ് DocType: Amazon MWS Settings,US,യുഎസ് DocType: Holiday List,Add Weekly Holidays,പ്രതിവാര അവധി ദിവസങ്ങൾ ചേർക്കുക +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,ഇനം റിപ്പോർട്ടുചെയ്യുക DocType: Staffing Plan Detail,Vacancies,ഒഴിവുകൾ DocType: Hotel Room,Hotel Room,ഹോട്ടൽ റൂം apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},അക്കൗണ്ട് {0} കമ്പനി {1} വകയാണ് ഇല്ല @@ -5839,12 +5899,15 @@ DocType: Email Digest,Open Quotations,ഉദ്ധരണികൾ തുറക 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ഈ പ്രമാണം റദ്ദാക്കുന്നതിന് ജീവനക്കാരൻ {0} delete ഇല്ലാതാക്കുക" apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,സമയം ലോഗുകൾക്കായി പ്രവർത്തനങ്ങൾ തരങ്ങൾ DocType: Opening Invoice Creation Tool,Sales,സെയിൽസ് DocType: Stock Entry Detail,Basic Amount,അടിസ്ഥാന തുക @@ -5858,6 +5921,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,ഒഴിവുള്ള DocType: Patient,Alcohol Past Use,മദ്യപിക്കുന്ന ഭൂതകാല ഉപയോഗം DocType: Fertilizer Content,Fertilizer Content,വളപ്രയോഗം ഉള്ളടക്കം +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,വിവരണം ഇല്ല apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,കോടിയുടെ DocType: Tax Rule,Billing State,ബില്ലിംഗ് സ്റ്റേറ്റ് DocType: Quality Goal,Monitoring Frequency,മോണിറ്ററിംഗ് ആവൃത്തി @@ -5875,6 +5939,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,"അവസാന തീയതി അവസാനിക്കുന്നത്, അടുത്ത ബന്ധന തീയതിക്ക് മുമ്പായിരിക്കരുത്." apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,ബാച്ച് എൻ‌ട്രികൾ DocType: Journal Entry,Pay To / Recd From,നിന്നും / Recd നൽകാൻ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,ഇനം പ്രസിദ്ധീകരിക്കുക DocType: Naming Series,Setup Series,സെറ്റപ്പ് സീരീസ് DocType: Payment Reconciliation,To Invoice Date,ഇൻവോയിസ് തീയതി ചെയ്യുക DocType: Bank Account,Contact HTML,കോൺടാക്റ്റ് എച്ച്ടിഎംഎൽ @@ -5895,6 +5960,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,റീട്ടെയി DocType: Student Attendance,Absent,അസാന്നിദ്ധ്യം DocType: Staffing Plan,Staffing Plan Detail,സ്റ്റാഫ് പ്ലാൻ വിശദാംശം DocType: Employee Promotion,Promotion Date,പ്രമോഷൻ തീയതി +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,അവധി അലോക്കേഷൻ% s അവധി അപേക്ഷ% s മായി ബന്ധപ്പെട്ടിരിക്കുന്നു 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} @@ -5932,6 +5998,7 @@ DocType: Volunteer,Availability,ലഭ്യത apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS ഇൻവോയിസുകൾക്കായി സ്ഥിര മൂല്യങ്ങൾ സജ്ജമാക്കുക DocType: Employee Training,Training,പരിശീലനം DocType: Project,Time to send,അയയ്ക്കാനുള്ള സമയം +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,വാങ്ങുന്നവർ കുറച്ച് താൽപ്പര്യം പ്രകടിപ്പിച്ച നിങ്ങളുടെ ഇനങ്ങളുടെ ട്രാക്ക് ഈ പേജ് സൂക്ഷിക്കുന്നു. DocType: Timesheet,Employee Detail,ജീവനക്കാരുടെ വിശദാംശം apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,നടപടിക്രമത്തിനായി വെയർഹ house സ് സജ്ജമാക്കുക {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ഗുഅര്ദിഅന്൧ ഇമെയിൽ ഐഡി @@ -6030,11 +6097,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,തുറക്കുന്നു മൂല്യം DocType: Salary Component,Formula,ഫോർമുല apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,സീരിയൽ # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,ഹ്യൂമൻ റിസോഴ്സ്> എച്ച്ആർ ക്രമീകരണങ്ങളിൽ ജീവനക്കാരുടെ പേരിടൽ സംവിധാനം സജ്ജമാക്കുക DocType: Material Request Plan Item,Required Quantity,ആവശ്യമായ അളവ് DocType: Lab Test Template,Lab Test Template,ടെസ്റ്റ് ടെംപ്ലേറ്റ് ടെംപ്ലേറ്റ് apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,സെൽ അക്കൌണ്ട് DocType: Purchase Invoice Item,Total Weight,ആകെ ഭാരം +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} ആണ്" @@ -6058,6 +6125,7 @@ DocType: Company,Default Employee Advance Account,സ്ഥിരസ്ഥിത apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),ഇനം തിരയുക (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ഇല്ലാതാക്കാൻ കഴിയില്ല +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,ഈ ഇനം നീക്കംചെയ്യണമെന്ന് എന്തുകൊണ്ടാണ് കരുതുന്നത്? DocType: Vehicle,Last Carbon Check,അവസാനം കാർബൺ ചെക്ക് apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,നിയമ ചെലവുകൾ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,വരിയിൽ അളവ് തിരഞ്ഞെടുക്കുക @@ -6077,6 +6145,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,പ്രവർത്തന രഹിതം DocType: Travel Itinerary,Vegetarian,വെജിറ്റേറിയൻ DocType: Patient Encounter,Encounter Date,എൻകണറ്റ് തീയതി +DocType: Work Order,Update Consumed Material Cost In Project,പ്രോജക്റ്റിലെ ഉപഭോഗ മെറ്റീരിയൽ ചെലവ് അപ്‌ഡേറ്റുചെയ്യുക apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,അക്കൗണ്ട്: {0} കറൻസി കൂടെ: {1} തിരഞ്ഞെടുത്ത ചെയ്യാൻ കഴിയില്ല DocType: Bank Statement Transaction Settings Item,Bank Data,ബാങ്ക് ഡാറ്റ DocType: Purchase Receipt Item,Sample Quantity,സാമ്പിൾ അളവ് @@ -6130,7 +6199,7 @@ DocType: GSTR 3B Report,April,ഏപ്രിൽ DocType: Plant Analysis,Collection Datetime,ശേഖര തീയതി സമയം DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,ആകെ ഓപ്പറേറ്റിംഗ് ചെലവ് -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,കുറിപ്പ്: ഇനം {0} ഒന്നിലധികം തവണ നൽകി +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,കുറിപ്പ്: ഇനം {0} ഒന്നിലധികം തവണ നൽകി apps/erpnext/erpnext/config/buying.py,All Contacts.,എല്ലാ ബന്ധങ്ങൾ. DocType: Accounting Period,Closed Documents,അടഞ്ഞ രേഖകൾ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,അസിസ്റ്റന്റ് ഇൻവോയ്സ് പേയ്ന്റ് എൻകൌണ്ടറിനായി സ്വയമേവ സമർപ്പിക്കുകയും റദ്ദാക്കുകയും ചെയ്യുക @@ -6209,7 +6278,6 @@ DocType: Member,Membership Type,അംഗത്വ തരം ,Reqd By Date,തീയതിയനുസരിച്ചു് Reqd apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,കടക്കാരിൽ DocType: Assessment Plan,Assessment Name,അസസ്മെന്റ് പേര് -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,പി.ഡി.സി അച്ചടിക്കുക apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,വരി # {0}: സീരിയൽ ഇല്ല നിർബന്ധമാണ് DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ഇനം യുക്തിമാനും നികുതി വിശദാംശം DocType: Employee Onboarding,Job Offer,ജോലി വാഗ്ദാനം @@ -6269,6 +6337,7 @@ DocType: Serial No,Out of Warranty,വാറന്റി പുറത്താ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,മാപ്പുചെയ്ത ഡാറ്റ തരം DocType: BOM Update Tool,Replace,മാറ്റിസ്ഥാപിക്കുക apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,ഉൽപ്പന്നങ്ങളൊന്നും കണ്ടെത്തിയില്ല. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,കൂടുതൽ ഇനങ്ങൾ പ്രസിദ്ധീകരിക്കുക apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},ഈ സേവന നില ഉടമ്പടി ഉപഭോക്താവിന് മാത്രമുള്ളതാണ് {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} സെയിൽസ് ഇൻവോയിസ് {1} നേരെ DocType: Antibiotic,Laboratory User,ലബോറട്ടറി ഉപയോക്താവ് @@ -6290,7 +6359,6 @@ DocType: Payment Order Reference,Bank Account Details,ബാങ്ക് അക DocType: Purchase Order Item,Blanket Order,ബ്ലാങ്കറ്റ് ഓർഡർ 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,നികുതി ആസ്തികൾ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},പ്രൊഡക്ഷൻ ഓർഡർ ചെയ്തു {0} DocType: BOM Item,BOM No,BOM ഇല്ല 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,ശരാശരി നീക്കുന്നു @@ -6364,6 +6432,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),ബാഹ്യമായ നികുതി നൽകാവുന്ന സപ്ലൈസ് (പൂജ്യം റേറ്റുചെയ്തത്) DocType: BOM,Materials Required (Exploded),ആവശ്യമായ മെറ്റീരിയൽസ് (പൊട്ടിത്തെറിക്കുന്ന) 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/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,പോസ്റ്റുചെയ്ത തീയതി ഭാവി തീയതി കഴിയില്ല @@ -6421,7 +6490,6 @@ DocType: Pricing Rule,Same Item,ഒരേ ഇനം DocType: Stock Ledger Entry,Stock Ledger Entry,ഓഹരി ലെഡ്ജർ എൻട്രി DocType: Quality Action Resolution,Quality Action Resolution,ഗുണനിലവാര പ്രവർത്തന മിഴിവ് apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} {1} ദിവസം അര മണിക്കൂർ അവധിക്ക് -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി DocType: Department,Leave Block List,ബ്ലോക്ക് ലിസ്റ്റ് വിടുക DocType: Purchase Invoice,Tax ID,നികുതി ഐഡി apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,ഇനം {0} സീരിയൽ ഒഴിവ് വിവരത്തിനു അല്ല. കോളം ശ്യൂന്യമായിടണം @@ -6458,7 +6526,7 @@ 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} പ്രവർത്തനരഹിതമാക്കി അല്ലെങ്കിൽ നിലവിലില്ല DocType: Purchase Invoice,Return,മടങ്ങിവരവ് -DocType: Accounting Dimension,Disable,അപ്രാപ്തമാക്കുക +DocType: Account,Disable,അപ്രാപ്തമാക്കുക apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,പേയ്മെന്റ് മോഡ് പേയ്മെന്റ് നടത്താൻ ആവശ്യമാണ് DocType: Task,Pending Review,അവശേഷിക്കുന്ന അവലോകനം apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","കൂടുതൽ ഓപ്ഷനുകൾക്ക് ആസ്തി, സീരിയൽ നോസ്, ബാച്ച്സ് മുതലായവക്കായി പൂർണ്ണമായി എഡിറ്റുചെയ്യുക." @@ -6570,7 +6638,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,സംയോജിത ഇൻവോയ്സ് ഭാഗം 100% DocType: Item Default,Default Expense Account,സ്ഥിരസ്ഥിതി ചിലവേറിയ DocType: GST Account,CGST Account,CGST അക്കൗണ്ട് -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ഇന കോഡ്> ഐറ്റം ഗ്രൂപ്പ്> ബ്രാൻഡ് apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,വിദ്യാർത്ഥിയുടെ ഇമെയിൽ ഐഡി DocType: Employee,Notice (days),അറിയിപ്പ് (ദിവസം) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS ക്ലോസിംഗ് വൗച്ചർ ഇൻവോയ്സുകൾ @@ -6581,6 +6648,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ഇൻവോയ്സ് സംരക്ഷിക്കാൻ ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക DocType: Employee,Encashment Date,ലീവ് തീയതി DocType: Training Event,Internet,ഇന്റർനെറ്റ് +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,വിൽപ്പനക്കാരന്റെ വിവരങ്ങൾ DocType: Special Test Template,Special Test Template,പ്രത്യേക ടെസ്റ്റ് ടെംപ്ലേറ്റ് DocType: Account,Stock Adjustment,സ്റ്റോക്ക് ക്രമീകരണം apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},{0} - സ്വതേ പ്രവർത്തന ചെലവ് പ്രവർത്തനം ഇനം നിലവിലുണ്ട് @@ -6593,7 +6661,6 @@ 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,ട്രയൽ കാലയളവ് ആരംഭിക്കുക തീയതിയും ട്രയൽ കാലയളവും അവസാന തീയതി സജ്ജമാക്കണം -DocType: Company,Bank Remittance Settings,ബാങ്ക് പണമടയ്ക്കൽ ക്രമീകരണങ്ങൾ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ശരാശരി നിരക്ക് 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","ഉപഭോക്തൃ നൽകിയ ഇനത്തിന്" മൂല്യനിർണ്ണയ നിരക്ക് ഉണ്ടാകരുത് @@ -6621,6 +6688,7 @@ DocType: Grading Scale Interval,Threshold,ഉമ്മറം apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),ജീവനക്കാരെ ഫിൽട്ടർ ചെയ്യുക (ഓപ്ഷണൽ) DocType: BOM Update Tool,Current BOM,ഇപ്പോഴത്തെ BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),ബാലൻസ് (ഡോ - ക്രൈ) +DocType: Pick List,Qty of Finished Goods Item,പൂർത്തിയായ ചരക്ക് ഇനത്തിന്റെ ക്യൂട്ടി apps/erpnext/erpnext/public/js/utils.js,Add Serial No,സീരിയൽ ഇല്ല ചേർക്കുക DocType: Work Order Item,Available Qty at Source Warehouse,ഉറവിടം വെയർഹൗസ് ലഭ്യമാണ് അളവ് apps/erpnext/erpnext/config/support.py,Warranty,ഉറപ്പ് @@ -6697,7 +6765,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ഇവിടെ നിങ്ങൾ ഉയരം, ഭാരം, അലർജി, മെഡിക്കൽ ആശങ്കകൾ മുതലായവ നിലനിർത്താൻ കഴിയും" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,അക്കൗണ്ടുകൾ സൃഷ്ടിക്കുന്നു ... DocType: Leave Block List,Applies to Company,കമ്പനി പ്രയോഗിക്കുന്നു -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,സമർപ്പിച്ച ഓഹരി എൻട്രി {0} നിലവിലുണ്ട് കാരണം റദ്ദാക്കാൻ കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,സമർപ്പിച്ച ഓഹരി എൻട്രി {0} നിലവിലുണ്ട് കാരണം റദ്ദാക്കാൻ കഴിയില്ല DocType: Loan,Disbursement Date,ചിലവ് തീയതി DocType: Service Level Agreement,Agreement Details,കരാർ വിശദാംശങ്ങൾ apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,കരാറിന്റെ ആരംഭ തീയതി അവസാന തീയതിയേക്കാൾ വലുതോ തുല്യമോ ആകരുത്. @@ -6706,6 +6774,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,മെഡിക്കൽ റെക്കോർഡ് DocType: Vehicle,Vehicle,വാഹനം DocType: Purchase Invoice,In Words,വാക്കുകളിൽ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,തീയതി വരെ തീയതിക്ക് മുമ്പുള്ളതായിരിക്കണം apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,സമർപ്പിക്കുന്നതിനു മുമ്പായി ബാങ്കിന്റെ അല്ലെങ്കിൽ വായ്പ നൽകുന്ന സ്ഥാപനത്തിന്റെ പേര് നൽകുക. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} സമർപ്പിക്കേണ്ടതാണ് DocType: POS Profile,Item Groups,ഇനം ഗ്രൂപ്പുകൾ @@ -6778,7 +6847,6 @@ DocType: Customer,Sales Team Details,സെയിൽസ് ടീം വിശ apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,ശാശ്വതമായി ഇല്ലാതാക്കുക? DocType: Expense Claim,Total Claimed Amount,ആകെ ക്ലെയിം ചെയ്ത തുക apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,വില്ക്കുകയും വരാവുന്ന അവസരങ്ങൾ. -DocType: Plaid Settings,Link a new bank account,ഒരു പുതിയ ബാങ്ക് അക്കൗണ്ട് ലിങ്കുചെയ്യുക apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} അസാധുവായ ഹാജർ നിലയാണ്. DocType: Shareholder,Folio no.,ഫോളിയോ നം. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},അസാധുവായ {0} @@ -6794,7 +6862,6 @@ DocType: Production Plan,Material Requested,മെറ്റീരിയൽ അ DocType: Warehouse,PIN,പിൻ DocType: Bin,Reserved Qty for sub contract,ഉപ കരാറിനായി Qty കരുതിയിട്ടുണ്ട് DocType: Patient Service Unit,Patinet Service Unit,പാറ്റീനെറ്റ് സർവീസ് യൂണിറ്റ് -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,ടെക്സ്റ്റ് ഫയൽ സൃഷ്ടിക്കുക DocType: Sales Invoice,Base Change Amount (Company Currency),തുക ബേസ് മാറ്റുക (കമ്പനി കറൻസി) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,താഴെ അബദ്ധങ്ങളും വേണ്ടി ഇല്ല അക്കൌണ്ടിങ് എൻട്രികൾ DocType: Account,Chargeable,ഈടാക്കുന്നതല്ല @@ -6807,6 +6874,7 @@ DocType: Item,No of Months,മാസങ്ങളുടെ എണ്ണം DocType: Item,Max Discount (%),മാക്സ് കിഴിവും (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,ക്രെഡിറ്റ് ദിനങ്ങൾ ഒരു നെഗറ്റീവ് സംഖ്യയായിരിക്കരുത് apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,ഒരു പ്രസ്താവന അപ്‌ലോഡുചെയ്യുക +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,ഈ ഇനം റിപ്പോർട്ട് ചെയ്യുക DocType: Purchase Invoice Item,Service Stop Date,സേവനം നിർത്തുക തീയതി apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,കഴിഞ്ഞ ഓർഡർ തുക DocType: Cash Flow Mapper,e.g Adjustments for:,ഉദാഹരണത്തിന് ഇവയ്ക്കുള്ള ക്രമീകരണങ്ങൾ: @@ -6896,16 +6964,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,എംപ്ലോയീസ് ടാക്സ് എക്സംപ്ഷൻ വിഭാഗം apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,തുക പൂജ്യത്തേക്കാൾ കുറവായിരിക്കരുത്. DocType: Sales Invoice,C-Form Applicable,ബാധകമായ സി-ഫോം -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},ഓപ്പറേഷൻ സമയം ഓപ്പറേഷൻ {0} വേണ്ടി 0 വലുതായിരിക്കണം +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},ഓപ്പറേഷൻ സമയം ഓപ്പറേഷൻ {0} വേണ്ടി 0 വലുതായിരിക്കണം DocType: Support Search Source,Post Route String,പോസ്റ്റ് റൂട്ട് സ്ട്രിംഗ് apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,വെയർഹൗസ് നിർബന്ധമാണ് apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,വെബ്സൈറ്റ് സൃഷ്ടിക്കുന്നതിൽ പരാജയപ്പെട്ടു DocType: Soil Analysis,Mg/K,എം ജി / കെ DocType: UOM Conversion Detail,UOM Conversion Detail,UOM പരിവർത്തന വിശദാംശം apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,പ്രവേശനവും എൻറോൾമെന്റും -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,സൂക്ഷിക്കൽ സ്റ്റോക്ക് എൻട്രി ഇതിനകം സൃഷ്ടിച്ചു അല്ലെങ്കിൽ മാതൃകാ അളവ് നൽകിയിട്ടില്ല +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,സൂക്ഷിക്കൽ സ്റ്റോക്ക് എൻട്രി ഇതിനകം സൃഷ്ടിച്ചു അല്ലെങ്കിൽ മാതൃകാ അളവ് നൽകിയിട്ടില്ല DocType: Program,Program Abbreviation,പ്രോഗ്രാം സംഗ്രഹം -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,പ്രൊഡക്ഷൻ ഓർഡർ ഒരു ഇനം ഫലകം ഈടിന്മേൽ ചെയ്യാൻ കഴിയില്ല apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),വൗച്ചർ പ്രകാരം ഗ്രൂപ്പ് (സംയോജിത) DocType: HR Settings,Encrypt Salary Slips in Emails,ഇമെയിലുകളിൽ ശമ്പള സ്ലിപ്പുകൾ എൻക്രിപ്റ്റ് ചെയ്യുക DocType: Question,Multiple Correct Answer,ഒന്നിലധികം ശരിയായ ഉത്തരം @@ -6952,7 +7019,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,റേറ്റുചെ DocType: Employee,Educational Qualification,വിദ്യാഭ്യാസ യോഗ്യത DocType: Workstation,Operating Costs,ഓപ്പറേറ്റിംഗ് വിലയും apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},{0} {1} ആയിരിക്കണം വേണ്ടി കറൻസി -DocType: Employee Checkin,Entry Grace Period Consequence,എൻട്രി ഗ്രേസ് പിരീഡ് പരിണതഫലങ്ങൾ DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,ഈ ഷിഫ്റ്റിലേക്ക് നിയോഗിച്ചിട്ടുള്ള ജീവനക്കാർക്കായി 'എംപ്ലോയി ചെക്ക്ഇൻ' അടിസ്ഥാനമാക്കി ഹാജർ അടയാളപ്പെടുത്തുക. DocType: Asset,Disposal Date,തീർപ്പ് തീയതി DocType: Service Level,Response and Resoution Time,പ്രതികരണവും പുനരാരംഭിക്കൽ സമയവും @@ -7001,6 +7067,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,പൂർത്തീകരണ തീയതി DocType: Purchase Invoice Item,Amount (Company Currency),തുക (കമ്പനി കറൻസി) DocType: Program,Is Featured,സവിശേഷതയാണ് +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ലഭ്യമാക്കുന്നു ... DocType: Agriculture Analysis Criteria,Agriculture User,കൃഷി ഉപയോക്താവ് apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,തീയതി വരെ സാധുത ഇടപാട് തീയതിക്ക് മുമ്പായിരിക്കരുത് apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {3} {4} {5} ഈ ഇടപാട് പൂർത്തിയാക്കാൻ വേണ്ടി ന് {2} ൽ ആവശ്യമായ {1} യൂണിറ്റ്. @@ -7032,7 +7099,6 @@ DocType: Student,B+,B ' 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,ആകെ പണമടച്ചു ശാരീരിക 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,ചരക്കുസേവന ഇനമാക്കിയിട്ടുള്ള സെയിൽസ് രജിസ്റ്റർ @@ -7056,6 +7122,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,അജ്ഞ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,നിന്നു ലഭിച്ച DocType: Lead,Converted,പരിവർത്തനം DocType: Item,Has Serial No,സീരിയൽ പോസ്റ്റ് ഉണ്ട് +DocType: Stock Entry Detail,PO Supplied Item,പി‌ഒ വിതരണം ചെയ്ത ഇനം 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} @@ -7166,7 +7233,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synch ടാക്സുക 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,{0} കണ്ടെത്തിയില്ല സ്ഥിര BOM ൽ +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}: സജ്ജീകരിക്കുക പുനഃക്രമീകരിക്കുക അളവ് apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,ഇവിടെ ചേർക്കാൻ ഇനങ്ങൾ ടാപ്പ് @@ -7202,7 +7269,6 @@ DocType: Purchase Invoice,Y,വൈ DocType: Maintenance Visit,Maintenance Date,മെയിൻറനൻസ് തീയതി DocType: Purchase Invoice Item,Rejected Serial No,നിരസിച്ചു സീരിയൽ പോസ്റ്റ് apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,വർഷം ആരംഭിക്കുന്ന തീയതി അല്ലെങ്കിൽ അവസാന തീയതി {0} ഓവർലാപ്പുചെയ്യുന്നു ആണ്. ഒഴിവാക്കാൻ കമ്പനി സജ്ജമാക്കാൻ ദയവായി -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി അറ്റൻഡൻസിനായി നമ്പറിംഗ് സീരീസ് സജ്ജമാക്കുക apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},തീയതി ഇനം {0} വേണ്ടി അവസാനം തീയതി കുറവായിരിക്കണം ആരംഭിക്കുക DocType: Shift Type,Auto Attendance Settings,യാന്ത്രിക ഹാജർ ക്രമീകരണങ്ങൾ DocType: Item,"Example: ABCD.##### @@ -7258,6 +7324,7 @@ DocType: Fees,Student Details,വിദ്യാർത്ഥിയുടെ വ DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",ഇനങ്ങൾക്കും വിൽപ്പന ഓർഡറുകൾക്കുമായി ഉപയോഗിക്കുന്ന സ്ഥിരസ്ഥിതി UOM ഇതാണ്. ഫോൾബാക്ക് UOM "നോസ്" ആണ്. DocType: Purchase Invoice Item,Stock Qty,ഓഹരി അളവ് DocType: Purchase Invoice Item,Stock Qty,ഓഹരി അളവ് +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,സ്ഥിര ഷിപ്പിംഗ് അക്കൗണ്ട് DocType: Loan,Repayment Period in Months,മാസങ്ങളിലെ തിരിച്ചടവ് കാലാവധി @@ -7286,6 +7353,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ഡിസ്ക apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,ടാസ്ക്കുകൾക്കായി Timesheet. DocType: Purchase Invoice,Against Expense Account,ചിലവേറിയ എഗെൻസ്റ്റ് apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ഇന്സ്റ്റലേഷന് കുറിപ്പ് {0} ഇതിനകം സമർപ്പിച്ചു +DocType: BOM,Raw Material Cost (Company Currency),അസംസ്കൃത വസ്തു ചെലവ് (കമ്പനി കറൻസി) DocType: GSTR 3B Report,October,ഒക്ടോബർ DocType: Bank Reconciliation,Get Payment Entries,പേയ്മെന്റ് എൻട്രികൾ ലഭ്യമാക്കുക DocType: Quotation Item,Against Docname,Docname എഗെൻസ്റ്റ് @@ -7332,15 +7400,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,ഉപയോഗ തീയതിക്ക് ആവശ്യമാണ് DocType: Request for Quotation,Supplier Detail,വിതരണക്കാരൻ വിശദാംശം apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},ഫോർമുല അല്ലെങ്കിൽ അവസ്ഥയിൽ പിശക്: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Invoiced തുക +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Invoiced തുക apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,മാനദണ്ഡങ്ങളുടെ ഘടന 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,ഹാജർ apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,ഓഹരി ഇനങ്ങൾ DocType: Sales Invoice,Update Billed Amount in Sales Order,വിൽപ്പന ഉത്തരവിലെ ബിൽഡ് തുക അപ്ഡേറ്റ് ചെയ്യുക +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,കോൺടാക്റ്റ് സെല്ലർ 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,ഈ ഇനം റിപ്പോർട്ടുചെയ്യാൻ ഒരു മാർക്കറ്റ്പ്ലെയ്സ് ഉപയോക്താവായി പ്രവേശിക്കുക. ,Sales Partner Commission Summary,വിൽപ്പന പങ്കാളി കമ്മീഷൻ സംഗ്രഹം ,Item Prices,ഇനം വിലകൾ DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,നിങ്ങൾ വാങ്ങൽ ഓർഡർ രക്ഷിക്കും ഒരിക്കൽ വാക്കുകളിൽ ദൃശ്യമാകും. @@ -7353,6 +7423,7 @@ DocType: Dosage Form,Dosage Form,മരുന്നിന്റെ ഫോം apps/erpnext/erpnext/config/buying.py,Price List master.,വില പട്ടിക മാസ്റ്റർ. DocType: Task,Review Date,അവലോകന തീയതി DocType: BOM,Allow Alternative Item,ഇതര ഇനം അനുവദിക്കുക +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,വാങ്ങൽ രസീതിൽ നിലനിർത്തൽ സാമ്പിൾ പ്രവർത്തനക്ഷമമാക്കിയ ഒരു ഇനവുമില്ല. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ഇൻവോയ്സ് ഗ്രാൻഡ് ടോട്ടൽ DocType: Company,Series for Asset Depreciation Entry (Journal Entry),അസറ്റ് ഡിപ്രീസിയേഷൻ എൻട്രി (ജേർണൽ എൻട്രി) DocType: Membership,Member Since,അംഗം മുതൽ @@ -7361,6 +7432,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,നെറ്റ് ആകെ ന് 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} {4} ഇനം വേണ്ടി {1} എന്ന {3} വർദ്ധനവിൽ {2} ലേക്ക് പരിധി ആയിരിക്കണം മൂല്യം DocType: Pricing Rule,Product Discount Scheme,ഉൽപ്പന്ന കിഴിവ് പദ്ധതി +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,വിളിക്കുന്നയാൾ ഒരു പ്രശ്‌നവും ഉന്നയിച്ചിട്ടില്ല. DocType: Restaurant Reservation,Waitlisted,കാത്തിരുന്നു DocType: Employee Tax Exemption Declaration Category,Exemption Category,ഒഴിവാക്കൽ വിഭാഗം apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,കറൻസി മറ്റ് ചില കറൻസി ഉപയോഗിച്ച് എൻട്രികൾ ചെയ്തശേഷം മാറ്റാൻ കഴിയില്ല @@ -7374,7 +7446,6 @@ DocType: Customer Group,Parent Customer Group,പാരന്റ് ഉപഭേ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,സെയിൽസ് ഇൻവോയ്സിൽ നിന്ന് മാത്രമേ ഇ-വേ ബിൽ JSON സൃഷ്ടിക്കാൻ കഴിയൂ apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ഈ ക്വിസിനായുള്ള പരമാവധി ശ്രമങ്ങൾ എത്തി! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,സബ്സ്ക്രിപ്ഷൻ -DocType: Purchase Invoice,Contact Email,കോൺടാക്റ്റ് ഇമെയിൽ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ഫീസ് ക്രിയേഷൻ തീർപ്പാക്കിയിരിക്കുന്നു DocType: Project Template Task,Duration (Days),കാലാവധി (ദിവസം) DocType: Appraisal Goal,Score Earned,സ്കോർ നേടി @@ -7399,7 +7470,6 @@ DocType: Landed Cost Item,Landed Cost Item,റജിസ്റ്റർ ചെല 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","ഒരൊറ്റ ഇടപാടിനുള്ള തുക അനുവദനീയമായ പരമാവധി കവിയുന്നു, ഇടപാടുകൾ വിഭജിച്ച് ഒരു പ്രത്യേക പേയ്‌മെന്റ് ഓർഡർ സൃഷ്ടിക്കുക" DocType: Service Level Agreement,Entity,എന്റിറ്റി DocType: Payment Reconciliation,Receivable / Payable Account,സ്വീകാ / അടയ്ക്കേണ്ട അക്കൗണ്ട് DocType: Delivery Note Item,Against Sales Order Item,സെയിൽസ് ഓർഡർ ഇനം എഗെൻസ്റ്റ് @@ -7569,6 +7639,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,ല DocType: Quality Inspection Reading,Reading 3,Reading 3 DocType: Stock Entry,Source Warehouse Address,ഉറവിട വെയർഹൗസ് വിലാസം DocType: GL Entry,Voucher Type,സാക്ഷപ്പെടുത്തല് തരം +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,ഭാവി പേയ്‌മെന്റുകൾ 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 ,അവസാന പ്രവർത്തനം @@ -7595,6 +7666,7 @@ 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,കസ്റ്റമർ ഗ്സ്തിന് DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,വയലിൽ കണ്ടെത്തിയ രോഗങ്ങളുടെ ലിസ്റ്റ്. തിരഞ്ഞെടുക്കുമ്പോൾ അത് രോഗത്തെ നേരിടാൻ ചുമതലകളുടെ ഒരു ലിസ്റ്റ് ചേർക്കും +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,ബോം 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,"ഇത് ഒരു റൂട്ട് ഹെൽത്ത്കെയർ സർവീസ് യൂണിറ്റ് ആണ്, അത് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല." DocType: Asset Repair,Repair Status,അറ്റകുറ്റപ്പണി നില apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","അഭ്യർത്ഥിച്ച ക്യൂട്ടി: വാങ്ങുന്നതിനായി അളവ് അഭ്യർത്ഥിച്ചു, പക്ഷേ ഓർഡർ ചെയ്തിട്ടില്ല." @@ -7609,6 +7681,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,തുക മാറ്റത്തിനായി അക്കൗണ്ട് DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks- ലേക്ക് കണക്റ്റുചെയ്യുന്നു DocType: Exchange Rate Revaluation,Total Gain/Loss,മൊത്തം നഷ്ടം / നഷ്ടം +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,തിരഞ്ഞെടുക്കൽ പട്ടിക സൃഷ്ടിക്കുക apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},വരി {0}: പാർട്ടി / അക്കൗണ്ട് {3} {4} ൽ {1} / {2} കൂടെ പൊരുത്തപ്പെടുന്നില്ല DocType: Employee Promotion,Employee Promotion,തൊഴിലുടമ പ്രമോഷൻ DocType: Maintenance Team Member,Maintenance Team Member,മെയിൻറനൻസ് ടീം അംഗം @@ -7691,6 +7764,7 @@ 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,അസറ്റ് വർഗ്ഗം apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,നെറ്റ് വേതനം നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല @@ -7722,7 +7796,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,ഗുണനിലവാര ലക്ഷ്യം DocType: BOM,Item to be manufactured or repacked,ഇനം നിർമിക്കുന്ന അല്ലെങ്കിൽ repacked ചെയ്യേണ്ട apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},അവസ്ഥയിലുള്ള വാക്യഘടന പിശക്: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,ഉപഭോക്താവ് ഉന്നയിച്ച പ്രശ്‌നങ്ങളൊന്നുമില്ല. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,മേജർ / ഓപ്ഷണൽ വിഷയങ്ങൾ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,വാങ്ങൽ ക്രമീകരണങ്ങളിൽ വിതരണ ഗ്രൂപ്പ് സജ്ജീകരിക്കുക. @@ -7812,8 +7885,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,ക്രെഡിറ്റ് ദിനങ്ങൾ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,ലാ ടെസ്റ്റുകൾ നേടുന്നതിന് ദയവായി രോഗിയെ തിരഞ്ഞെടുക്കുക DocType: Exotel Settings,Exotel Settings,എക്സോട്ടൽ ക്രമീകരണങ്ങൾ -DocType: Leave Type,Is Carry Forward,മുന്നോട്ട് വിലക്കുണ്ടോ +DocType: Leave Ledger Entry,Is Carry Forward,മുന്നോട്ട് വിലക്കുണ്ടോ DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),അഭാവം അടയാളപ്പെടുത്തിയിരിക്കുന്ന പ്രവൃത്തി സമയം. (പ്രവർത്തനരഹിതമാക്കാനുള്ള പൂജ്യം) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,ഒരു സന്ദേശം അയയ്‌ക്കുക apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,BOM ൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക 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,ആദായ നികുതി ചെലവ് diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv index 4aae06d528..468b5f6e8e 100644 --- a/erpnext/translations/mr.csv +++ b/erpnext/translations/mr.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,पुरवठादार सूचित करा apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,कृपया प्रथम पक्ष प्रकार निवडा DocType: Item,Customer Items,ग्राहक आयटम +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,उत्तरदायित्व DocType: Project,Costing and Billing,भांडवलाच्या आणि बिलिंग apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},अॅडव्हान्स खाते चलन कंपनीचे चलन {0} प्रमाणेच असावे DocType: QuickBooks Migrator,Token Endpoint,टोकन एंडपॉइंट @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,माप डीफॉल्ट युन DocType: SMS Center,All Sales Partner Contact,सर्व विक्री भागीदार संपर्क DocType: Department,Leave Approvers,रजा साक्षीदार DocType: Employee,Bio / Cover Letter,जैव / आवरण पत्र +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,आयटम शोधा ... DocType: Patient Encounter,Investigations,अन्वेषण DocType: Restaurant Order Entry,Click Enter To Add,जोडण्यासाठी Enter क्लिक करा apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","पासवर्ड, API की किंवा Shopify URL साठी गहाळ मूल्य" DocType: Employee,Rented,भाड्याने apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,सर्व खाती apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,दर्जा असलेल्या डावीकडील कर्मचार्याकडे हस्तांतरित करू शकत नाही -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","थांबविलेली उत्पादन ऑर्डर रद्द करता येणार नाही, रद्द करण्यासाठी प्रथम ती Unstop करा" DocType: Vehicle Service,Mileage,मायलेज apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,आपण खरोखर या मालमत्ता स्क्रॅप इच्छित आहे का? DocType: Drug Prescription,Update Schedule,वेळापत्रक अद्यतनित करा @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,ग्राहक DocType: Purchase Receipt Item,Required By,ने आवश्यक DocType: Delivery Note,Return Against Delivery Note,डिलिव्हरी टीप विरुद्ध परत DocType: Asset Category,Finance Book Detail,वित्त पुस्तक तपशील +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,सर्व अवमूल्यन बुक केले गेले आहेत DocType: Purchase Order,% Billed,% बिल apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,पेरोल क्रमांक apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),विनिमय दर समान असणे आवश्यक आहे {0} {1} ({2}) @@ -95,6 +97,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,बॅच बाबींचा कालावधी समाप्ती स्थिती apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,बँक ड्राफ्ट DocType: Journal Entry,ACC-JV-.YYYY.-,एसीसी-जेव्ही- .YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,एकूण उशीरा नोंदी DocType: Mode of Payment Account,Mode of Payment Account,भरणा खात्याचे मोड apps/erpnext/erpnext/config/healthcare.py,Consultation,सल्ला DocType: Accounts Settings,Show Payment Schedule in Print,मुद्रण मध्ये पेमेंट शेड्यूल दर्शवा @@ -122,6 +125,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,प्राथमिक संपर्क तपशील apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,खुल्या समस्या DocType: Production Plan Item,Production Plan Item,उत्पादन योजना आयटम +DocType: Leave Ledger Entry,Leave Ledger Entry,लेजर प्रवेश सोडा 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,आघाडी तयार करा @@ -140,6 +144,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,ज DocType: Purchase Invoice Item,Item Weight Details,आयटम वजन तपशील DocType: Asset Maintenance Log,Periodicity,ठराविक मुदतीने पुन: पुन्हा उगवणे apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,आर्थिक वर्ष {0} आवश्यक आहे +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,निव्वळ नफा / तोटा DocType: Employee Group Table,ERPNext User ID,ERPNext वापरकर्ता आयडी DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,इष्टतम वाढीसाठी वनस्पतींच्या पंक्तींमधील किमान अंतर apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,कृपया विहित प्रक्रिया मिळविण्यासाठी रुग्ण निवडा @@ -166,10 +171,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,किंमत सूची विक्री DocType: Patient,Tobacco Current Use,तंबाखू वर्तमान वापर apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,विक्री दर -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,कृपया नवीन खाते जोडण्यापूर्वी आपला कागदजत्र जतन करा 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 ...,कशासाठीही शोधा ... DocType: Company,Phone No,फोन नाही DocType: Delivery Trip,Initial Email Notification Sent,आरंभिक ईमेल सूचना पाठविले DocType: Bank Statement Settings,Statement Header Mapping,स्टेटमेंट शीर्षलेख मॅपिंग @@ -232,6 +237,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,प DocType: Exchange Rate Revaluation Account,Gain/Loss,वाढणे / नुकसान DocType: Crop,Perennial,बारमाही DocType: Program,Is Published,प्रकाशित झाले आहे +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,वितरण नोट्स दर्शवा apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",ओव्हर बिलिंगला परवानगी देण्यासाठी लेखा सेटिंग्ज किंवा आयटममध्ये "ओव्हर बिलिंग अलाउन्स" अद्यतनित करा. DocType: Patient Appointment,Procedure,कार्यपद्धती DocType: Accounts Settings,Use Custom Cash Flow Format,कस्टम कॅश फ्लो स्वरूप वापरा @@ -280,6 +286,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,"कालावधी, म्हणजे क्रमांक परत फेड करा" apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,उत्पादनाची मात्रा झिरोपेक्षा कमी असू शकत नाही DocType: Stock Entry,Additional Costs,अतिरिक्त खर्च +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,विद्यमान व्यवहार खाते गट मधे रूपांतरीत केले जाऊ शकत नाही. DocType: Lead,Product Enquiry,उत्पादन चौकशी DocType: Education Settings,Validate Batch for Students in Student Group,विद्यार्थी गट मध्ये विद्यार्थ्यांसाठी बॅच प्रमाणित @@ -292,7 +299,9 @@ DocType: Employee Education,Under Graduate,पदवीधर अंतर्ग apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,कृपया एचआर सेटिंग्जमध्ये रजा स्थिती सूचना देण्यासाठी डीफॉल्ट टेम्पलेट सेट करा. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,लक्ष्य रोजी DocType: BOM,Total Cost,एकूण खर्च +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,वाटप कालबाह्य! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,जास्तीत जास्त अग्रेषित पाने DocType: Salary Slip,Employee Loan,कर्मचारी कर्ज DocType: Additional Salary,HR-ADS-.YY.-.MM.-,एचआर-एडीएस - .यु .- एमएम.- DocType: Fee Schedule,Send Payment Request Email,पेमेंट विनंती ईमेल पाठवा @@ -302,6 +311,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,स् apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,खाते स्टेटमेंट apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,फार्मास्युटिकल्स DocType: Purchase Invoice Item,Is Fixed Asset,मुदत मालमत्ता आहे +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,भविष्यातील देयके दर्शवा DocType: Patient,HLC-PAT-.YYYY.-,एचएलसी-पीएटी-. वाई वाई वाई.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,हे बँक खाते आधीपासून संकालित केले आहे DocType: Homepage,Homepage Section,मुख्यपृष्ठ विभाग @@ -348,7 +358,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,खते apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",सीरीयल नुसार डिलिव्हरीची खात्री करणे शक्य नाही कारण \ आयटम {0} सह आणि \ Serial No. द्वारे डिलिव्हरी सुनिश्चित केल्याशिवाय जोडली आहे. -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षण> शिक्षण सेटिंग्ज मधील इन्स्ट्रक्टर नामांकन प्रणाली सेट करा apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,पैसे किमान एक मोड POS चलन आवश्यक आहे. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},बॅच केलेल्या आयटमसाठी बॅच क्रमांक आवश्यक नाही {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,बँक स्टेटमेंट व्यवहार इनवॉइस आयटम @@ -423,6 +432,7 @@ DocType: Job Offer,Select Terms and Conditions,अटी आणि नियम apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,मूल्य Qty DocType: Bank Statement Settings Item,Bank Statement Settings Item,बँक स्टेटमेंट सेटिंग्ज आयटम DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce सेटिंग्ज +DocType: Leave Ledger Entry,Transaction Name,व्यवहाराचे नाव DocType: Production Plan,Sales Orders,विक्री ऑर्डर apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,ग्राहकांसाठी एकाधिक लॉयल्टी प्रोग्राम आढळला कृपया व्यक्तिचलितपणे निवडा. DocType: Purchase Taxes and Charges,Valuation,मूल्यांकन @@ -457,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: 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,ईमेल गट सुधारणा DocType: POS Profile,Only show Customer of these Customer Groups,केवळ या ग्राहक गटांचे ग्राहक दर्शवा DocType: Sales Invoice,Is Opening Entry,प्रवेश उघडत आहे @@ -465,8 +476,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,गैर-मानक प्राप्त खाते लागू असल्यास उल्लेख करावा 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,या निवड यादीच्या विरूद्ध स्टॉक एन्ट्री आधीपासून तयार केली गेली आहे DocType: Supplier Scorecard,Criteria Setup,मापदंड सेटअप -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,कोठार सादर करा करण्यापूर्वी आवश्यक आहे +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,प्राप्त DocType: Codification Table,Medical Code,वैद्यकीय कोड apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ERPNext सह ऍमेझॉन कनेक्ट करा @@ -482,7 +494,7 @@ DocType: Restaurant Order Entry,Add Item,आयटम जोडा DocType: Party Tax Withholding Config,Party Tax Withholding Config,पार्टी कर प्रतिबंधन कॉन्फिग DocType: Lab Test,Custom Result,सानुकूल परिणाम apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,बँक खाती जोडली -DocType: Delivery Stop,Contact Name,संपर्क नाव +DocType: Call Log,Contact Name,संपर्क नाव DocType: Plaid Settings,Synchronize all accounts every hour,दर तासाला सर्व खाती समक्रमित करा DocType: Course Assessment Criteria,Course Assessment Criteria,अर्थात मूल्यांकन निकष DocType: Pricing Rule Detail,Rule Applied,नियम लागू @@ -526,7 +538,6 @@ 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,विक्री चलन क्रमांक -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,अज्ञात क्रमांक DocType: Website Filter Field,Website Filter Field,वेबसाइट फिल्टर फील्ड apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,पुरवठा प्रकार DocType: Material Request Item,Min Order Qty,किमान ऑर्डर Qty @@ -554,7 +565,6 @@ DocType: Salary Slip,Total Principal Amount,एकूण मुद्दल र DocType: Student Guardian,Relation,नाते DocType: Quiz Result,Correct,योग्य DocType: Student Guardian,Mother,आई -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,कृपया प्रथम साइट_कॉफिग.जसनमध्ये वैध प्लेड एपीआय की जोडा DocType: Restaurant Reservation,Reservation End Time,आरक्षण समाप्ती वेळ DocType: Crop,Biennial,द्विवार्षिक ,BOM Variance Report,BOM चल अहवाल @@ -569,6 +579,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,प्लेड पब्लिक की DocType: Payment Term,Payment Term Name,पेमेंट टर्म नाव DocType: Healthcare Settings,Create documents for sample collection,नमुना संकलनासाठी दस्तऐवज तयार करा apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},रक्कम {0} {1} च्या विरुद्ध भरणा थकबाकी रक्कम{2} पेक्षा जास्त असू शकत नाही @@ -616,12 +627,14 @@ DocType: POS Profile,Offline POS Settings,ऑफलाइन पीओएस स DocType: Stock Entry Detail,Reference Purchase Receipt,संदर्भ खरेदी पावती DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,मॅट- RECO- .YYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,जिच्यामध्ये variant -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',पूर्ण Qty 'Qty निर्मिती करण्या ' पेक्षा जास्त असू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',पूर्ण Qty 'Qty निर्मिती करण्या ' पेक्षा जास्त असू शकत नाही +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,कालावधी चालू DocType: Period Closing Voucher,Closing Account Head,खाते प्रमुख बंद DocType: Employee,External Work History,बाह्य कार्य इतिहास apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,परिपत्रक संदर्भ त्रुटी apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,विद्यार्थी अहवाल कार्ड apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,पिन कोडवरून +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,विक्री व्यक्ती दर्शवा DocType: Appointment Type,Is Inpatient,रुग्णाची तक्रार आहे apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 नाव DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,शब्दा मध्ये ( निर्यात करा) डिलिव्हरी टीप एकदा save केल्यावर दृश्यमान होईल @@ -635,6 +648,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,परिमाण नाव apps/erpnext/erpnext/healthcare/setup.py,Resistant,प्रतिरोधक apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},कृपया {0 वर हॉटेल रूम रेट सेट करा +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकिंग सीरिजद्वारे उपस्थितीसाठी क्रमांकन मालिका सेट करा DocType: Journal Entry,Multi Currency,मल्टी चलन DocType: Bank Statement Transaction Invoice Item,Invoice Type,चलन प्रकार apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,तारखेपासून वैध तारीख पर्यंत वैधपेक्षा कमी असणे आवश्यक आहे @@ -653,6 +667,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,दाखल DocType: Workstation,Rent Cost,भाडे खर्च 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,घसारा केल्यानंतर रक्कम apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,आगामी कॅलेंडर इव्हेंट apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,जिच्यामध्ये variant विशेषता @@ -740,7 +755,6 @@ DocType: Request for Quotation,Request for Quotation,कोटेशन वि 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,मुद्रण मध्ये विक्री व्यक्ती दर्शवा 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,सामर्थ्य @@ -748,7 +762,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,एक नवीन ग्राहक तयार करा apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,कालबाह्य होत आहे apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","अनेक किंमत नियम विजय सुरू केल्यास, वापरकर्त्यांना संघर्षाचे निराकरण करण्यासाठी स्वतः प्राधान्य सेट करण्यास सांगितले जाते." -DocType: Purchase Invoice,Scan Barcode,बारकोड स्कॅन करा apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,खरेदी ऑर्डर तयार करा ,Purchase Register,खरेदी नोंदणी apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,रुग्ण आढळले नाही @@ -807,6 +820,7 @@ DocType: Account,Old Parent,जुने पालक apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,अनिवार्य फील्ड - शैक्षणिक वर्ष apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,अनिवार्य फील्ड - शैक्षणिक वर्ष apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} {2} {3} सह संबंधित नाही +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} विरुद्ध व्यवहाराला परवानगी नाही @@ -850,6 +864,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet आधारित उपयोग पे रोल पगार घटक. DocType: Driver,Applicable for external driver,बाह्य ड्राइव्हरसाठी लागू DocType: Sales Order Item,Used for Production Plan,उत्पादन योजना करीता वापरले जाते +DocType: BOM,Total Cost (Company Currency),एकूण किंमत (कंपनी चलन) DocType: Loan,Total Payment,एकूण भरणा apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,पूर्ण वर्क ऑर्डरसाठी व्यवहार रद्द करू शकत नाही DocType: Manufacturing Settings,Time Between Operations (in mins),(मि) प्रक्रिये च्या दरम्यानची वेळ @@ -869,6 +884,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_pro DocType: Supplier Scorecard Standing,Notify Other,इतरांना सूचित करा DocType: Vital Signs,Blood Pressure (systolic),रक्तदाब (सिस्टल) DocType: Item Price,Valid Upto,वैध पर्यंत +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.,आपल्या ग्राहकांची यादी करा. ते संघटना किंवा व्यक्तींना असू शकते. @@ -887,6 +903,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} मध्ये बदल apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,कृपया कंपनी निवडा DocType: Employee Skill,Employee Skill,कर्मचारी कौशल्य apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,फरक खाते @@ -930,6 +947,7 @@ DocType: Patient,Risk Factors,धोका कारक DocType: Patient,Occupational Hazards and Environmental Factors,व्यावसायिक धोका आणि पर्यावरणीय घटक apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,कार्य मागणीसाठी आधीपासून तयार केलेल्या स्टॉक प्रविष्ट्या apps/erpnext/erpnext/templates/pages/cart.html,See past orders,मागील मागण्या पहा +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} संभाषणे DocType: Vital Signs,Respiratory rate,श्वसन दर apps/erpnext/erpnext/config/help.py,Managing Subcontracting,व्यवस्थापकीय Subcontracting DocType: Vital Signs,Body Temperature,शरीराचे तापमान @@ -971,6 +989,7 @@ DocType: Purchase Invoice,Registered Composition,नोंदणीकृत र apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,हॅलो apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,आयटम हलवा DocType: Employee Incentive,Incentive Amount,प्रोत्साहन रक्कम +,Employee Leave Balance Summary,कर्मचारी रजा शिल्लक सारांश DocType: Serial No,Warranty Period (Days),वॉरंटी कालावधी (दिवस) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,एकूण क्रेडिट / डेबिट रक्कम लिंक्ड जर्नल एंट्री प्रमाणेच असावी DocType: Installation Note Item,Installation Note Item,प्रतिष्ठापन टीप आयटम @@ -984,6 +1003,7 @@ DocType: Vital Signs,Bloated,फुगलेला DocType: Salary Slip,Salary Slip Timesheet,पगाराच्या स्लिप्स Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,उप-करारबद्ध खरेदी पावती बंधनकारक पुरवठादार कोठार DocType: Item Price,Valid From,पासून पर्यंत वैध +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,आपले रेटिंग: DocType: Sales Invoice,Total Commission,एकूण आयोग DocType: Tax Withholding Account,Tax Withholding Account,करधारणा खाते DocType: Pricing Rule,Sales Partner,विक्री भागीदार @@ -991,6 +1011,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,सर्व प DocType: Buying Settings,Purchase Receipt Required,खरेदी पावती आवश्यक DocType: Sales Invoice,Rail,रेल्वे apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,वास्तविक किंमत +DocType: Item,Website Image,वेबसाइट प्रतिमा apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,{0} पंक्तीमधील लक्ष्य वेअरहाऊस कामाचे ऑर्डर प्रमाणेच असणे आवश्यक आहे apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,शेअर उघडत प्रविष्ट केले असतील तर मूल्यांकन दर अनिवार्य आहे apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,चलन टेबल मधे रेकॉर्ड आढळले नाहीत @@ -1023,8 +1044,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Receive at Warehou 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,कृपया आपले खाते समक्रमित करण्यापूर्वी आपले प्लेड API कॉन्फिगरेशन पूर्ण करा apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,अर्धा दिवस दिनांक अनिवार्य आहे DocType: Sales Order,Billing and Delivery Status,बिलिंग आणि वितरण स्थिती DocType: Job Applicant,Resume Attachment,सारांश संलग्नक @@ -1036,7 +1057,6 @@ DocType: Production Plan,Production Plan,उत्पादन योजना DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,चलन तयार करण्याचे साधन DocType: Salary Component,Round to the Nearest Integer,जवळचे पूर्णांक पूर्णांक apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,विक्री परत -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,टीप: एकूण वाटप पाने {0} आधीच मंजूर पाने कमी असू नये {1} कालावधीसाठी DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,अनुक्रमांक इनपुटवर आधारित व्यवहारांची संख्या सेट करा ,Total Stock Summary,एकूण शेअर सारांश apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1064,6 +1084,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,त apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,मुख्य रक्कम DocType: Loan Application,Total Payable Interest,एकूण व्याज देय apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},एकूण शिल्लक: {0} +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} साठी संदर्भ क्रमांक आणि संदर्भ तारीख आवश्यक आहे DocType: Payroll Entry,Select Payment Account to make Bank Entry,भरणा खाते निवडा बँक प्रवेश करण्यासाठी @@ -1072,6 +1093,7 @@ 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,अद्यतन प्रक्रियेदरम्यान एक त्रुटी आली DocType: Restaurant Reservation,Restaurant Reservation,रेस्टॉरन्ट आरक्षण +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,आपले आयटम apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,प्रस्ताव लेखन DocType: Payment Entry Deduction,Payment Entry Deduction,भरणा प्रवेश कापून DocType: Service Level Priority,Service Level Priority,सेवा स्तर प्राधान्य @@ -1080,6 +1102,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,बॅच क्रमांक मालिका apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,आणखी विक्री व्यक्ती {0} त्याच कर्मचारी ID अस्तित्वात DocType: Employee Advance,Claimed Amount,हक्क सांगितलेली रक्कम +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Expलोकेशन कालबाह्य DocType: QuickBooks Migrator,Authorization Settings,अधिकृतता सेटिंग्ज DocType: Travel Itinerary,Departure Datetime,डिपार्चर डेट टाइम apps/erpnext/erpnext/hub_node/api.py,No items to publish,प्रकाशित करण्यासाठी आयटम नाहीत @@ -1148,7 +1171,6 @@ DocType: Student Batch Name,Batch Name,बॅच नाव DocType: Fee Validity,Max number of visit,भेटीची कमाल संख्या DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,नफा आणि तोटा खात्यासाठी अनिवार्य ,Hotel Room Occupancy,हॉटेल रूम रहिवासी -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet तयार: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},मोड ऑफ पेमेंट्स मध्ये डीफॉल्ट रोख किंवा बँक खाते सेट करा {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,नाव नोंदणी करा DocType: GST Settings,GST Settings,'जीएसटी' सेटिंग्ज @@ -1280,6 +1302,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,कृपया निवडा कार्यक्रम DocType: Project,Estimated Cost,अंदाजे खर्च DocType: Request for Quotation,Link to material requests,साहित्य विनंत्या दुवा +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,प्रकाशित करा apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,एरोस्पेस ,Fichier des Ecritures Comptables [FEC],फिचर्स डेस इक्वेटरीज कॉप्पीटेबल [एफईसी] DocType: Journal Entry,Credit Card Entry,क्रेडिट कार्ड प्रवेश @@ -1306,6 +1329,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,वर्तमान मालमत्ता apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} एक स्टॉक आयटम नाही apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',ट्रेनिंग फीडबॅकवर क्लिक करून आणि नंतर 'नवीन' +DocType: Call Log,Caller Information,कॉलर माहिती DocType: Mode of Payment Account,Default Account,मुलभूत खाते apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,कृपया प्रथम स्टॉक सेटिंग्जमध्ये नमुना धारणा वेअरहाऊस निवडा apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,कृपया एकापेक्षा अधिक संग्रह नियमांसाठी एकाधिक टियर प्रोग्राम प्रकार निवडा. @@ -1330,6 +1354,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,ऑटो साहित्य विनंत्या तयार होतो DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),कामाचे तास ज्याच्या खाली अर्धा दिवस चिन्हांकित केला आहे. (अक्षम करण्यासाठी शून्य) DocType: Job Card,Total Completed Qty,एकूण पूर्ण प्रमाण +DocType: HR Settings,Auto Leave Encashment,ऑटो लीव्ह एनकॅशमेंट apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,गमावले apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,रकान्याच्या 'जर्नल प्रवेश विरुद्ध' सध्याच्या व्हाउचर प्रविष्ट करू शकत नाही DocType: Employee Benefit Application Detail,Max Benefit Amount,कमाल बेहिशेबी रक्कम @@ -1359,9 +1384,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,सदस्य DocType: Item Attribute Value,Item Attribute Value,आयटम मूल्य विशेषता apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,चलन विनिमय खरेदी किंवा विक्रीसाठी लागू असणे आवश्यक आहे. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,केवळ कालबाह्य झालेले वाटप रद्द केले जाऊ शकते DocType: Item,Maximum sample quantity that can be retained,राखून ठेवता येईल असा जास्तीत जास्त नमुना प्रमाण apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},पंक्ती {0} # आयटम {1} खरेदी ऑर्डर {3} पेक्षा {2} पेक्षा अधिक हस्तांतरित करता येऊ शकत नाही. apps/erpnext/erpnext/config/crm.py,Sales campaigns.,विक्री मोहिम. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,अज्ञात कॉलर DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1393,6 +1420,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,हेल apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,दस्तऐवज नाव DocType: Expense Claim Detail,Expense Claim Type,खर्च हक्क प्रकार DocType: Shopping Cart Settings,Default settings for Shopping Cart,हे खरेदी सूचीत टाका साठी मुलभूत सेटिंग्ज +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,आयटम जतन करा apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,नवीन खर्च apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,विद्यमान ऑर्डर केलेल्या क्वाटीकडे दुर्लक्ष करा apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,टाईमस्लॉट जोडा @@ -1405,6 +1433,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,आमंत्रण प्रेषित पुनरावलोकनासाठी DocType: Shift Assignment,Shift Assignment,शिफ्ट असाइनमेंट DocType: Employee Transfer Property,Employee Transfer Property,कर्मचारी हस्तांतरण मालमत्ता +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,फील्ड इक्विटी / उत्तरदायित्व खाते रिक्त असू शकत नाही apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,वेळोवेळी वेळापेक्षा कमी असणे आवश्यक आहे apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,जैवतंत्रज्ञान apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1486,11 +1515,13 @@ 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,नवीन संपर्क तयार करा apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,अर्थात वेळापत्रक DocType: GSTR 3B Report,GSTR 3B Report,जीएसटीआर 3 बी अहवाल DocType: Request for Quotation Supplier,Quote Status,कोट स्थिती DocType: GoCardless Settings,Webhooks Secret,वेबहुक्स गुपित DocType: Maintenance Visit,Completion Status,पूर्ण स्थिती +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},एकूण देय रक्कम {greater पेक्षा जास्त असू शकत नाही DocType: Daily Work Summary Group,Select Users,वापरकर्ते निवडा DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,हॉटेल रूम प्रिंसिंग आयटम DocType: Loyalty Program Collection,Tier Name,टायर नाव @@ -1528,6 +1559,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,एस DocType: Lab Test Template,Result Format,परिणाम स्वरूप DocType: Expense Claim,Expenses,खर्च DocType: Service Level,Support Hours,समर्थन तास +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,वितरण टिपा DocType: Item Variant Attribute,Item Variant Attribute,आयटम व्हेरियंट विशेषता ,Purchase Receipt Trends,खरेदी पावती ट्रेन्ड DocType: Payroll Entry,Bimonthly,द्विमासिक @@ -1549,7 +1581,6 @@ DocType: Sales Team,Incentives,प्रोत्साहन DocType: SMS Log,Requested Numbers,विनंती संख्या DocType: Volunteer,Evening,संध्याकाळी DocType: Quiz,Quiz Configuration,क्विझ कॉन्फिगरेशन -DocType: Customer,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,शेअर तपशील @@ -1596,7 +1627,6 @@ apps/erpnext/erpnext/config/accounting.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,एकूण शून्य मात्रा फिल्टर करा -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},ऑपरेशन {1} साठी पुढील {0} दिवसांत वेळ शोधू शकला नाही DocType: Work Order,Plan material for sub-assemblies,उप-विधानसभा योजना साहित्य 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,स्थानांतरणासाठी कोणतेही आयटम उपलब्ध नाहीत @@ -1611,9 +1641,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,री-ऑर्डर पातळी राखण्यासाठी आपल्याला स्टॉक सेटिंग्जमध्ये स्वयं-ऑर्डर सक्षम करावी लागेल. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,साहित्य भेट रद्द करा {0} ही देखभाल भेट रद्द होण्यापुर्वी रद्द करा DocType: Pricing Rule,Rate or Discount,दर किंवा सवलत +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,बँक तपशील DocType: Vital Signs,One Sided,एक बाजू असलेला apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},सिरियल क्रमांक {0} आयटम {1} शी संबंधित नाही -DocType: Purchase Receipt Item Supplied,Required Qty,आवश्यक Qty +DocType: Purchase Order Item Supplied,Required Qty,आवश्यक Qty DocType: Marketplace Settings,Custom Data,सानुकूल डेटा apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,विद्यमान व्यवहार गोदामे खातेवही रूपांतरीत केले जाऊ शकत नाही. DocType: Service Day,Service Day,सेवा दिन @@ -1641,7 +1672,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,खाते चलन DocType: Lab Test,Sample ID,नमुना आयडी apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,कंपनी मध्ये Round Off खाते उल्लेख करा -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,डेबिट_नोट_अमट DocType: Purchase Receipt,Range,श्रेणी DocType: Supplier,Default Payable Accounts,मुलभूत देय खाती apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,कर्मचारी {0} सक्रिय नाही आहे किंवा अस्तित्वात नाही @@ -1682,8 +1712,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,माहिती विनंती DocType: Course Activity,Activity Date,क्रियाकलाप तारीख apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} चा} -,LeaderBoard,LEADERBOARD DocType: Sales Invoice Item,Rate With Margin (Company Currency),मार्जिनसह रेट करा (कंपनी चलन) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,कॅटेगरीज apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,समक्रमण ऑफलाइन पावत्या DocType: Payment Request,Paid,पेड DocType: Service Level,Default Priority,डीफॉल्ट अग्रक्रम @@ -1718,11 +1748,11 @@ 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,अप्रत्यक्ष उत्पन्न DocType: Student Attendance Tool,Student Attendance Tool,विद्यार्थी उपस्थिती साधन DocType: Restaurant Menu,Price List (Auto created),किंमत सूची (स्वयं तयार) +DocType: Pick List Item,Picked Qty,क्वेटी निवडली DocType: Cheque Print Template,Date Settings,तारीख सेटिंग्ज 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,कर्मचारी प्रोत्साहन तपशील -,Company Name,कंपनी नाव DocType: SMS Center,Total Message(s),एकूण संदेशा (चे) DocType: Share Balance,Purchased,विकत घेतले DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,आयटम विशेषता मध्ये विशेषता मूल्य पुनर्नामित करा. @@ -1741,7 +1771,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,नवीनतम प्रयत्न 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} वाटप केलेले एकूण पाने अनिवार्य आहेत. -DocType: BOM,Raw Material Cost(Company Currency),कच्चा माल खर्च (कंपनी चलन) 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,मीटर @@ -1810,6 +1839,7 @@ DocType: Travel Itinerary,Train,ट्रेन ,Delayed Item Report,विलंब आयटम अहवाल apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,पात्र आयटीसी DocType: Healthcare Service Unit,Inpatient Occupancy,इन पेशंट प्रॉपर्टी +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,आपले प्रथम आयटम प्रकाशित करा DocType: Sample Collection,HLC-SC-.YYYY.-,एचएलसी-एससी-.YYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,शिफ्ट संपल्यानंतरची वेळ ज्या दरम्यान उपस्थिती दर्शविली जाते. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},निर्दिष्ट करा एक {0} @@ -1928,6 +1958,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,सर्व BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,इंटर कंपनी जर्नल एंट्री तयार करा DocType: Company,Parent Company,पालक कंपनी apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},हॉटेलचे प्रकार {0} {1} वर अनुपलब्ध आहेत +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,रॉ मटेरियल आणि ऑपरेशन्समधील बदलांसाठी बीओएमची तुलना करा apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,दस्तऐवज {0} यशस्वीरित्या अस्पष्ट DocType: Healthcare Practitioner,Default Currency,पूर्वनिर्धारीत चलन apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,या खात्यावर पुनर्विचार करा @@ -1962,6 +1993,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,सी-फॉर्म चलन तपशील DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,भरणा सलोखा बीजक DocType: Clinical Procedure,Procedure Template,प्रक्रिया टेम्पलेट +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,आयटम प्रकाशित करा apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,योगदान% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","प्रति खरेदी सेटिंग्ज तर ऑर्डर खरेदी आवश्यक == 'होय', नंतर चलन खरेदी तयार करण्यासाठी, वापरकर्ता आयटम प्रथम पर्चेस तयार करणे आवश्यक आहे {0}" ,HSN-wise-summary of outward supplies,बाह्य पुरवठाांचा एचएसएन-वार-सारांश @@ -1973,7 +2005,6 @@ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,हे खर apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',कृपया 'वर अतिरिक्त सवलत लागू करा' सेट करा DocType: Party Tax Withholding Config,Applicable Percent,लागू टक्केवारी ,Ordered Items To Be Billed,आदेश दिलेले आयटम बिल करायचे -DocType: Employee Checkin,Exit Grace Period Consequence,बाहेर पडा ग्रेस कालावधी परिणाम apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,श्रेणी पासून श्रेणी पर्यंत कमी असली पाहिजे DocType: Global Defaults,Global Defaults,ग्लोबल डीफॉल्ट apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,प्रकल्प सहयोग आमंत्रण @@ -1981,13 +2012,11 @@ DocType: Salary Slip,Deductions,वजावट DocType: Setup Progress Action,Action Name,क्रिया नाव apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,प्रारंभ वर्ष apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,कर्ज तयार करा -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,पीडीसी / एलसी DocType: Purchase Invoice,Start date of current invoice's period,चालू चलन च्या कालावधी प्रारंभ तारीख DocType: Shift Type,Process Attendance After,नंतर प्रक्रिया उपस्थिती ,IRS 1099,आयआरएस 1099 DocType: Salary Slip,Leave Without Pay,पे न करता रजा DocType: Payment Request,Outward,बाहेरची -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,क्षमता नियोजन त्रुटी apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,राज्य / केंद्रशासित प्रदेश कर ,Trial Balance for Party,पार्टी चाचणी शिल्लक ,Gross and Net Profit Report,एकूण आणि निव्वळ नफा अहवाल @@ -2006,7 +2035,6 @@ DocType: Payroll Entry,Employee Details,कर्मचारी तपशील 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} आयटमसाठी आवश्यक आहे -DocType: Setup Progress Action,Domains,डोमेन 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,देणारा सेटिंग्ज @@ -2047,7 +2075,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,एकू 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.",भरणा मोड कॉन्फिगर केलेली नाही. खाते मोड ऑफ पेमेंट्स किंवा पीओएस प्रोफाइल वर सेट केली गेली आहे का ते कृपया तपासा. apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,सारख्या आयटमचा एकाधिक वेळा प्रविष्ट करणे शक्य नाही. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","पुढील खाती गट अंतर्गत केले जाऊ शकते, पण नोंदी नॉन-गट करू शकता" -DocType: Email Campaign,Lead,लीड +DocType: Call Log,Lead,लीड DocType: Email Digest,Payables,देय DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth टोकन DocType: Email Campaign,Email Campaign For ,यासाठी ईमेल मोहीम @@ -2059,6 +2087,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,पर्चेस आयटम बिल करायचे 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,क्रेडिट मर्यादा DocType: Purchase Invoice Item,Net Rate,नेट दर apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,कृपया एक ग्राहक निवडा DocType: Leave Policy,Leave Allocations,वाटप सोडा @@ -2072,6 +2101,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,अंक दिवसांनी बंद करा ,Eway Bill,ईवे बिल apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,मार्केटप्लेस मध्ये वापरकर्ते जोडण्यासाठी आपण सिस्टम व्यवस्थापक आणि आयटॅमर व्यवस्थापक भूमिका असलेली एक वापरकर्ता असणे आवश्यक आहे. +DocType: Attendance,Early Exit,लवकर बाहेर पडा DocType: Job Opening,Staffing Plan,कर्मचारी योजना apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,ई-वे बिल जेएसओएन केवळ सबमिट केलेल्या कागदजत्रातून तयार केले जाऊ शकते apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,कर्मचारी कर आणि फायदे @@ -2094,6 +2124,7 @@ DocType: Maintenance Team Member,Maintenance Role,देखभाल भूम apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},डुप्लिकेट सलग {0} त्याच {1} सह DocType: Marketplace Settings,Disable Marketplace,मार्केटप्लेस अक्षम करा DocType: Quality Meeting,Minutes,मिनिटे +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,आपले वैशिष्ट्यीकृत आयटम ,Trial Balance,चाचणी शिल्लक apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,पूर्ण झाले दर्शवा apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,आर्थिक वर्ष {0} आढळले नाही @@ -2103,8 +2134,8 @@ 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,कृपया पहले उपसर्ग निवडा DocType: Contract,Fulfilment Deadline,पूर्तता करण्याची अंतिम मुदत +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,तुमच्या जवळ DocType: Student,O-,O- -DocType: Shift Type,Consequence,परिणाम DocType: Subscription Settings,Subscription Settings,सदस्यता सेटिंग्ज DocType: Purchase Invoice,Update Auto Repeat Reference,ऑटो पुनरावृत्ती सूचना अद्यतनित करा apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},सुट्टीचा कालावधी {0} साठी वैकल्पिक सुट्टीची सूची सेट केलेली नाही @@ -2115,7 +2146,6 @@ DocType: Maintenance Visit Purpose,Work Done,कार्य पूर्ण झ apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,विशेषता टेबल मध्ये किमान एक गुणधर्म निर्दिष्ट करा DocType: Announcement,All Students,सर्व विद्यार्थी apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,{0} आयटम एक नॉन-स्टॉक आयटम असणे आवश्यक आहे -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,बँक डेटील apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,लेजर पहा DocType: Grading Scale,Intervals,कालांतराने DocType: Bank Statement Transaction Entry,Reconciled Transactions,पुनर्रचना व्यवहार @@ -2151,6 +2181,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",या गोदामाचा वापर विक्री ऑर्डर तयार करण्यासाठी केला जाईल. फॉलबॅक गोदाम "स्टोअर्स" आहे. DocType: Work Order,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,खरेदी सायकल मधे संपूर्ण समान दर ठेवणे DocType: Opportunity Item,Opportunity Item,संधी आयटम DocType: Quality Action,Quality Review,गुणवत्ता पुनरावलोकन @@ -2177,7 +2208,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} संपादित करण्यासाठी आपण अधिकृत नाही DocType: Journal Entry,Get Outstanding Invoices,थकबाकी पावत्या मिळवा -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,विक्री ऑर्डर {0} वैध नाही +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,कोटेशनसाठी नवीन विनंतीसाठी चेतावणी द्या apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,खरेदी आदेश योजना मदत आणि आपल्या खरेदी पाठपुरावा apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,लॅब टेस्ट प्रिस्क्रिप्शन @@ -2201,6 +2232,7 @@ DocType: Employee Onboarding,Notify users by email,वापरकर्त् DocType: Travel Request,International,आंतरराष्ट्रीय DocType: Training Event,Training Event,प्रशिक्षण कार्यक्रम DocType: Item,Auto re-order,ऑटो पुन्हा आदेश +DocType: Attendance,Late Entry,उशीरा प्रवेश apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,एकूण गाठले DocType: Employee,Place of Issue,समस्या ठिकाण DocType: Promotional Scheme,Promotional Scheme Price Discount,जाहिरात योजनेच्या किंमतीवर सूट @@ -2247,6 +2279,7 @@ DocType: Serial No,Serial No Details,सिरियल क्रमांक DocType: Purchase Invoice Item,Item Tax Rate,आयटम कराचा दर apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,पक्षाचे नाव apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,निव्वळ पगाराची रक्कम +DocType: Pick List,Delivery against Sales Order,विक्री ऑर्डर विरूद्ध वितरण DocType: Student Group Student,Group Roll Number,गट आसन क्रमांक DocType: Student Group Student,Group Roll Number,गट आसन क्रमांक apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","{0}, फक्त क्रेडिट खात्यांच्या दुसऱ्या नावे नोंद लिंक जाऊ शकते" @@ -2320,7 +2353,6 @@ DocType: Contract,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,पुरवठादार चलन तारीख -DocType: Asset Settings,This value is used for pro-rata temporis calculation,हे मूल्य प्रो-राटा टेम्पोर्स गणनासाठी वापरले जाते apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,आपण हे खरेदी सूचीत टाका सक्षम करणे आवश्यक आहे DocType: Payment Entry,Writeoff,Writeoff DocType: Maintenance Visit,MAT-MVS-.YYYY.-,मॅट-एमव्हीएस- .YYYY.- @@ -2343,7 +2375,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,निष्क्रिय विक्री वस्तू DocType: Quality Review,Additional Information,अतिरिक्त माहिती apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,एकूण ऑर्डर मूल्य -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,सेवा स्तर करार रीसेट. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,अन्न apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Ageing श्रेणी 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,पीओएस बंद व्हाउचर तपशील @@ -2388,6 +2419,7 @@ 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,मोहीम 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',मंजूरीची स्थिती 'मंजूर' किंवा 'नाकारलेली' करणे आवश्यक आहे DocType: Healthcare Practitioner,Contacts and Address,संपर्क आणि पत्ता DocType: Shift Type,Determine Check-in and Check-out,चेक-इन आणि चेक-आउट निश्चित करा @@ -2407,7 +2439,6 @@ DocType: Student Admission,Eligibility and Details,पात्रता आण apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,एकूण नफ्यात समाविष्ट apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,मुदत मालमत्ता निव्वळ बदला apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,रेखडि मात्रा -DocType: Company,Client Code,क्लायंट कोड apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार 'वास्तविक ' सलग शुल्क {0} आयटम रेट मधे समाविष्ट केले जाऊ शकत नाही apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},कमाल: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,DATETIME पासून @@ -2475,6 +2506,7 @@ DocType: Journal Entry Account,Account Balance,खाते शिल्लक apps/erpnext/erpnext/config/accounting.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 (%),जास्त हस्तांतरण भत्ता (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ग्राहक प्राप्तीयोग्य खाते विरुद्ध आवश्यक आहे {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),एकूण कर आणि शुल्क (कंपनी चलन) DocType: Weather,Weather Parameter,हवामान मापदंड @@ -2535,6 +2567,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,अनुपस्थि apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,एकूण खर्च केल्याच्या कारणास्तव एकापेक्षा अधिक रचित संकलन घटक असू शकतात. परंतु विमोचन करण्यासाठी रूपांतर नेहमीच सर्व स्तरांकरिता समान असेल. apps/erpnext/erpnext/config/help.py,Item Variants,आयटम रूपे apps/erpnext/erpnext/public/js/setup_wizard.js,Services,सेवा +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,बीओएम 2 DocType: Payment Order,PMO-,पीएमओ- DocType: HR Settings,Email Salary Slip to Employee,कर्मचारी ईमेल पगाराच्या स्लिप्स DocType: Cost Center,Parent Cost Center,पालक खर्च केंद्र @@ -2545,7 +2578,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields"," DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,शिपमेंटवरील Shopify वरील वितरण सूचना आयात करा apps/erpnext/erpnext/templates/pages/projects.html,Show closed,बंद शो DocType: Issue Priority,Issue Priority,प्राधान्य जारी करा -DocType: Leave Type,Is Leave Without Pay,पे न करता सोडू आहे +DocType: Leave Ledger Entry,Is Leave Without Pay,पे न करता सोडू आहे apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,जीएसटीआयएन apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,मालमत्ता वर्ग मुदत मालमत्ता आयटम अनिवार्य आहे DocType: Fee Validity,Fee Validity,फी वैधता @@ -2617,6 +2650,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,दोन-मार्ग DocType: Item,Manufacturers,उत्पादक @@ -2653,7 +2687,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,बँक मेळ विवरणपत्र DocType: Patient Encounter,Medical Coding,मेडिकल कोडींग DocType: Healthcare Settings,Reminder Message,स्मरणपत्र संदेश -,Lead Name,लीड नाव +DocType: Call Log,Lead Name,लीड नाव ,POS,पीओएस DocType: C-Form,III,तिसरा apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,प्रॉस्पेक्टिंग @@ -2685,12 +2719,14 @@ DocType: Purchase Invoice,Supplier Warehouse,पुरवठादार को DocType: Opportunity,Contact Mobile No,संपर्क मोबाइल नाही apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,कंपनी निवडा ,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: Student Report Generation Tool,Print Section,प्रिंट विभाग DocType: Staffing Plan Detail,Estimated Cost Per Position,अंदाजे खर्च प्रति स्थिती DocType: Employee,HR-EMP-,एचआर-ईएमपी- 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,गुणवत्ता बैठक मिनिटे +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,कर्मचा-रेफरल DocType: Student Group,Set 0 for no limit,कोणतीही मर्यादा नाही सेट करा 0 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,आपण ज्या दिवशी रजेचे अर्ज करत आहात ते दिवस सुटीचे आहेत. आपण रजा अर्ज करण्याची गरज नाही. @@ -2724,12 +2760,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,रोख निव्वळ बदला DocType: Assessment Plan,Grading Scale,प्रतवारी स्केल apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,माप {0} युनिट रुपांतर फॅक्टर टेबलमधे एका पेक्षा अधिक प्रविष्ट केले गेले आहे -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,आधीच पूर्ण apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,हातात शेअर apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",कृपया अनुप्रयोगाकरिता उर्वरीत लाभ {0} \ pro-rata घटक म्हणून जोडा apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',कृपया सार्वजनिक प्रशासनाच्या '% s' साठी वित्तीय कोड सेट करा -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},भरणा विनंती आधीपासूनच अस्तित्वात {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,जारी आयटम खर्च DocType: Healthcare Practitioner,Hospital,रूग्णालय apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},प्रमाण {0} पेक्षा जास्त असू शकत नाही @@ -2773,6 +2807,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,मानव संसाधन apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,उच्च उत्पन्न DocType: Item Manufacturer,Item Manufacturer,आयटम निर्माता +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,नवीन आघाडी तयार करा DocType: BOM Operation,Batch Size,बॅचचा आकार apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,नकार DocType: Journal Entry Account,Debit in Company Currency,कंपनी चलनात डेबिट @@ -2792,9 +2827,11 @@ DocType: Bank Transaction,Reconciled,समेट DocType: Expense Claim,Total Amount Reimbursed,एकूण रक्कम परत देऊन apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,हे या वाहन विरुद्ध नोंदी आधारित आहे. तपशीलासाठी खालील टाइमलाइन पाहू apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,वेतनपट तारीख कर्मचार्याच्या सामील होण्याच्या तारखेपेक्षा कमी असू शकत नाही +DocType: Pick List,Item Locations,आयटम स्थाने apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} तयार केले apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",पदनामसाठी जॉब उघडणे {0} आधीपासूनच उघडे आहे / किंवा स्टाफिंग प्लॅन प्रमाणे काम पूर्ण केले आहे {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,आपण 200 आयटम प्रकाशित करू शकता. DocType: Vital Signs,Constipated,कत्तल apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},पुरवठादार विरुद्ध चलन {0} दिनांक {1} DocType: Customer,Default Price List,मुलभूत दर सूची @@ -2887,6 +2924,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,शिफ्ट वास्तविक प्रारंभ DocType: Tally Migration,Is Day Book Data Imported,इज डे बुक डेटा आयात केला apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,विपणन खर्च +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{1} चे {0} एकके उपलब्ध नाहीत. ,Item Shortage Report,आयटम कमतरता अहवाल 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,मानक निकष तयार करू शकत नाही कृपया मापदंड पुनर्नामित करा @@ -2910,6 +2948,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,निवृत्ती तारीख DocType: Upload Attendance,Get Template,साचा मिळवा +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,यादी निवडा ,Sales Person Commission Summary,विक्री व्यक्ती आयोग सारांश DocType: Material Request,Transferred,हस्तांतरित DocType: Vehicle,Doors,दारे @@ -2990,7 +3029,7 @@ DocType: Sales Invoice Item,Customer's Item Code,ग्राहक आयटम DocType: Stock Reconciliation,Stock Reconciliation,शेअर मेळ DocType: Territory,Territory Name,प्रदेश नाव DocType: Email Digest,Purchase Orders to Receive,खरेदी ऑर्डर प्राप्त करण्यासाठी -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,कार्य प्रगती मध्ये असलेले कोठार सबमिट करण्यापूर्वी आवश्यक आहे +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,कार्य प्रगती मध्ये असलेले कोठार सबमिट करण्यापूर्वी आवश्यक आहे apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,आपण केवळ सबस्क्रिप्शनमधील समान बिलिंग सायकलसह योजना करू शकता DocType: Bank Statement Transaction Settings Item,Mapped Data,नकाशे डेटा DocType: Purchase Order Item,Warehouse and Reference,वखार आणि संदर्भ @@ -3063,6 +3102,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,वितरण सेटिंग्ज apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,डेटा मिळवा apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},सुट्टीच्या प्रकार {0} मध्ये अनुमत कमाल सुट {1} आहे +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 आयटम प्रकाशित करा DocType: SMS Center,Create Receiver List,स्वीकारणारा यादी तयार करा DocType: Student Applicant,LMS Only,केवळ एलएमएस apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,वापरण्यासाठी उपलब्ध तारीख खरेदीच्या तारखेनंतर असावी @@ -3096,6 +3136,7 @@ DocType: Serial No,Delivery Document No,डिलिव्हरी दस्त DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,उत्पादित सिरिअल नंबरवर आधारित डिलिव्हरीची खात्री करा DocType: Vital Signs,Furry,केसाळ apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},कंपनी मध्ये 'लाभ / तोटा लेखा मालमत्ता विल्हेवाट वर' सेट करा {0} +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} मालमत्तेसाठी लक्ष्य स्थान आवश्यक आहे @@ -3116,9 +3157,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,मासिक DocType: Quality Procedure Process,Quality Procedure Process,गुणवत्ता प्रक्रिया प्रक्रिया apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,बॅच आयडी आवश्यक आहे apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,बॅच आयडी आवश्यक आहे +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,कृपया प्रथम ग्राहक निवडा DocType: Sales Person,Parent Sales Person,पालक विक्री व्यक्ती apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,प्राप्त झालेली कोणतीही वस्तू अतिदेय नाही apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,विक्रेता आणि खरेदीदार समान असू शकत नाही +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,अद्याप कोणतेही दृश्य नाहीत DocType: Project,Collect Progress,प्रगती एकत्रित करा DocType: Delivery Note,MAT-DN-.YYYY.-,मॅट- DN- .YYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,प्रथम कार्यक्रम निवडा @@ -3140,6 +3183,7 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,साध्य DocType: Student Admission,Application Form Route,अर्ज मार्ग apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,कराराची अंतिम तारीख आजपेक्षा कमी असू शकत नाही. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,सबमिट करण्यासाठी Ctrl + Enter DocType: Healthcare Settings,Patient Encounters in valid days,वैध दिवसातील रुग्णांच्या उद्घोषणा apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,सोडा प्रकार {0} तो वेतन न करता सोडू असल्यामुळे वाटप जाऊ शकत नाही 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} पेक्षा कमी किवा पेक्षा समान असणे आवश्यक आहे @@ -3188,9 +3232,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,पुरवठा Qty DocType: Clinical Procedure,HLC-CPR-.YYYY.-,एचएलसी-सीपीआर-.YYY.- DocType: Purchase Order Item,Material Request Item,साहित्य विनंती आयटम -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,कृपया पावती खरेदी {0} रद्द करा apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,आयटम गटांचा वृक्ष. DocType: Production Plan,Total Produced Qty,एकूण उत्पादित प्रमाण +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,अद्याप पुनरावलोकने नाहीत apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,या शुल्क प्रकार चालू पंक्ती संख्या पेक्षा मोठे किंवा समान पंक्ती संख्या refer करू शकत नाही DocType: Asset,Sold,विक्री ,Item-wise Purchase History,आयटमनूसार खरेदी इतिहास @@ -3209,7 +3253,7 @@ DocType: Designation,Required Skills,आवश्यक कौशल्ये DocType: Inpatient Record,O Positive,ओ सकारात्मक apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,गुंतवणूक DocType: Issue,Resolution Details,ठराव तपशील -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,व्यवहार प्रकार +DocType: Leave Ledger Entry,Transaction Type,व्यवहार प्रकार DocType: Item Quality Inspection Parameter,Acceptance Criteria,स्वीकृती निकष apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,वरील टेबलमधे साहित्य विनंत्या प्रविष्ट करा apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,जर्नल एन्ट्रीसाठी कोणतेही परतफेड उपलब्ध नाही @@ -3251,6 +3295,7 @@ DocType: Bank Account,Bank Account No,बँक खाते क्रमां DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,कर्मचारी कर सूट सबॉफ सबमिशन DocType: Patient,Surgical History,सर्जिकल इतिहास DocType: Bank Statement Settings Item,Mapped Header,मॅप केलेली शीर्षलेख +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,मानव संसाधन> एचआर सेटिंग्जमध्ये कर्मचारी नेमिंग सिस्टम सेट करा DocType: Employee,Resignation Letter Date,राजीनामा तारीख apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,किंमत नियमांना पुढील प्रमाणावर आधारित फिल्टर आहेत. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},कर्मचारी सामील तारीख सेट करा {0} @@ -3316,7 +3361,6 @@ DocType: Student Report Generation Tool,Add Letterhead,लेटरहेड ज 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,एकूण वाटप पाने {0} कालावधीसाठी यापूर्वीच मान्यता देण्यात आलेल्या रजा{1} पेक्षा कमी असू शकत नाही DocType: Contract Fulfilment Checklist,Requirement,आवश्यकता DocType: Journal Entry,Accounts Receivable,प्राप्तीयोग्य खाते DocType: Quality Goal,Objectives,उद्दीष्टे @@ -3339,7 +3383,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,सिंगल ट DocType: Lab Test Template,This value is updated in the Default Sales Price List.,हे मूल्य डीफॉल्ट विक्री किंमत सूचीमध्ये अद्यतनित केले आहे. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,तुमची कार्ट रिकामी आहे DocType: Email Digest,New Expenses,नवीन खर्च -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,पीडीसी / एलसी रक्कम apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,ड्रायव्हरचा पत्ता गहाळ झाल्यामुळे मार्ग ऑप्टिमाइझ करणे शक्य नाही. DocType: Shareholder,Shareholder,शेअरहोल्डर DocType: Purchase Invoice,Additional Discount Amount,अतिरिक्त सवलत रक्कम @@ -3376,6 +3419,7 @@ DocType: Asset Maintenance Task,Maintenance Task,देखभाल कार् apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,कृपया GST सेटिंग्जमध्ये B2C मर्यादा सेट करा. DocType: Marketplace Settings,Marketplace Settings,Marketplace सेटिंग्ज 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} मुलभूत आर्थिक वर्ष आहे. बदल प्रभावाखाली येण्यासाठी आपल्या ब्राउझर रीफ्रेश करा. @@ -3410,6 +3454,7 @@ DocType: Salary Component,Deduction,कपात DocType: Item,Retain Sample,नमुना ठेवा apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,सलग {0}: पासून वेळ आणि वेळ करणे बंधनकारक आहे. DocType: Stock Reconciliation Item,Amount Difference,रक्कम फरक +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,हे पृष्ठ विक्रेत्यांकडून आपण खरेदी करू इच्छित असलेल्या वस्तूंचा मागोवा ठेवते. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},किंमत यादी {1} मध्ये आयटम किंमत {0} साठी जोडली आहे DocType: Delivery Stop,Order Information,ऑर्डर माहिती apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,या विक्री व्यक्तीसाठी कर्मचारी आयडी प्रविष्ट करा @@ -3438,6 +3483,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**आर्थिक वर्ष** एक आर्थिक वर्ष प्रस्तुत करते. सर्व लेखा नोंदणी व इतर प्रमुख व्यवहार **आर्थिक वर्ष** विरुद्ध नियंत्रीत केले जाते. DocType: Opportunity,Customer / Lead Address,ग्राहक / लीड पत्ता DocType: Supplier Scorecard Period,Supplier Scorecard Setup,पुरवठादार धावसंख्याकार्ड सेटअप +DocType: Customer Credit Limit,Customer Credit Limit,ग्राहक क्रेडिट मर्यादा apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,मूल्यांकन योजना नाव apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,लक्ष्य तपशील apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","जर कंपनी एसपीए, सपा किंवा एसआरएल असेल तर लागू" @@ -3490,7 +3536,6 @@ DocType: Company,Transactions Annual History,व्यवहार वार् 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,बँक नाव -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-वरती 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,द्रवपदार्थ @@ -3544,6 +3589,7 @@ 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,वैशिष्ट्यीकृत आयटममध्ये जोडले apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,वर्षासाठी नफा 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,प्रक्रिया मध्ये @@ -3598,12 +3644,10 @@ 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,एकाधिक आयटम एकाच वेळी परवानगी द्या -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,कंपनीला कोणताही जीएसटी क्रमांक सापडला नाही. 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,कर्मचारी DocType: Question,Single Correct Answer,एकच अचूक उत्तर -DocType: Employee,Contact Details,संपर्क माहिती DocType: C-Form,Received Date,प्राप्त तारीख DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","तुम्ही विक्री कर आणि शुल्क साचा मध्ये एक मानक टेम्प्लेट तयार केले असेल तर, एक निवडा आणि खालील बटणावर क्लिक करा." DocType: BOM Scrap Item,Basic Amount (Company Currency),मूलभूत रक्कम (कंपनी चलन) @@ -3633,12 +3677,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM वेबसाइट DocType: Bank Statement Transaction Payment Item,outstanding_amount,थकबाकी रक्कम DocType: Supplier Scorecard,Supplier Score,पुरवठादार धावसंख्या apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,प्रवेश वेळापत्रक +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,एकूण देयक विनंती रक्कम {0} रकमेपेक्षा जास्त असू शकत नाही DocType: Tax Withholding Rate,Cumulative Transaction Threshold,संचयी व्यवहार थ्रेशोल्ड DocType: Promotional Scheme Price Discount,Discount Type,सवलतीच्या प्रकार -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,एकूण Invoiced रक्कम DocType: Purchase Invoice Item,Is Free Item,विनामूल्य आयटम आहे +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,ऑर्डर केलेल्या प्रमाणात आपण अधिक हस्तांतरित करण्याची टक्केवारी. उदाहरणार्थ: आपण 100 युनिट्सची मागणी केली असल्यास. आणि आपला भत्ता 10% असेल तर आपल्याला 110 युनिट्स हस्तांतरित करण्याची परवानगी आहे. DocType: Supplier,Warn RFQs,RFQs चेतावणी द्या -apps/erpnext/erpnext/templates/pages/home.html,Explore,अन्वेषण +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,अन्वेषण DocType: BOM,Conversion Rate,रूपांतरण दर apps/erpnext/erpnext/www/all-products/index.html,Product Search,उत्पादन शोध ,Bank Remittance,बँक रेमिटन्स @@ -3650,6 +3695,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,देय एकूण रक्कम DocType: Asset,Insurance End Date,विमा समाप्ती तारीख apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,कृपया विद्यार्थी प्रवेश निवडा जे सशुल्क विद्यार्थ्यासाठी अनिवार्य आहे +DocType: Pick List,STO-PICK-.YYYY.-,स्टो-पिक-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,बजेट सूची DocType: Campaign,Campaign Schedules,मोहीम वेळापत्रक DocType: Job Card Time Log,Completed Qty,पूर्ण झालेली Qty @@ -3672,6 +3718,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,नवी DocType: Quality Inspection,Sample Size,नमुना आकार apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,पावती दस्तऐवज प्रविष्ट करा apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,सर्व आयटम आधीच invoiced आहेत +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,पाने घेतली apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.','प्रकरण क्रमांक पासून' एक वैध निर्दिष्ट करा 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,पुढील खर्च केंद्रे गट अंतर्गत केले जाऊ शकते पण नोंदी नॉन-गट करू शकता 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,या कालावधीत कर्मचारी {1} साठी जास्तीत जास्त वाटप असलेल्या {0} रजाच्या प्रकारापेक्षा एकूण वाटलेले पाने अधिक दिवस आहेत @@ -3772,6 +3819,8 @@ 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: Call Log,Received By,द्वारा प्राप्त 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 किंवा विभाग लवकरात. @@ -3825,6 +3874,7 @@ DocType: Support Search Source,Result Title Field,निकाल शीर् apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,कॉल सारांश DocType: Sample Collection,Collected Time,एकत्रित वेळ DocType: Employee Skill Map,Employee Skills,कर्मचारी कौशल्ये +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,इंधन खर्च DocType: Company,Sales Monthly History,विक्री मासिक इतिहास apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,कृपया कर आणि शुल्क सारणीमध्ये किमान एक पंक्ती सेट करा DocType: Asset Maintenance Task,Next Due Date,पुढील देय दिनांक @@ -3859,11 +3909,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,कर्मचारी पगार स्लिप {0} आधीच या काळात निर्माण apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,फार्मास्युटिकल apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,आपण केवळ वैध एनकॅशमेंट रकमेसाठी लीव्ह एनकॅशमेंट सबमिट करु शकता +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,आयटम द्वारे apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,खरेदी आयटम खर्च DocType: Employee Separation,Employee Separation Template,कर्मचारी विभक्त टेम्पलेट DocType: Selling Settings,Sales Order Required,विक्री ऑर्डर आवश्यक apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,एक विक्रेता व्हा -DocType: Shift Type,The number of occurrence after which the consequence is executed.,घटनेची संख्या ज्यानंतर परिणाम अंमलात आणला जातो. ,Procurement Tracker,खरेदी ट्रॅकर DocType: Purchase Invoice,Credit To,श्रेय apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,आयटीसी उलट झाली @@ -3876,6 +3926,7 @@ DocType: Quality Meeting,Agenda,अजेंडा DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,देखभाल वेळापत्रक तपशील DocType: Supplier Scorecard,Warn for new Purchase Orders,नवीन खरेदी ऑर्डरसाठी चेतावणी द्या DocType: Quality Inspection Reading,Reading 9,9 वाचन +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,आपले एक्सटेल खाते ईआरपीनेक्स्ट व ट्रॅक कॉल लॉगवर जोडा DocType: Supplier,Is Frozen,गोठवले आहे DocType: Tally Migration,Processed Files,प्रक्रिया केलेल्या फायली apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,गट नोड कोठार व्यवहार निवडण्यासाठी परवानगी नाही @@ -3884,6 +3935,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,एक तयार DocType: Upload Attendance,Attendance To Date,उपस्थिती पासून तारीख 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,प्रिस्क्रिप्शन @@ -3908,7 +3960,6 @@ DocType: Room,Room Number,खोली क्रमांक apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,विनंती करणारा apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},अवैध संदर्भ {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,वेगवेगळ्या जाहिरात योजना लागू करण्याचे नियम. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},उत्पादन ऑर्डर {3} मधे {0} ({1}) नियोजित प्रमाण पेक्षा जास्त असू शकत नाही ({2}) DocType: Shipping Rule,Shipping Rule Label,शिपिंग नियम लेबल DocType: Journal Entry Account,Payroll Entry,वेतन प्रविष्ट करा apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,शुल्क रेकॉर्ड पहा @@ -3920,6 +3971,7 @@ DocType: Contract,Fulfilment Status,पूर्तता स्थिती DocType: Lab Test Sample,Lab Test Sample,लॅब चाचणी नमुना DocType: Item Variant Settings,Allow Rename Attribute Value,विशेषता नाव बदलण्याची अनुमती द्या apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,जलद प्रवेश जर्नल +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,भविष्यातील देय रक्कम apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,BOM कोणत्याही आयटम agianst उल्लेख केला तर आपण दर बदलू शकत नाही DocType: Restaurant,Invoice Series Prefix,बीजक मालिका उपसर्ग DocType: Employee,Previous Work Experience,मागील कार्य अनुभव @@ -3949,6 +4001,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,प्रकल्प स्थिती DocType: UOM,Check this to disallow fractions. (for Nos),अपूर्णांक अनुमती रद्द करण्यासाठी हे तपासा. (क्रमांकासाठी) DocType: Student Admission Program,Naming Series (for Student Applicant),मालिका नाव (विद्यार्थी अर्जदाराचे) +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/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,चिकित्सक सेवा युनिट वेळापत्रक @@ -3972,6 +4025,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,वर्तमान शेअर मिळवा DocType: Purchase Invoice,ineligible,अपात्र apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,साहित्य बिल झाडाकडे +DocType: BOM,Exploded Items,विस्फोटित वस्तू DocType: Student,Joining Date,सामील होत तारीख ,Employees working on a holiday,सुट्टी काम कर्मचारी ,TDS Computation Summary,टीडीएस संगणन सारांश @@ -4004,6 +4058,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),बेसिक रे DocType: SMS Log,No of Requested SMS,मागणी एसएमएस क्रमांक apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,वेतन न करता सोडू मंजूर रजा रेकॉर्ड जुळत नाही apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,पुढील पायऱ्या +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,जतन केलेले आयटम DocType: Travel Request,Domestic,घरगुती apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,शक्य तितका सर्वोत्कृष्ट दरात निर्दिष्ट आयटम पुरवठा करा apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,हस्तांतरण तारीखपूर्वी कर्मचारी हस्तांतरण सादर करणे शक्य नाही @@ -4057,7 +4112,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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}.,विद्यमान आयटम {2} ला आधीपासूनच मूल्य {0} दिले गेले आहे. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,पंक्ती # {0} (पेमेंट टेबल): रक्कम सकारात्मक असणे आवश्यक आहे -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},विक्री ऑर्डर पेक्षा {1} प्रमाणात जास्त {0} item उत्पादन करू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},विक्री ऑर्डर पेक्षा {1} प्रमाणात जास्त {0} item उत्पादन करू शकत नाही apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,स्थूलमध्ये काहीही समाविष्ट नाही apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,या दस्तऐवजासाठी ई-वे बिल आधीपासून विद्यमान आहे apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,विशेषता मूल्ये निवडा @@ -4092,12 +4147,10 @@ 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,सेटअप कंपनी -DocType: Shift Type,Enable Different Consequence for Early Exit,लवकर बाहेर पडण्यासाठी भिन्न परिणाम सक्षम करा ,Lab Test Report,प्रयोगशाळा चाचणी अहवाल DocType: Employee Benefit Application,Employee Benefit Application,कर्मचारी लाभ अर्ज apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,अतिरिक्त वेतन घटक विद्यमान आहेत. DocType: Purchase Invoice,Unregistered,नोंदणी रद्द -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,कृपया पहिली वितरण टीप DocType: Student Applicant,Application Date,अर्ज दिनांक DocType: Salary Component,Amount based on formula,सूत्र आधारित रक्कम DocType: Purchase Invoice,Currency and Price List,चलन आणि किंमत यादी @@ -4126,6 +4179,7 @@ DocType: Purchase Receipt,Time at which materials were received,"साहित DocType: Products Settings,Products per Page,प्रत्येक पृष्ठावरील उत्पादने 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,बिलिंग तारीख apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,वाटप केलेली रक्कम नकारात्मक असू शकत नाही DocType: Sales Order,Billing Status,बिलिंग स्थिती apps/erpnext/erpnext/public/js/conf.js,Report an Issue,समस्या नोंदवणे @@ -4133,6 +4187,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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} किंवा आधीच दुसर्या व्हाउचर विरुद्ध जुळलेल्या DocType: Supplier Scorecard Criteria,Criteria Weight,निकष वजन +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,खाते: पेमेंट एंट्री अंतर्गत {0} ला परवानगी नाही DocType: Production Plan,Ignore Existing Projected Quantity,विद्यमान प्रक्षेपित प्रमाणकडे दुर्लक्ष करा apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,स्वीकृति सूचना सोडून द्या DocType: Buying Settings,Default Buying Price List,मुलभूत खरेदी दर सूची @@ -4141,6 +4196,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},पंक्ती {0}: मालमत्ता आयटम {1} साठी स्थान प्रविष्ट करा DocType: Employee Checkin,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.","कंपनी, चलन, वर्तमान आर्थिक वर्ष इ मुलभूत मुल्य सेट करा" DocType: Payment Entry,Payment Type,भरणा प्रकार apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,कृपया आयटम एक बॅच निवडा {0}. ही गरज पूर्ण एकाच बॅच शोधण्यात अक्षम @@ -4170,6 +4226,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,हे खरेदी DocType: Journal Entry,Accounting Entries,लेखा नोंदी 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.","'दर' साठी निवडलेला मूल्यनिर्धारण नियम केल्यास, तो किंमत सूची अधिलिखित करेल. मूल्य नियम दर अंतिम दर आहे, म्हणून आणखी सवलत लागू केली जाऊ नये. म्हणूनच विक्री आदेश, खरेदी आदेश इत्यादी व्यवहारात ते 'किंमत सूची रेट' ऐवजी 'रेट' क्षेत्रात आणले जाईल." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,कृपया शिक्षण> शिक्षण सेटिंग्ज मधील इन्स्ट्रक्टर नामांकन प्रणाली सेट करा DocType: Journal Entry,Paid Loan,पेड लोन 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,संदर्भ देय दिनांक @@ -4186,12 +4243,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks तपशील apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,नाही वेळ पत्रके DocType: GoCardless Mandate,GoCardless Customer,GoCardless ग्राहक apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,रजा प्रकार {0} carry-forward केला जाऊ शकत नाही +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',देखभाल वेळापत्रक सर्व आयटम व्युत्पन्न नाही. 'व्युत्पन्न वेळापत्रक' वर क्लिक करा ,To Produce,उत्पन्न करण्यासाठी DocType: Leave Encashment,Payroll,उपयोग पे रोल 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} समाविष्ट करणे आवश्यक आहे" DocType: Healthcare Service Unit,Parent Service Unit,पालक सेवा एकक DocType: Packing Slip,Identification of the package for the delivery (for print),डिलिव्हरी संकुल ओळख (मुद्रण) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,सेवा स्तर करार रीसेट केला. DocType: Bin,Reserved Quantity,राखीव प्रमाण apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,वैध ईमेल पत्ता प्रविष्ट करा apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,वैध ईमेल पत्ता प्रविष्ट करा @@ -4213,7 +4272,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,किंमत किंवा उत्पादनाची सूट apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,{0} पंक्तीसाठी: नियोजित प्रमाण प्रविष्ट करा DocType: Account,Income Account,उत्पन्न खाते -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश DocType: Payment Request,Amount in customer's currency,ग्राहक चलनात रक्कम apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,डिलिव्हरी apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,रचना नियुक्त करीत आहे ... @@ -4236,6 +4294,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,संदर्भ 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?,आपण पूर्वी व्युत्पन्न केलेली इन्व्हॉइसेसचे रेकॉर्ड गमवाल. आपल्याला खात्री आहे की आपण ही सदस्यता रीस्टार्ट करू इच्छिता? @@ -4291,11 +4350,10 @@ DocType: Additional Salary,HR User,एचआर सदस्य DocType: Bank Guarantee,Reference Document Name,संदर्भ दस्तऐवज नाव DocType: Purchase Invoice,Taxes and Charges Deducted,कर आणि शुल्क वजा DocType: Support Settings,Issues,मुद्दे -DocType: Shift Type,Early Exit Consequence after,नंतर लवकर बाहेर पडा परिणाम DocType: Loyalty Program,Loyalty Program Name,निष्ठा कार्यक्रम नाव apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},{0} पैकी स्थिती एक असणे आवश्यक आहे apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,GSTIN ने पाठवलेले स्मरणपत्र -DocType: Sales Invoice,Debit To,करण्यासाठी डेबिट +DocType: Discounted Invoice,Debit To,करण्यासाठी डेबिट DocType: Restaurant Menu Item,Restaurant Menu Item,रेस्टॉरन्ट मेनू आयटम DocType: Delivery Note,Required only for sample item.,फक्त नमुन्यासाठी आवश्यक आयटम . DocType: Stock Ledger Entry,Actual Qty After Transaction,व्यवहार केल्यानंतर प्रत्यक्ष प्रमाण @@ -4378,6 +4436,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,पॅरामी apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,फक्त स्थिती सह अनुप्रयोग सोडा 'मंजूर' आणि 'रिजेक्टेड' सादर केला जाऊ शकतो apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,परिमाण तयार करीत आहे ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},विद्यार्थी गट नाव सलग आवश्यक आहे {0} +DocType: Customer Credit Limit,Bypass credit limit_check,बायपास क्रेडिट मर्यादा_ तपासणी DocType: Homepage,Products to be shown on website homepage,उत्पादने वेबसाइटवर मुख्यपृष्ठावर दर्शविले करणे DocType: HR Settings,Password Policy,संकेतशब्द धोरण apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,हा मूळ ग्राहक गट आहे आणि संपादित केला जाऊ शकत नाही. @@ -4425,10 +4484,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),त apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,कृपया रेस्टॉरंट सेटिंग्जमध्ये डीफॉल्ट ग्राहक सेट करा ,Salary Register,पगार नोंदणी DocType: Company,Default warehouse for Sales Return,सेल्स रिटर्नसाठी डीफॉल्ट वेअरहाउस -DocType: Warehouse,Parent Warehouse,पालक वखार +DocType: Pick List,Parent Warehouse,पालक वखार DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},डीफॉल्ट BOM आयटम आढळले नाही {0} आणि प्रकल्प {1} +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 दर @@ -4465,6 +4524,7 @@ DocType: Travel Itinerary,Lodging Required,लॉजिंग आवश्यक DocType: Promotional Scheme,Price Discount Slabs,किंमत सूट स्लॅब DocType: Stock Reconciliation Item,Current Serial No,सध्याचा अनुक्रमांक DocType: Employee,Attendance and Leave Details,उपस्थिती आणि रजा तपशील +,BOM Comparison Tool,बीओएम तुलना साधन ,Requested,विनंती apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,शेरा नाही DocType: Asset,In Maintenance,देखरेख मध्ये @@ -4486,6 +4546,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Include UOM,य apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Material Request No,साहित्य विनंती क्रमांक DocType: Service Level Agreement,Default Service Level Agreement,डीफॉल्ट सेवा स्तर करार DocType: SG Creation Tool Course,Course Code,अर्थात कोड +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,तयार वस्तूंच्या संख्येच्या आधारे कच्च्या मालाचे प्रमाण निश्चित केले जाईल DocType: Location,Parent Location,पालक स्थान DocType: POS Settings,Use POS in Offline Mode,POS ऑफलाइन मोडमध्ये वापरा apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,अग्रक्रम {0} मध्ये बदलले गेले आहे. @@ -4504,7 +4565,7 @@ DocType: Stock Settings,Sample Retention Warehouse,नमुना धारण DocType: Company,Default Receivable Account,मुलभूत प्राप्तीयोग्य खाते apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,प्रक्षेपित प्रमाण फॉर्म्युला DocType: Sales Invoice,Deemed Export,डीम्ड एक्सपोर्ट -DocType: Stock Entry,Material Transfer for Manufacture,उत्पादन साठी साहित्य ट्रान्सफर +DocType: Pick List,Material Transfer for Manufacture,उत्पादन साठी साहित्य ट्रान्सफर 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.,सवलत टक्केवारी एका दर सूची विरुद्ध किंवा सर्व दर सूची एकतर लागू होऊ शकते. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,शेअर एकट्या प्रवेश DocType: Lab Test,LabTest Approver,लॅबस्टेस्ट अॅपरॉव्हर @@ -4547,7 +4608,6 @@ DocType: Training Event,Theory,सिद्धांत apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,चेतावनी: मागणी साहित्य Qty किमान Qty पेक्षा कमी आहे apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,खाते {0} गोठविले DocType: Quiz Question,Quiz Question,प्रश्नोत्तरी प्रश्न -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार 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","अन्न, पेय आणि तंबाखू" @@ -4576,6 +4636,7 @@ 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,प्रकाशित आयटम DocType: Account,Expense Account,खर्च खाते apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,सॉफ्टवेअर apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,रंग @@ -4614,6 +4675,7 @@ 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,सर्व बँक व्यवहार तयार केले गेले आहेत DocType: Fee Validity,Visited yet,अद्याप भेट दिली +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,आपण 8 आयटम पर्यंत वैशिष्ट्यीकृत करू शकता. 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.,विक्रय व्यवहाराच्या आधारावर किती वेळा प्रकल्प आणि कंपनी अद्यतनित करावी @@ -4621,7 +4683,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,साठवण तापमान @@ -4646,7 +4707,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,तासांम DocType: Contract,Signee Details,साइनबीचे तपशील apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} सध्या येथे {1} पुरवठादार धावसंख्याकार्ड उभे आहे आणि या पुरवठादाराला आरएफक्यू सावधगिरीने देणे आवश्यक आहे. DocType: Certified Consultant,Non Profit Manager,नॉन प्रॉफिट मॅनेजर -DocType: BOM,Total Cost(Company Currency),एकूण खर्च (कंपनी चलन) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,सिरियल क्रमांक{0} तयार केला DocType: Homepage,Company Description for website homepage,वेबसाइट मुख्यपृष्ठावर कंपनी वर्णन DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ग्राहकांच्या सोयीसाठी, हे कोड पावत्या आणि वितरण टिपा सारख्या प्रिंट स्वरूपात वापरले जाऊ शकते" @@ -4675,7 +4735,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,खरे DocType: Amazon MWS Settings,Enable Scheduled Synch,अनुसूचित समूहाला सक्षम करा apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,DATETIME करण्यासाठी apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,एसएमएस स्थिती राखण्यासाठी नोंदी -DocType: Shift Type,Early Exit Consequence,लवकर बाहेर पडा परिणाम DocType: Accounts Settings,Make Payment via Journal Entry,जर्नल प्रवेश द्वारे रक्कम apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,कृपया एकावेळी 500 हून अधिक वस्तू तयार करु नका apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,छापील रोजी @@ -4732,6 +4791,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,मर्या 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,गुप्त +DocType: Plaid Settings,Plaid Secret,प्लेड सीक्रेट DocType: Company,Date of Establishment,आस्थापनाची तारीख apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,व्हेंचर कॅपिटल apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,या 'शैक्षणिक वर्ष' एक शैक्षणिक मुदत {0} आणि 'मुदत नाव' {1} आधीच अस्तित्वात आहे. या नोंदी सुधारित आणि पुन्हा प्रयत्न करा. @@ -4794,6 +4854,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,ग्राहक प्रकार DocType: Compensatory Leave Request,Leave Allocation,वाटप सोडा DocType: Payment Request,Recipient Message And Payment Details,प्राप्तकर्ता संदेश आणि देय तपशील +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,कृपया डिलिव्हरी नोट निवडा DocType: Support Search Source,Source DocType,स्रोत डॉकप्रकार apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,नवीन तिकीट उघडा DocType: Training Event,Trainer Email,प्रशिक्षक ईमेल @@ -4916,6 +4977,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,अग्रेषित केलेले पाने कॅरी apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','तारीख पासून' नंतर 'तारखेपर्यंत' असणे आवश्यक आहे apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,या पदनासाठी कोणतेही कर्मचारी प्रशिक्षण योजना नाहीत apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,आयटम {1} ची बॅच {1} अक्षम केली आहे. @@ -4937,7 +4999,7 @@ DocType: Clinical Procedure,Patient,पेशंट apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,विक्री ऑर्डरवर क्रेडिट चेक बायपास करा DocType: Employee Onboarding Activity,Employee Onboarding Activity,कर्मचारी ऑनबोर्डिंग गतिविधी DocType: Location,Check if it is a hydroponic unit,तो एक hydroponic युनिट आहे की नाही हे तपासा -DocType: Stock Reconciliation Item,Serial No and Batch,सिरियल क्रमांक आणि बॅच +DocType: Pick List Item,Serial No and Batch,सिरियल क्रमांक आणि बॅच DocType: Warranty Claim,From Company,कंपनी पासून DocType: GSTR 3B Report,January,जानेवारी apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,मूल्यांकन निकष स्कोअर बेरीज {0} असणे आवश्यक आहे. @@ -4962,7 +5024,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,आंतर कंपनी व्यवहारांसाठी कोणतेही {0} आढळले नाही. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,क्रेडिट_नोट_अमट DocType: Travel Itinerary,Rented Car,भाड्याने कार apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,आपल्या कंपनी बद्दल apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,क्रेडिट खाते ताळेबंद खाते असणे आवश्यक आहे @@ -4994,11 +5055,13 @@ apps/erpnext/erpnext/config/accounting.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,सी आर एम 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,उर्वरित DocType: Appraisal,Appraisal,मूल्यमापन DocType: Loan,Loan Account,कर्ज खाते apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,संचयीकासाठी वैध व वैध फील्ड हे अनिवार्य आहेत +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","पंक्ती {1} वर आयटम {0} साठी, अनुक्रमांकांची संख्या निवडलेल्या प्रमाणांशी जुळत नाही" DocType: Purchase Invoice,GST Details,जीएसटी तपशील apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,हे हेल्थकेअर चिकित्सकाच्या विरोधात व्यवहारांवर आधारित आहे. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},पुरवठादार वर ईमेल पाठविले {0} @@ -5061,6 +5124,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),संकुल एकूण वजन. सहसा निव्वळ वजन + पॅकेजिंग साहित्य वजन. (मुद्रण) DocType: Assessment Plan,Program,कार्यक्रम DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,या भूमिका वापरकर्त्यांनी गोठविलेल्या खात्यांचे विरुद्ध लेखा नोंदी गोठविलेल्या खाती सेट आणि तयार / सुधारित करण्याची अनुमती आहे +DocType: Plaid Settings,Plaid Environment,प्लेड पर्यावरण ,Project Billing Summary,प्रकल्प बिलिंग सारांश DocType: Vital Signs,Cuts,कट DocType: Serial No,Is Cancelled,रद्द आहे @@ -5122,7 +5186,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,टीप: {0} प्रमाणात किंवा रक्कम 0 आहे म्हणून चेंडू-प्रती आणि-बुकिंग आयटम सिस्टम तपासा नाही DocType: Issue,Opening Date,उघडण्याची तारीख apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,कृपया प्रथम रुग्णाला वाचवा -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,नवीन संपर्क करा apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,उपस्थिती यशस्वीरित्या चिन्हांकित केले गेले. DocType: Program Enrollment,Public Transport,सार्वजनिक वाहतूक DocType: Sales Invoice,GST Vehicle Type,जीएसटी वाहन प्रकार @@ -5149,6 +5212,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,पुर DocType: POS Profile,Write Off Account,Write Off खाते DocType: Patient Appointment,Get prescribed procedures,निर्धारित प्रक्रिया मिळवा DocType: Sales Invoice,Redemption Account,रिडेम्प्शन खाते +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,प्रथम आयटम स्थान सारणीमध्ये आयटम जोडा DocType: Pricing Rule,Discount Amount,सवलत रक्कम DocType: Pricing Rule,Period Settings,कालावधी सेटिंग्ज DocType: Purchase Invoice,Return Against Purchase Invoice,विरुद्ध खरेदी चलन परत @@ -5180,7 +5244,6 @@ DocType: Assessment Plan,Assessment Plan,मूल्यांकन योज DocType: Travel Request,Fully Sponsored,पूर्णतः प्रायोजित apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,रिव्हर्स जर्नल एंट्री apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,जॉब कार्ड तयार करा -DocType: Shift Type,Consequence after,नंतर परिणाम DocType: Quality Procedure Process,Process Description,प्रक्रिया वर्णन apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ग्राहक {0} तयार आहे. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,सध्या कोणत्याही कोठारमध्ये कोणतीही स्टॉक उपलब्ध नाही @@ -5214,6 +5277,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,मंजुरी तार DocType: Delivery Settings,Dispatch Notification Template,प्रेषण अधिसूचना टेम्पलेट apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,मूल्यांकन अहवाल apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,कर्मचारी मिळवा +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 पत्ता @@ -5337,7 +5401,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,या रूट विक्री व्यक्ती आहे आणि संपादित केला जाऊ शकत नाही. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","नीवडल्यास, हा घटक मध्ये निर्दिष्ट गणना मूल्य कमाई किंवा कपात योगदान नाही. तथापि, मूल्यवर्धित किंवा वजा केले जाऊ शकते इतर घटक संदर्भ जाऊ शकते आहे." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","नीवडल्यास, हा घटक मध्ये निर्दिष्ट गणना मूल्य कमाई किंवा कपात योगदान नाही. तथापि, मूल्यवर्धित किंवा वजा केले जाऊ शकते इतर घटक संदर्भ जाऊ शकते आहे." -DocType: Asset Settings,Number of Days in Fiscal Year,आर्थिक वर्षातील दिवसांची संख्या ,Stock Ledger,शेअर लेजर DocType: Company,Exchange Gain / Loss Account,विनिमय लाभ / तोटा लेखा DocType: Amazon MWS Settings,MWS Credentials,MWS क्रेडेन्शियल @@ -5372,6 +5435,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,बँक फाईलमधील स्तंभ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},विद्यार्थ्याविरुद्ध {5} आधीपासूनच विद्यमान अनुप्रयोग विद्यमान आहे {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,सर्व बिल ऑफ मटेरिअममध्ये नवीनतम किंमत अद्यतनित करण्यासाठी रांगेत. यास काही मिनिटे लागतील. +DocType: Pick List,Get Item Locations,आयटम स्थाने मिळवा apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,नवीन खाते नाव. टीप: ग्राहक व पुरवठादार साठी खाती तयार करू नका DocType: POS Profile,Display Items In Stock,स्टॉकमध्ये आयटम प्रदर्शित करा apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,देशनिहाय मुलभूत पत्ता टेम्पलेट @@ -5395,6 +5459,7 @@ DocType: Crop,Materials Required,आवश्यक सामग्री apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,नाही विद्यार्थ्यांनी सापडले DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,मासिक एचआरए सवलत DocType: Clinical Procedure,Medical Department,वैद्यकीय विभाग +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,एकूण प्रारंभिक निर्गमन DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,पुरवठादार धावसंख्याकार्ड स्कोअरिंग मापदंड apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,अशी यादी तयार करण्यासाठी पोस्ट तारीख apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,विक्री @@ -5406,11 +5471,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी {0}. हटवा" DocType: Program Enrollment,School House,शाळा हाऊस DocType: Serial No,Out of AMC,एएमसी पैकी DocType: Opportunity,Opportunity Amount,संधीची रक्कम +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,आपले प्रोफाइल apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,पूर्वनियोजित Depreciations संख्या Depreciations एकूण संख्या पेक्षा जास्त असू शकत नाही DocType: Purchase Order,Order Confirmation Date,मागणी पुष्टी तारीख DocType: Driver,HR-DRI-.YYYY.-,एचआर-डीआरआय-वाई वाई वाई वाई.- @@ -5504,7 +5568,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","दर, शेअरची संख्या आणि गणना केलेली रक्कम यातील विसंगती आहेत" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,आपण रजामी रजा विनंती दिवसांदरम्यान संपूर्ण दिवस (त्सडे) उपस्थित नाही apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,कंपनीचे नाव पुष्टी करण्यासाठी पुन्हा-टाइप करा -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,एकूण थकबाकी रक्कम DocType: Journal Entry,Printing Settings,मुद्रण सेटिंग्ज DocType: Payment Order,Payment Order Type,पेमेंट ऑर्डरचा प्रकार DocType: Employee Advance,Advance Account,आगाऊ खाते @@ -5591,7 +5654,6 @@ apps/erpnext/erpnext/crm/doctype/contract/contract.py,End Date cannot be before apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,Student is already enrolled.,विद्यार्थी आधीच नोंदणी केली आहे. DocType: Fiscal Year,Year Name,वर्ष नाव apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,कामाच्या दिवसापेक्षा अधिक सुट्ट्या या महिन्यात आहेत. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,पीडीसी / एलसी रेफरी DocType: Production Plan Item,Product Bundle Item,उत्पादन बंडल आयटम DocType: Sales Partner,Sales Partner Name,विक्री भागीदार नाव apps/erpnext/erpnext/hooks.py,Request for Quotations,अवतरणे विनंती @@ -5600,7 +5662,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,सामान्य चाचणी आयटम DocType: QuickBooks Migrator,Company Settings,कंपनी सेटिंग्ज DocType: Additional Salary,Overwrite Salary Structure Amount,वेतन रचना रकमेवर अधिलिखित करा -apps/erpnext/erpnext/config/hr.py,Leaves,पाने +DocType: Leave Ledger Entry,Leaves,पाने DocType: Student Language,Student Language,विद्यार्थी भाषा DocType: Cash Flow Mapping,Is Working Capital,कार्यरत भांडवल apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,पुरावा सादर करा @@ -5608,7 +5670,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,ऑर्डर / quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,नोंद रुग्ण Vitals DocType: Fee Schedule,Institution,संस्था -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},आयटमसाठी यूओएम रूपांतरण घटक ({0} -> {1}) आढळला नाही: {2} DocType: Asset,Partially Depreciated,अंशतः अवमूल्यन DocType: Issue,Opening Time,उघडण्याची वेळ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,पासून आणि पर्यंत तारखा आवश्यक आहेत @@ -5659,6 +5720,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,कमाल अनुमत मूल्य DocType: Journal Entry Account,Employee Advance,कर्मचारी आगाऊ DocType: Payroll Entry,Payroll Frequency,उपयोग पे रोल वारंवारता +DocType: Plaid Settings,Plaid Client ID,प्लेड क्लायंट आयडी DocType: Lab Test Template,Sensitivity,संवेदनशीलता DocType: Plaid Settings,Plaid Settings,प्लेड सेटिंग्ज apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,समक्रमण तात्पुरते अक्षम केले गेले आहे कारण जास्तीत जास्त प्रयत्न ओलांडले आहेत @@ -5676,6 +5738,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,कृपया पहले पोस्टिंग तारीख निवडा apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,तारीख उघडण्याच्या तारीख बंद करण्यापूर्वी असावे DocType: Travel Itinerary,Flight,फ्लाइट +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,परत घराच्या दिशेने DocType: Leave Control Panel,Carry Forward,कॅरी फॉरवर्ड apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,विद्यमान व्यवहार खर्चाच्या केंद्र लेजर मधे रूपांतरीत केले जाऊ शकत नाही DocType: Budget,Applicable on booking actual expenses,प्रत्यक्ष खर्चाची बुकिंग करण्यावर लागू @@ -5778,6 +5841,7 @@ DocType: Batch,Source Document Name,स्रोत दस्तऐवज ना DocType: Batch,Source Document Name,स्रोत दस्तऐवज नाव DocType: Production Plan,Get Raw Materials For Production,उत्पादनासाठी कच्चा माल मिळवा DocType: Job Opening,Job Title,कार्य शीर्षक +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,भविष्य देय संदर्भ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} इंगित करते की {1} उद्धरण प्रदान करणार नाही, परंतु सर्व बाबींचे उद्धृत केले गेले आहे. आरएफक्यू कोटेशन स्थिती सुधारणे" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,कमाल नमुने - {0} आधीपासून बॅच {1} आणि आयटम {2} बॅच {3} मध्ये ठेवण्यात आले आहेत. @@ -5788,12 +5852,10 @@ 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: Company,Product Code,उत्पादन सांकेतांक DocType: Quality Review Table,Objective,वस्तुनिष्ठ DocType: Supplier Scorecard,Per Month,दर महिन्याला DocType: Education Settings,Make Academic Term Mandatory,शैक्षणिक कालावधी अनिवार्य करा -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,उत्पादनासाठीचे प्रमाण 0 पेक्षा जास्त असणे आवश्यक आहे. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,आर्थिक वर्षांच्या आधारावर Prorated Depreciation Schedule ची गणना करा +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,उत्पादनासाठीचे प्रमाण 0 पेक्षा जास्त असणे आवश्यक आहे. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,देखभाल कॉल अहवाल भेट द्या. DocType: Stock Entry,Update Rate and Availability,रेट अद्यतनित करा आणि उपलब्धता 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 units प्राप्त करण्याची अनुमती आहे." @@ -5805,7 +5867,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,रीलिझ तारीख भविष्यात असणे आवश्यक आहे DocType: BOM,Website Description,वेबसाइट वर्णन apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,इक्विटी निव्वळ बदला -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,चलन खरेदी {0} रद्द करा पहिला apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,परवानगी नाही. कृपया सेवा युनिट प्रकार अक्षम करा apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","ई-मेल पत्ता, अद्वितीय असणे आवश्यक आहे आधीच अस्तित्वात आहे {0}" DocType: Serial No,AMC Expiry Date,एएमसी कालावधी समाप्ती तारीख @@ -5847,6 +5908,7 @@ DocType: Pricing Rule,Price Discount Scheme,किंमत सूट योज apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,देखभाल स्थिती रद्द करणे किंवा सबमिट करण्यासाठी पूर्ण करणे आवश्यक आहे DocType: Amazon MWS Settings,US,यूएस DocType: Holiday List,Add Weekly Holidays,साप्ताहीक सुट्टी जोडा +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,आयटम नोंदवा DocType: Staffing Plan Detail,Vacancies,नोकऱ्या DocType: Hotel Room,Hotel Room,हॉटेल रूम apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},खाते {0} ला कंपनी {1} मालकीचे नाही @@ -5897,12 +5959,15 @@ DocType: Email Digest,Open Quotations,मुक्त कोटेशन 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","कृपया हा कागदजत्र रद्द करण्यासाठी कर्मचारी {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,मूलभूत रक्कम @@ -5916,6 +5981,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,रिक्त करा DocType: Patient,Alcohol Past Use,मद्याचा शेवटचा वापर DocType: Fertilizer Content,Fertilizer Content,खते सामग्री +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,वर्णन नाही apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,कोटी DocType: Tax Rule,Billing State,बिलिंग राज्य DocType: Quality Goal,Monitoring Frequency,देखरेख वारंवारता @@ -5933,6 +5999,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,समाप्ती तारीख पुढील संपर्क तारखेच्या आधी होऊ शकत नाही apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,बॅचच्या नोंदी DocType: Journal Entry,Pay To / Recd From,पासून / Recd अदा +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,आयटम अप्रकाशित करा DocType: Naming Series,Setup Series,सेटअप मालिका DocType: Payment Reconciliation,To Invoice Date,तारीख चलन करण्यासाठी DocType: Bank Account,Contact HTML,संपर्क HTML @@ -5954,6 +6021,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,किरकोळ DocType: Student Attendance,Absent,अनुपस्थित DocType: Staffing Plan,Staffing Plan Detail,स्टाफिंग प्लॅन तपशील DocType: Employee Promotion,Promotion Date,जाहिरात तारीख +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,रजा वाटप% s रजा अर्जा% s सह जोडलेले आहे 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} @@ -5991,6 +6059,7 @@ DocType: Volunteer,Availability,उपलब्धता apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,पीओएस इन्व्हॉइसेससाठी डिफॉल्ट व्हॅल्यू सेट करा DocType: Employee Training,Training,प्रशिक्षण DocType: Project,Time to send,पाठविण्याची वेळ +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,हे पृष्ठ आपल्या आयटमचा मागोवा ठेवते ज्यात खरेदीदारांनी काही रस दर्शविला आहे. 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 ईमेल आयडी @@ -6091,11 +6160,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,उघडण्याचे मूल्य DocType: Salary Component,Formula,सुत्र apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,सिरियल # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,मानव संसाधन> एचआर सेटिंग्जमध्ये कर्मचारी नेमिंग सिस्टम सेट करा DocType: Material Request Plan Item,Required Quantity,आवश्यक प्रमाणात DocType: Lab Test Template,Lab Test Template,लॅब टेस्ट टेम्पलेट apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,विक्री खाते DocType: Purchase Invoice Item,Total Weight,एकूण वजन +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}" @@ -6119,6 +6188,7 @@ DocType: Company,Default Employee Advance Account,डीफॉल्ट कर apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),शोध आयटम (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,एसीसी-सीएफ़-य्यवाय.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,विद्यमान व्यवहार खाते हटविले जाऊ शकत नाही +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,हा आयटम का हटविला गेला पाहिजे? DocType: Vehicle,Last Carbon Check,गेल्या कार्बन तपासा apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,कायदेशीर खर्च apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,कृपया रांगेत प्रमाणात निवडा @@ -6138,6 +6208,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,यंत्रातील बिघाड DocType: Travel Itinerary,Vegetarian,शाकाहारी DocType: Patient Encounter,Encounter Date,तारखांची तारीख +DocType: Work Order,Update Consumed Material Cost In Project,प्रकल्पात वापरलेली मटेरियल कॉस्ट अद्यतनित करा apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,खाते: {0} चलन: {1} बरोबर निवडले जाऊ शकत नाही DocType: Bank Statement Transaction Settings Item,Bank Data,बँक डेटा DocType: Purchase Receipt Item,Sample Quantity,नमुना प्रमाण @@ -6191,7 +6262,7 @@ DocType: GSTR 3B Report,April,एप्रिल DocType: Plant Analysis,Collection Datetime,संकलन डेटटाईम DocType: Asset Repair,ACC-ASR-.YYYY.-,एसीसी- एएसआर- .YYY.- DocType: Work Order,Total Operating Cost,एकूण ऑपरेटिंग खर्च -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,टीप: आयटम {0} अनेक वेळा प्रवेश केला +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,टीप: आयटम {0} अनेक वेळा प्रवेश केला apps/erpnext/erpnext/config/buying.py,All Contacts.,सर्व संपर्क. DocType: Accounting Period,Closed Documents,बंद दस्तऐवज DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,अपॉइंटमेंट इनव्हॉइस व्यवस्थापित करा आणि रुग्णांच्या चकमकीत स्वयंचलितरित्या रद्द करा @@ -6270,9 +6341,7 @@ DocType: Member,Membership Type,सदस्यता प्रकार ,Reqd By Date,Reqd तारीख करून apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,कर्ज DocType: Assessment Plan,Assessment Name,मूल्यांकन नाव -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,मुद्रण मध्ये PDC दर्शवा apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,रो # {0}: सिरियल क्रमांक बंधनकारक आहे -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,{0} {1} साठी कोणतेही थकित चलन आढळले नाही. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,आयटमनूसार कर तपशील DocType: Employee Onboarding,Job Offer,जॉब ऑफर apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,संस्था संक्षेप @@ -6331,6 +6400,7 @@ DocType: Serial No,Out of Warranty,हमी पैकी DocType: Bank Statement Transaction Settings Item,Mapped Data Type,मॅप केलेला डेटा प्रकार DocType: BOM Update Tool,Replace,बदला apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,कोणतीही उत्पादने आढळले. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,अधिक आयटम प्रकाशित करा apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} विक्री चलन विरुद्ध {1} DocType: Antibiotic,Laboratory User,प्रयोगशाळा वापरकर्ता DocType: Request for Quotation Item,Project Name,प्रकल्प नाव @@ -6351,7 +6421,6 @@ DocType: Payment Order Reference,Bank Account Details,बँक खाते त DocType: Purchase Order Item,Blanket Order,कमानस आदेश 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,कर मालमत्ता -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},उत्पादन ऑर्डर केले आहे {0} DocType: BOM Item,BOM No,BOM नाही 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 सरासरी @@ -6425,6 +6494,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),जावक कर पुरवठा (शून्य रेट केलेले) DocType: BOM,Materials Required (Exploded),साहित्य आवश्यक(स्फोट झालेले ) 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/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,पोस्टिंग तारीख भविष्यातील तारीख असू शकत नाही @@ -6482,7 +6552,6 @@ DocType: Pricing Rule,Same Item,समान आयटम DocType: Stock Ledger Entry,Stock Ledger Entry,शेअर खतावणीत नोंद DocType: Quality Action Resolution,Quality Action Resolution,गुणवत्ता कृती ठराव apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} अर्धा दिवस सोडा {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,त्याच आयटम अनेक वेळा केलेला आहे DocType: Department,Leave Block List,रजा ब्लॉक यादी DocType: Purchase Invoice,Tax ID,कर आयडी apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,{0} आयटम सिरियल क्रमांकासाठी सेटअप केलेला नाही. स्तंभ रिक्त असणे आवश्यक आहे @@ -6519,7 +6588,7 @@ 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} अक्षम असल्यास किंवा अस्तित्वात नाही DocType: Purchase Invoice,Return,परत -DocType: Accounting Dimension,Disable,अक्षम करा +DocType: Account,Disable,अक्षम करा apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,भरण्याची पध्दत देयक आवश्यक आहे DocType: Task,Pending Review,प्रलंबित पुनरावलोकन apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","अधिक पर्याय जसे की मालमत्ता, सिरीअल क्रमांक, बॅच इत्यादींसाठी संपूर्ण पृष्ठावर संपादित करा." @@ -6631,7 +6700,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,एसीसी-एसएच-. वाई व apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,संयुक्त चलन भाग 100% DocType: Item Default,Default Expense Account,मुलभूत खर्च खाते DocType: GST Account,CGST Account,CGST खाते -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,विद्यार्थी ईमेल आयडी DocType: Employee,Notice (days),सूचना (दिवस) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,पीओएस बंद व्हाउचर इनवॉइसस @@ -6642,6 +6710,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,अशी यादी तयार करणे जतन करण्यासाठी आयटम निवडा DocType: Employee,Encashment Date,एनकॅशमेंट तारीख DocType: Training Event,Internet,इंटरनेट +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,विक्रेता माहिती DocType: Special Test Template,Special Test Template,विशेष टेस्ट टेम्पलेट DocType: Account,Stock Adjustment,शेअर समायोजन apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},क्रियाकलाप प्रकार करीता मुलभूत क्रियाकलाप खर्च अस्तित्वात आहे - {0} @@ -6654,7 +6723,6 @@ 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,दोन्ही चाचणी कालावधी प्रारंभ तारीख आणि चाचणी कालावधी समाप्ती तारीख सेट करणे आवश्यक आहे -DocType: Company,Bank Remittance Settings,बँक रेमिटन्स सेटिंग्ज apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,सरासरी दर 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","ग्राहक प्रदान आयटम" मध्ये मूल्य दर असू शकत नाही @@ -6682,6 +6750,7 @@ DocType: Grading Scale Interval,Threshold,उंबरठा apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),द्वारे कर्मचारी फिल्टर करा (पर्यायी) DocType: BOM Update Tool,Current BOM,वर्तमान BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),बॅलन्स (डॉ - सीआर) +DocType: Pick List,Qty of Finished Goods Item,तयार वस्तूंची संख्या apps/erpnext/erpnext/public/js/utils.js,Add Serial No,सिरियल नाही जोडा DocType: Work Order Item,Available Qty at Source Warehouse,स्रोत वखार येथे उपलब्ध प्रमाण apps/erpnext/erpnext/config/support.py,Warranty,हमी @@ -6758,7 +6827,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","येथे आपण इ उंची, वजन, अॅलर्जी, वैद्यकीय चिंता राखण्यास मदत करू शकता" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,खाती तयार करीत आहे ... DocType: Leave Block List,Applies to Company,कंपनीसाठी लागू -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,सादर शेअर प्रवेश {0} अस्तित्वात असल्याने रद्द करू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,सादर शेअर प्रवेश {0} अस्तित्वात असल्याने रद्द करू शकत नाही DocType: Loan,Disbursement Date,खर्च तारीख DocType: Service Level Agreement,Agreement Details,कराराचा तपशील apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,कराराची प्रारंभ तारीख अंतिम तारखेपेक्षा मोठी किंवा त्यापेक्षा मोठी असू शकत नाही. @@ -6767,6 +6836,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,वैद्यकीय रेकॉर्ड DocType: Vehicle,Vehicle,वाहन DocType: Purchase Invoice,In Words,शब्द मध्ये +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,आजची तारीख तारखेपासून पूर्वीची असणे आवश्यक आहे apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,सबमिट करण्यापूर्वी बँक किंवा कर्ज संस्था यांचे नाव प्रविष्ट करा. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} सादर करणे आवश्यक आहे DocType: POS Profile,Item Groups,आयटम गट @@ -6839,7 +6909,6 @@ DocType: Customer,Sales Team Details,विक्री कार्यसंघ apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,कायमचे हटवा? DocType: Expense Claim,Total Claimed Amount,एकूण हक्क सांगितला रक्कम apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,विक्री संभाव्य संधी. -DocType: Plaid Settings,Link a new bank account,नवीन बँक खात्याचा दुवा साधा apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,} invalid अवैध उपस्थिती स्थिती आहे. DocType: Shareholder,Folio no.,फोलिओ नाही apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},अवैध {0} @@ -6855,7 +6924,6 @@ DocType: Production Plan,Material Requested,विनंती केलेल DocType: Warehouse,PIN,पिन DocType: Bin,Reserved Qty for sub contract,उप करारासाठी राखीव मात्रा DocType: Patient Service Unit,Patinet Service Unit,पेटीनेट सेवा युनिट -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,मजकूर फाइल व्युत्पन्न करा DocType: Sales Invoice,Base Change Amount (Company Currency),बेस बदला रक्कम (कंपनी चलन) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,खालील गोदामांची लेखा नोंदी नाहीत apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},आयटम {1} साठी स्टॉकमध्ये केवळ {0} @@ -6869,6 +6937,7 @@ DocType: Item,No of Months,महिन्यांची संख्या DocType: Item,Max Discount (%),कमाल सवलत (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,क्रेडिट डेज नकारात्मक नंबर असू शकत नाही apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,विधान अपलोड करा +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,या आयटमचा अहवाल द्या DocType: Purchase Invoice Item,Service Stop Date,सेवा थांबवा तारीख apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,गेल्या ऑर्डर रक्कम DocType: Cash Flow Mapper,e.g Adjustments for:,उदा. यासाठी समायोजन: @@ -6961,16 +7030,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,कर्मचारी कर सूट श्रेणी apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,रक्कम शून्यापेक्षा कमी नसावी. DocType: Sales Invoice,C-Form Applicable,सी-फॉर्म लागू -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},ऑपरेशन वेळ ऑपरेशन {0} साठी 0 पेक्षा जास्त असणे आवश्यक आहे +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},ऑपरेशन वेळ ऑपरेशन {0} साठी 0 पेक्षा जास्त असणे आवश्यक आहे DocType: Support Search Source,Post Route String,पोस्ट मार्ग स्ट्रिंग apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,वखार अनिवार्य आहे apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,वेबसाइट तयार करण्यात अयशस्वी DocType: Soil Analysis,Mg/K,मिग्रॅ / के DocType: UOM Conversion Detail,UOM Conversion Detail,UOM रुपांतर तपशील apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,प्रवेश व नावनोंदणी -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,धारणा केलेला स्टॉक एंट्री आधीपासून तयार केलेला किंवा नमुना प्रमाण प्रदान केलेला नाही +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,धारणा केलेला स्टॉक एंट्री आधीपासून तयार केलेला किंवा नमुना प्रमाण प्रदान केलेला नाही DocType: Program,Program Abbreviation,कार्यक्रम संक्षेप -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,उत्पादन ऑर्डर एक आयटम साचा निषेध जाऊ शकत नाही apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),व्हाउचर ग्रुप (एकत्रित) DocType: HR Settings,Encrypt Salary Slips in Emails,ईमेल मधील वेतन स्लिप्स कूटबद्ध करा DocType: Question,Multiple Correct Answer,एकाधिक अचूक उत्तरे @@ -7017,7 +7085,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,रेट नाही DocType: Employee,Educational Qualification,शैक्षणिक अर्हता DocType: Workstation,Operating Costs,खर्च apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},चलन {0} असणे आवश्यक आहे {1} -DocType: Employee Checkin,Entry Grace Period Consequence,प्रवेश ग्रेस कालावधी परिणाम DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,या शिफ्टमध्ये नियुक्त केलेल्या कर्मचार्‍यांसाठी 'कर्मचारी चेकइन' वर आधारित उपस्थिती चिन्हांकित करा. DocType: Asset,Disposal Date,विल्हेवाट दिनांक DocType: Service Level,Response and Resoution Time,प्रतिसाद आणि दिलासा वेळ @@ -7066,6 +7133,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,पूर्ण तारीख DocType: Purchase Invoice Item,Amount (Company Currency),रक्कम (कंपनी चलन) DocType: Program,Is Featured,वैशिष्ट्यीकृत आहे +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,आणत आहे ... DocType: Agriculture Analysis Criteria,Agriculture User,कृषी उपयोगकर्ता apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,व्यवहाराच्या तारखेपर्यंत आजपर्यंत मान्य नाही 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} हा व्यवहार पूर्ण करण्यासाठी साठी युनिट. @@ -7098,7 +7166,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,एकूण सशुल्क रक्कम 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,'जीएसटी' क्रमवारी मांडणे विक्री नोंदणी @@ -7122,6 +7189,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,अनाम apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,पासून प्राप्त DocType: Lead,Converted,रूपांतरित DocType: Item,Has Serial No,सिरियल क्रमांक आहे +DocType: Stock Entry Detail,PO Supplied Item,पीओ पुरवठा आयटम 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} साठी आयटम सेट करा @@ -7233,7 +7301,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,सिंक टॅक् DocType: Purchase Invoice,Write Off Amount (Company Currency),Write Off रक्कम (कंपनी चलन) DocType: Sales Invoice Timesheet,Billing Hours,बिलिंग तास DocType: Project,Total Sales Amount (via Sales Order),एकूण विक्री रक्कम (विक्री आदेशानुसार) -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,साठी {0} आढळले नाही मुलभूत BOM +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}: पुनर्क्रमित प्रमाणात सेट करा apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,त्यांना येथे जोडण्यासाठी आयटम टॅप करा @@ -7269,7 +7337,6 @@ DocType: Purchase Invoice,Y,वाय DocType: Maintenance Visit,Maintenance Date,देखभाल तारीख DocType: Purchase Invoice Item,Rejected Serial No,नाकारल्याचे सिरियल क्रमांक apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,वर्ष प्रारंभ तारीख किंवा समाप्ती तारीख {0} आच्छादित आहे. टाळण्यासाठी कृपया कंपनी -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> क्रमांकिंग सीरिजद्वारे उपस्थितीसाठी क्रमांकन मालिका सेट करा apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},लीडचे नाव {0} मध्ये लिहा. apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},आयटम {0} साठी प्रारंभ तारीखेपेक्षा अंतिम तारीख कमी असणे आवश्यक आहे DocType: Shift Type,Auto Attendance Settings,स्वयं उपस्थिती सेटिंग्ज @@ -7327,6 +7394,7 @@ DocType: Fees,Student Details,विद्यार्थी तपशील DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",हे आयटम आणि विक्री ऑर्डरसाठी वापरलेले डीफॉल्ट यूओएम आहे. फॉलबॅक यूओएम "नोस" आहे. DocType: Purchase Invoice Item,Stock Qty,शेअर प्रमाण DocType: Purchase Invoice Item,Stock Qty,शेअर प्रमाण +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,डिफॉल्ट शिपिंग खाते DocType: Loan,Repayment Period in Months,महिने कर्जफेड कालावधी @@ -7355,6 +7423,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise सवलत apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,कार्ये Timesheet. DocType: Purchase Invoice,Against Expense Account,खर्चाचे खाते विरुद्ध apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,प्रतिष्ठापन टीप {0} आधीच सादर केला गेला आहे +DocType: BOM,Raw Material Cost (Company Currency),कच्चा माल खर्च (कंपनी चलन) DocType: GSTR 3B Report,October,ऑक्टोबर DocType: Bank Reconciliation,Get Payment Entries,भरणा नोंदी मिळवा DocType: Quotation Item,Against Docname,Docname विरुद्ध @@ -7401,15 +7470,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,वापरण्याच्या तारखेसाठी उपलब्ध असणे आवश्यक आहे DocType: Request for Quotation,Supplier Detail,पुरवठादार तपशील apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},सूत्र किंवा अट त्रुटी: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Invoiced रक्कम +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Invoiced रक्कम apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,मापदंड वजन 100% पर्यंत जोडणे आवश्यक आहे apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,विधान परिषदेच्या apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,शेअर आयटम DocType: Sales Invoice,Update Billed Amount in Sales Order,विक्री ऑर्डरमध्ये बिल केलेली रक्कम अद्यतनित करा +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,विक्रेताशी संपर्क साधा 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,या आयटमचा अहवाल देण्यासाठी कृपया मार्केटप्लेस वापरकर्ता म्हणून लॉगिन करा. ,Sales Partner Commission Summary,विक्री भागीदार आयोगाचा सारांश ,Item Prices,आयटम किंमती DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,तुम्ही पर्चेस एकदा जतन केल्यावर शब्दा मध्ये दृश्यमान होईल. @@ -7422,6 +7493,7 @@ DocType: Dosage Form,Dosage Form,डोस फॉर्म apps/erpnext/erpnext/config/buying.py,Price List master.,किंमत सूची मास्टर. DocType: Task,Review Date,पुनरावलोकन तारीख DocType: BOM,Allow Alternative Item,वैकल्पिक आयटमला अनुमती द्या +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,खरेदी पावतीमध्ये कोणताही आयटम नाही ज्यासाठी रीटेन नमूना सक्षम केला आहे. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,बीजक एकूण DocType: Company,Series for Asset Depreciation Entry (Journal Entry),मालमत्ता घसारा प्रवेशासाठी मालिका (जर्नल प्रवेश) DocType: Membership,Member Since,पासून सदस्य @@ -7431,6 +7503,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,निव्वळ एकूण वर 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: Pricing Rule,Product Discount Scheme,उत्पादन सवलत योजना +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,कॉलरद्वारे कोणताही मुद्दा उपस्थित केला गेला नाही. DocType: Restaurant Reservation,Waitlisted,प्रतीक्षा यादी DocType: Employee Tax Exemption Declaration Category,Exemption Category,सवलत श्रेणी apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,काही इतर चलन वापरून नोंदी बनवून नंतर चलन बदलले जाऊ शकत नाही @@ -7444,7 +7517,6 @@ DocType: Customer Group,Parent Customer Group,पालक ग्राहक apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ई-वे बिल जेएसओएन केवळ विक्री चलन वरून तयार केला जाऊ शकतो apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,या क्विझसाठी जास्तीत जास्त प्रयत्न पोहोचले! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,सदस्यता -DocType: Purchase Invoice,Contact Email,संपर्क ईमेल apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,फी बनविणे प्रलंबित DocType: Project Template Task,Duration (Days),कालावधी (दिवस) DocType: Appraisal Goal,Score Earned,स्कोअर कमाई @@ -7470,7 +7542,6 @@ DocType: Landed Cost Item,Landed Cost Item,स्थावर खर्च आ 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","एकाच व्यवहाराची रक्कम जास्तीत जास्त अनुमत रकमेपेक्षा अधिक आहे, व्यवहारांमध्ये विभाजन करुन स्वतंत्र देय ऑर्डर तयार करा" DocType: Service Level Agreement,Entity,अस्तित्व DocType: Payment Reconciliation,Receivable / Payable Account,प्राप्त / देय खाते DocType: Delivery Note Item,Against Sales Order Item,विक्री ऑर्डर आयटम विरुद्ध @@ -7639,6 +7710,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,उ DocType: Quality Inspection Reading,Reading 3,3 वाचन DocType: Stock Entry,Source Warehouse Address,स्रोत वेअरहाऊस पत्ता DocType: GL Entry,Voucher Type,प्रमाणक प्रकार +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,भविष्यातील देयके 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 ,शेवटची क्रियाकलाप @@ -7665,6 +7737,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,शेतात आढळणा-या रोगांची यादी. निवडल्यावर तो या रोगाशी निगडीत कार्यांविषयी एक सूची स्वयंचलितपणे जोडेल +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,बीओएम 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,हे एक रूट हेल्थकेअर सर्व्हिस युनिट असून ते संपादित केले जाऊ शकत नाही. DocType: Asset Repair,Repair Status,स्थिती दुरुस्ती apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","विनंती केलेली संख्या: खरेदीसाठी प्रमाण विनंती केली, परंतु ऑर्डर केली गेली नाही." @@ -7679,6 +7752,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,खाते रक्कम बदल DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks शी कनेक्ट करीत आहे DocType: Exchange Rate Revaluation,Total Gain/Loss,एकूण मिळकत / नुकसान +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,निवडा यादी तयार करा apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},रो {0}: {3} {4} मधील {1} / {2} पक्ष / खात्याशी जुळत नाही DocType: Employee Promotion,Employee Promotion,कर्मचारी प्रोत्साहन DocType: Maintenance Team Member,Maintenance Team Member,देखरेख कार्यसंघ सदस्य @@ -7762,6 +7836,7 @@ 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,मालमत्ता वर्ग apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,निव्वळ वेतन नकारात्मक असू शकत नाही @@ -7793,7 +7868,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,गुणवत्ता गोल DocType: BOM,Item to be manufactured or repacked,आयटम उत्पादित किंवा repacked करणे apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},स्थितीत वाक्यरचना त्रुटी: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,ग्राहकाने कोणतीही समस्या उपस्थित केली नाही. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST- .YYYY.- DocType: Employee Education,Major/Optional Subjects,मुख्य / पर्यायी विषय apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,सप्लायर्स ग्रुप इन शॉपिंग सेटींग्ज सेट करा. @@ -7886,8 +7960,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,क्रेडिट दिवस apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,लॅब टेस्ट मिळविण्यासाठी कृपया रुग्ण निवडा DocType: Exotel Settings,Exotel Settings,एक्सटेल सेटिंग्ज -DocType: Leave Type,Is Carry Forward,कॅरी फॉरवर्ड आहे +DocType: Leave Ledger Entry,Is Carry Forward,कॅरी फॉरवर्ड आहे DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),कामकाजाचे तास ज्याखाली अनुपस्थित चिन्हांकित केले आहे. (अक्षम करण्यासाठी शून्य) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,एक संदेश पाठवा apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,BOM चे आयटम मिळवा 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,आयकर खर्च आहे diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv index cff7e09144..a1893bdc2d 100644 --- a/erpnext/translations/ms.csv +++ b/erpnext/translations/ms.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Maklumkan Pembekal apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Sila pilih Jenis Parti pertama DocType: Item,Customer Items,Item Pelanggan +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Liabiliti DocType: Project,Costing and Billing,Kos dan Billing apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Mata wang akaun terlebih dahulu harus sama dengan mata wang syarikat {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Unit keingkaran Langkah DocType: SMS Center,All Sales Partner Contact,Semua Jualan Rakan Hubungi DocType: Department,Leave Approvers,Tinggalkan Approvers DocType: Employee,Bio / Cover Letter,Surat Bio / Cover +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Item Carian ... DocType: Patient Encounter,Investigations,Siasatan DocType: Restaurant Order Entry,Click Enter To Add,Klik Masukkan Ke Tambah apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Nilai yang hilang untuk Kata Laluan, Kunci API atau URL Shopify" DocType: Employee,Rented,Disewa apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Semua Akaun apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Tidak dapat memindahkan Pekerja dengan status Kiri -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Perintah Pengeluaran berhenti tidak boleh dibatalkan, Unstop terlebih dahulu untuk membatalkan" DocType: Vehicle Service,Mileage,Jarak tempuh apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Adakah anda benar-benar mahu menghapuskan aset ini? DocType: Drug Prescription,Update Schedule,Kemas kini Jadual @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Pelanggan DocType: Purchase Receipt Item,Required By,Diperlukan oleh DocType: Delivery Note,Return Against Delivery Note,Kembali Terhadap Penghantaran Nota DocType: Asset Category,Finance Book Detail,Detail Buku Kewangan +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Semua susut nilai telah ditempah DocType: Purchase Order,% Billed,% Dibilkan apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Nombor Gaji apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Kadar pertukaran mestilah sama dengan {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Batch Perkara Status luput apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bank Draf DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Jumlah Penyertaan Lewat DocType: Mode of Payment Account,Mode of Payment Account,Cara Pembayaran Akaun apps/erpnext/erpnext/config/healthcare.py,Consultation,Perundingan DocType: Accounts Settings,Show Payment Schedule in Print,Tunjukkan Jadual Pembayaran dalam Cetak @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,In apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Butiran Hubungan Utama apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Isu Terbuka DocType: Production Plan Item,Production Plan Item,Rancangan Pengeluaran Item +DocType: Leave Ledger Entry,Leave Ledger Entry,Meninggalkan Entry Lejar apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Pengguna {0} telah diberikan kepada Pekerja {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} medan terhad kepada saiz {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Jum DocType: Purchase Invoice Item,Item Weight Details,Butiran Butiran Butiran DocType: Asset Maintenance Log,Periodicity,Jangka masa apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Tahun fiskal {0} diperlukan +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Keuntungan / Kerugian Bersih DocType: Employee Group Table,ERPNext User ID,ID pengguna ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Jarak minimum antara barisan tumbuhan untuk pertumbuhan optimum apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Sila pilih Pesakit untuk mendapatkan prosedur yang ditetapkan @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Senarai Harga Jualan DocType: Patient,Tobacco Current Use,Penggunaan Semasa Tembakau apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Kadar Jualan -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Sila simpan dokumen anda sebelum menambah akaun baru 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Dana DocType: Exchange Rate Revaluation Account,Gain/Loss,Keuntungan / Kerugian DocType: Crop,Perennial,Perennial DocType: Program,Is Published,Telah Diterbitkan +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Tunjukkan Nota Penghantaran apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Untuk membenarkan pengebilan, kemas kini "Lebihan Elaun Penagihan" dalam Tetapan Akaun atau Item." DocType: Patient Appointment,Procedure,Prosedur DocType: Accounts Settings,Use Custom Cash Flow Format,Gunakan Format Aliran Tunai Kastam @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Tinggalkan Butiran Dasar DocType: BOM,Item Image (if not slideshow),Perkara imej (jika tidak menayang) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Baris # {0}: Operasi {1} tidak siap untuk {2} qty barangan siap dalam Perintah Kerja {3}. Sila kemas kini status operasi melalui Job Job {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} adalah wajib untuk menjana pembayaran kiriman wang, menetapkan medan dan cuba lagi" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Kadar sejam / 60) * Masa Operasi Sebenar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Baris # {0}: Jenis Dokumen Rujukan mestilah salah satu Tuntutan Perbelanjaan atau Kemasukan Jurnal apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Pilih BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Membayar balik Over Bilangan Tempoh apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Kuantiti untuk Menghasilkan tidak boleh kurang daripada Sifar DocType: Stock Entry,Additional Costs,Kos Tambahan +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Akaun dengan urus niaga yang sedia ada tidak boleh ditukar kepada kumpulan. DocType: Lead,Product Enquiry,Pertanyaan Produk DocType: Education Settings,Validate Batch for Students in Student Group,Mengesahkan Batch untuk Pelajar dalam Kumpulan Pelajar @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Di bawah Siswazah apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Sila tetapkan templat lalai untuk Pemberitahuan Status Pemberitahuan dalam Tetapan HR. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Sasaran Pada DocType: BOM,Total Cost,Jumlah Kos +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Peruntukan Tamat Tempoh! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Daun yang Dikeluarkan Maksimum DocType: Salary Slip,Employee Loan,Pinjaman pekerja DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS -YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Hantar E-mel Permintaan Pembayaran @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Harta apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Penyata Akaun apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Pharmaceuticals DocType: Purchase Invoice Item,Is Fixed Asset,Adakah Aset Tetap +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Tunjukkan Pembayaran Masa Depan DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Akaun bank ini telah disegerakkan DocType: Homepage,Homepage Section,Seksyen Homepage @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Baja apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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. -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Sekurang-kurangnya satu cara pembayaran adalah diperlukan untuk POS invois. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Batch tidak diperlukan untuk item yang dibatal {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Item Invois Transaksi Penyata Bank @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,Pilih Terma dan Syarat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Nilai keluar DocType: Bank Statement Settings Item,Bank Statement Settings Item,Item Tetapan Pernyataan Bank DocType: Woocommerce Settings,Woocommerce Settings,Tetapan Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Nama Transaksi DocType: Production Plan,Sales Orders,Jualan Pesanan apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Program Kesetiaan Pelbagai yang ditemui untuk Pelanggan. Sila pilih secara manual. DocType: Purchase Taxes and Charges,Valuation,Penilaian @@ -461,6 +469,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Hanya tunjukkan Pelanggan Kumpulan Pelanggan ini DocType: Sales Invoice,Is Opening Entry,Apakah Membuka Entry @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Sebut jika akaun belum terima tidak standard yang diguna pakai 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 DocType: Supplier Scorecard,Criteria Setup,Persediaan Kriteria -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Untuk Gudang diperlukan sebelum Hantar +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 DocType: Codification Table,Medical Code,Kod Perubatan apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Sambungkan Amazon dengan ERPNext @@ -486,7 +496,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Akaun bank ditambah -DocType: Delivery Stop,Contact Name,Nama Kenalan +DocType: Call Log,Contact Name,Nama Kenalan DocType: Plaid Settings,Synchronize all accounts every hour,Segerakkan semua akaun setiap jam DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteria Penilaian Kursus DocType: Pricing Rule Detail,Rule Applied,Peraturan digunapakai @@ -530,7 +540,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Nombor Tidak Diketahui DocType: Website Filter Field,Website Filter Field,Bidang Penapis Laman Web apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Jenis Bekalan DocType: Material Request Item,Min Order Qty,Min Order Qty @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,Jumlah Jumlah Prinsipal DocType: Student Guardian,Relation,Perhubungan DocType: Quiz Result,Correct,Betul DocType: Student Guardian,Mother,ibu -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Sila tambahkan kunci api Plaid yang sah di site_config.json terlebih dahulu DocType: Restaurant Reservation,Reservation End Time,Waktu Tamat Tempahan DocType: Crop,Biennial,Dua tahun ,BOM Variance Report,Laporan Variasi BOM @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Bayaran terhadap {0} {1} tidak boleh lebih besar daripada Outstanding Jumlah {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,Tetapan POS Luar Talian DocType: Stock Entry Detail,Reference Purchase Receipt,Resit Pembelian Rujukan DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Varian Daripada -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Siap Qty tidak boleh lebih besar daripada 'Kuantiti untuk Pengeluaran' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Siap Qty tidak boleh lebih besar daripada 'Kuantiti untuk Pengeluaran' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Tempoh berasaskan DocType: Period Closing Voucher,Closing Account Head,Penutup Kepala Akaun DocType: Employee,External Work History,Luar Sejarah Kerja apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Ralat Rujukan Pekeliling apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Kad Laporan Pelajar apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Daripada Kod Pin +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Tunjukkan Orang Jualan DocType: Appointment Type,Is Inpatient,Adalah Pesakit Dalam apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nama Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Dalam Perkataan (Eksport) akan dapat dilihat selepas anda menyimpan Nota Penghantaran. @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Nama Dimensi apps/erpnext/erpnext/healthcare/setup.py,Resistant,Tahan apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Sila tetapkan Kadar Bilik Hotel pada {} +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: Journal Entry,Multi Currency,Mata Multi DocType: Bank Statement Transaction Invoice Item,Invoice Type,Jenis invois apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Sah dari tarikh mestilah kurang dari tarikh upto yang sah @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,diterima Masuk DocType: Workstation,Rent Cost,Kos sewa 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Akan Datang Kalendar Acara apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Atribut varian @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,Permintaan untuk sebut harg 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Tunjukkan Orang Jualan di Cetak 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 @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Buat Pelanggan baru apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Tamat Tempoh apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jika beberapa Peraturan Harga terus diguna pakai, pengguna diminta untuk menetapkan Keutamaan secara manual untuk menyelesaikan konflik." -DocType: Purchase Invoice,Scan Barcode,Kod Bar Imbas apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Buat Pesanan Pembelian ,Purchase Register,Pembelian Daftar apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pesakit tidak dijumpai @@ -817,6 +828,7 @@ DocType: Account,Old Parent,Old Ibu Bapa apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,medan mandatori - Academic Year apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,medan mandatori - Academic Year apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} tidak dikaitkan dengan {2} {3} +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} @@ -860,6 +872,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Komponen gaji untuk gaji berdasarkan timesheet. DocType: Driver,Applicable for external driver,Berkenaan pemandu luaran DocType: Sales Order Item,Used for Production Plan,Digunakan untuk Rancangan Pengeluaran +DocType: BOM,Total Cost (Company Currency),Jumlah Kos (Mata Wang Syarikat) DocType: Loan,Total Payment,Jumlah Bayaran apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Tidak dapat membatalkan transaksi untuk Perintah Kerja yang Selesai. DocType: Manufacturing Settings,Time Between Operations (in mins),Masa Antara Operasi (dalam minit) @@ -881,6 +894,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Beritahu Yang Lain DocType: Vital Signs,Blood Pressure (systolic),Tekanan Darah (sistolik) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} ialah {2} DocType: Item Price,Valid Upto,Sah Upto +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. @@ -899,6 +913,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Perubahan dalam {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Sila pilih Syarikat DocType: Employee Skill,Employee Skill,Kemahiran Pekerja apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Akaun perbezaan @@ -943,6 +958,7 @@ DocType: Patient,Risk Factors,Faktor-faktor risiko DocType: Patient,Occupational Hazards and Environmental Factors,Bencana dan Faktor Alam Sekitar apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Penyertaan Saham telah dibuat untuk Perintah Kerja apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Lihat pesanan terdahulu +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,Perbualan {0} DocType: Vital Signs,Respiratory rate,Kadar pernafasan apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Urusan subkontrak DocType: Vital Signs,Body Temperature,Suhu Badan @@ -984,6 +1000,7 @@ DocType: Purchase Invoice,Registered Composition,Komposisi Berdaftar apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Hello apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Move Perkara DocType: Employee Incentive,Incentive Amount,Jumlah Insentif +,Employee Leave Balance Summary,Ringkasan Baki Cuti Pekerja DocType: Serial No,Warranty Period (Days),Tempoh Waranti (Hari) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Jumlah Jumlah Kredit / Debit mestilah sama seperti Kemasukan Jurnal yang dipautkan DocType: Installation Note Item,Installation Note Item,Pemasangan Nota Perkara @@ -997,6 +1014,7 @@ DocType: Vital Signs,Bloated,Kembung DocType: Salary Slip,Salary Slip Timesheet,Slip Gaji Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Pembekal Gudang mandatori bagi sub-kontrak Pembelian Resit DocType: Item Price,Valid From,Sah Dari +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Pendapat anda: DocType: Sales Invoice,Total Commission,Jumlah Suruhanjaya DocType: Tax Withholding Account,Tax Withholding Account,Akaun Pegangan Cukai DocType: Pricing Rule,Sales Partner,Rakan Jualan @@ -1004,6 +1022,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Semua kad skor Pe 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 +DocType: Item,Website Image,Imej Laman Web apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Gudang sasaran dalam baris {0} mestilah sama dengan Perintah Kerja apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Kadar Penilaian adalah wajib jika Stok Awal memasuki 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 @@ -1038,8 +1057,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},D 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Sila lengkapkan konfigurasi API Plaid anda sebelum menyegerakkan akaun anda 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 DocType: Job Applicant,Resume Attachment,resume Lampiran @@ -1051,7 +1070,6 @@ DocType: Production Plan,Production Plan,Pelan Pengeluaran DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Pembukaan Alat Penciptaan Invois DocType: Salary Component,Round to the Nearest Integer,Pusingan ke Integer Hampir apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Jualan Pulangan -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota: Jumlah daun diperuntukkan {0} hendaklah tidak kurang daripada daun yang telah pun diluluskan {1} untuk tempoh yang DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Tetapkan Qty dalam Transaksi berdasarkan Serial No Input ,Total Stock Summary,Ringkasan Jumlah Saham apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1080,6 +1098,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Sat apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Jumlah prinsipal DocType: Loan Application,Total Payable Interest,Jumlah Faedah yang Perlu Dibayar apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Jumlah yang belum dijelaskan: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Buka Kenalan DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Invois Jualan Timesheet 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} @@ -1089,6 +1108,7 @@ 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 DocType: Restaurant Reservation,Restaurant Reservation,Tempahan Restoran +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Item Anda apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Penulisan Cadangan DocType: Payment Entry Deduction,Payment Entry Deduction,Pembayaran Potongan Kemasukan DocType: Service Level Priority,Service Level Priority,Keutamaan Tahap Perkhidmatan @@ -1097,6 +1117,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Siri Nombor Kumpulan apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Satu lagi Orang Jualan {0} wujud dengan id Pekerja yang sama DocType: Employee Advance,Claimed Amount,Jumlah yang dituntut +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Tamat Tempoh Alokasi 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 @@ -1166,7 +1187,6 @@ DocType: Student Batch Name,Batch Name,Batch Nama DocType: Fee Validity,Max number of visit,Bilangan lawatan maksimum DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Mandatori Untuk Akaun Untung dan Rugi ,Hotel Room Occupancy,Penghunian Bilik Hotel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet dicipta: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Sila tetapkan lalai Tunai atau akaun Bank dalam Mod Bayaran {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,mendaftar DocType: GST Settings,GST Settings,Tetapan GST @@ -1300,6 +1320,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Sila pilih Program DocType: Project,Estimated Cost,Anggaran kos DocType: Request for Quotation,Link to material requests,Link kepada permintaan bahan +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Menerbitkan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aeroangkasa ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Entry Kad Kredit @@ -1326,6 +1347,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Aset Semasa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} bukan perkara stok apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Sila maklumkan maklum balas anda ke latihan dengan mengklik 'Maklum Balas Latihan' dan kemudian 'Baru' +DocType: Call Log,Caller Information,Maklumat Pemanggil DocType: Mode of Payment Account,Default Account,Akaun Default apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Sila pilih Gudang Retensi Contoh dalam Tetapan Stok dahulu apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Sila pilih jenis Program Pelbagai Tier untuk lebih daripada satu peraturan pengumpulan. @@ -1350,6 +1372,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Permintaan bahan Auto Generated DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Waktu kerja di bawah yang Separuh Hari ditandakan. (Sifar untuk mematikan) DocType: Job Card,Total Completed Qty,Jumlah Selesai Qty +DocType: HR Settings,Auto Leave Encashment,Auto Encashment Tinggalkan apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Hilang apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Anda tidak boleh memasuki baucar semasa dalam 'Terhadap Journal Entry' ruangan DocType: Employee Benefit Application Detail,Max Benefit Amount,Jumlah Faedah Maksima @@ -1379,9 +1402,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Pelanggan DocType: Item Attribute Value,Item Attribute Value,Perkara Atribut Nilai apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Pertukaran Mata Wang mesti terpakai untuk Beli atau Jual. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Peruntukan yang luput sahaja boleh dibatalkan DocType: Item,Maximum sample quantity that can be retained,Kuantiti maksimum sampel yang dapat dikekalkan apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Baris {0} # Item {1} tidak boleh dipindahkan lebih daripada {2} terhadap Pesanan Pembelian {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Kempen jualan. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Pemanggil tidak diketahui DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1413,6 +1438,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Jadual Penj apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Nama Doc DocType: Expense Claim Detail,Expense Claim Type,Perbelanjaan Jenis Tuntutan DocType: Shopping Cart Settings,Default settings for Shopping Cart,Tetapan lalai untuk Troli Beli Belah +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Simpan Item apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Perbelanjaan Baru apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Abaikan Qty yang Dimasukkan apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Tambah Timeslots @@ -1425,6 +1451,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Semak Jemputan Dihantar DocType: Shift Assignment,Shift Assignment,Tugasan Shift DocType: Employee Transfer Property,Employee Transfer Property,Harta Pemindahan Pekerja +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Akaun Ekuiti / Liabiliti lapangan tidak boleh kosong apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Dari Masa Harus Kurang Daripada Masa apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Bioteknologi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1507,11 +1534,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Dari Nege 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Jadual kursus DocType: GSTR 3B Report,GSTR 3B Report,Laporan GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Status Petikan DocType: GoCardless Settings,Webhooks Secret,Rahsia Webhooks DocType: Maintenance Visit,Completion Status,Siap Status +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Jumlah bayaran total tidak boleh melebihi {} DocType: Daily Work Summary Group,Select Users,Pilih Pengguna DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Item Harga Bilik Hotel DocType: Loyalty Program Collection,Tier Name,Nama Tier @@ -1549,6 +1578,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Jumlah S DocType: Lab Test Template,Result Format,Format Keputusan DocType: Expense Claim,Expenses,Perbelanjaan DocType: Service Level,Support Hours,Waktu sokongan +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Nota penghantaran DocType: Item Variant Attribute,Item Variant Attribute,Perkara Variant Sifat ,Purchase Receipt Trends,Trend Resit Pembelian DocType: Payroll Entry,Bimonthly,dua bulan sekali @@ -1571,7 +1601,6 @@ DocType: Sales Team,Incentives,Insentif DocType: SMS Log,Requested Numbers,Nombor diminta DocType: Volunteer,Evening,Petang DocType: Quiz,Quiz Configuration,Konfigurasi Kuiz -DocType: Customer,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 @@ -1618,7 +1647,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Mata Wa ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Tidak dapat mencari Slot Masa di akhirat {0} hari untuk Operasi {1} DocType: Work Order,Plan material for sub-assemblies,Bahan rancangan untuk sub-pemasangan 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 @@ -1633,9 +1661,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Anda perlu mendayakan semula semula secara automatik dalam Tetapan Stok untuk mengekalkan tahap pesanan semula. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Batal Bahan Lawatan {0} sebelum membatalkan Lawatan Penyelenggaraan ini DocType: Pricing Rule,Rate or Discount,Kadar atau Diskaun +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Butiran Bank DocType: Vital Signs,One Sided,Satu sisi apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},No siri {0} bukan milik Perkara {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Diperlukan Qty +DocType: Purchase Order Item Supplied,Required Qty,Diperlukan Qty DocType: Marketplace Settings,Custom Data,Data Tersuai apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Gudang dengan urus niaga yang sedia ada tidak boleh ditukar ke dalam lejar. DocType: Service Day,Service Day,Hari Perkhidmatan @@ -1663,7 +1692,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Mata Wang Akaun DocType: Lab Test,Sample ID,ID sampel apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Sila menyebut Akaun Off Pusingan dalam Syarikat -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Pelbagai DocType: Supplier,Default Payable Accounts,Default Akaun Belum Bayar apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Pekerja {0} tidak aktif atau tidak wujud @@ -1704,8 +1732,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Permintaan Maklumat DocType: Course Activity,Activity Date,Tarikh Aktiviti apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} of {} -,LeaderBoard,Leaderboard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Kadar Dengan Margin (Mata Wang Syarikat) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategori apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Invois DocType: Payment Request,Paid,Dibayar DocType: Service Level,Default Priority,Keutamaan lalai @@ -1740,11 +1768,11 @@ DocType: Agriculture Task,Agriculture Task,Petugas Pertanian apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Pendapatan tidak langsung DocType: Student Attendance Tool,Student Attendance Tool,Alat Kehadiran Pelajar DocType: Restaurant Menu,Price List (Auto created),Senarai harga (dicipta secara automatik) +DocType: Pick List Item,Picked Qty,Dikenali Qty DocType: Cheque Print Template,Date Settings,tarikh Tetapan 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 -,Company Name,Nama Syarikat 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. @@ -1763,7 +1791,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Percubaan terkini DocType: Quiz Result,Quiz Result,Keputusan Kuiz 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} -DocType: BOM,Raw Material Cost(Company Currency),Bahan mentah Kos (Syarikat Mata Wang) 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 @@ -1832,6 +1859,7 @@ DocType: Travel Itinerary,Train,Melatih ,Delayed Item Report,Laporan Perkara Tertangguh apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC yang layak DocType: Healthcare Service Unit,Inpatient Occupancy,Pendudukan Pesakit Dalam +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Terbitkan Item Pertama Anda DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Masa selepas tamat peralihan semasa daftar keluar dianggap untuk kehadiran. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Sila nyatakan {0} @@ -1950,6 +1978,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,semua boms apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Buat Kemasukan Jurnal Syarikat Antara DocType: Company,Parent Company,Syarikat induk apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotel Bilik jenis {0} tidak tersedia di {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Bandingkan BOM untuk perubahan Bahan Baku dan Operasi apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokumen {0} berjaya dibersihkan DocType: Healthcare Practitioner,Default Currency,Mata wang lalai apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Menyelaraskan akaun ini @@ -1984,6 +2013,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detail C-Borang Invois DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Bayaran Penyesuaian Invois DocType: Clinical Procedure,Procedure Template,Templat Prosedur +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Terbitkan Item apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Sumbangan% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Sebagai satu Tetapan Membeli jika Purchase Order Diperlukan == 'YA', maka untuk mewujudkan Invois Belian, pengguna perlu membuat Pesanan Belian pertama bagi item {0}" ,HSN-wise-summary of outward supplies,Ringkasan ringkasan HSN bekalan luar @@ -1996,7 +2026,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Sila menetapkan 'Guna Diskaun tambahan On' DocType: Party Tax Withholding Config,Applicable Percent,Peratusan yang berkenaan ,Ordered Items To Be Billed,Item Diperintah dibilkan -DocType: Employee Checkin,Exit Grace Period Consequence,Keluar dari Tempoh Berikutan Akibat apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Dari Range mempunyai kurang daripada Untuk Julat DocType: Global Defaults,Global Defaults,Lalai Global apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Projek Kerjasama Jemputan @@ -2004,13 +2033,11 @@ DocType: Salary Slip,Deductions,Potongan DocType: Setup Progress Action,Action Name,Nama Tindakan apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Mula Tahun apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Buat Pinjaman -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Tarikh tempoh invois semasa memulakan DocType: Shift Type,Process Attendance After,Kehadiran Proses Selepas ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Tinggalkan Tanpa Gaji DocType: Payment Request,Outward,Keluar -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Kapasiti Ralat Perancangan apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Cukai Negeri / UT ,Trial Balance for Party,Baki percubaan untuk Parti ,Gross and Net Profit Report,Laporan Keuntungan Kasar dan Bersih @@ -2029,7 +2056,6 @@ DocType: Payroll Entry,Employee Details,Butiran Pekerja 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} -DocType: Setup Progress Action,Domains,Domain 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} @@ -2072,7 +2098,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Mesyuarat 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.","Mode bayaran tidak dikonfigurasikan. Sila semak, sama ada akaun ini tidak ditetapkan Mod Pembayaran atau POS Profil." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,item yang sama tidak boleh dimasukkan beberapa kali. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Akaun lanjut boleh dibuat di bawah Kumpulan, tetapi penyertaan boleh dibuat terhadap bukan Kumpulan" -DocType: Email Campaign,Lead,Lead +DocType: Call Log,Lead,Lead DocType: Email Digest,Payables,Pemiutang DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Kempen E-mel Untuk @@ -2084,6 +2110,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Item Pesanan Belian dikenakan caj 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 DocType: Purchase Invoice Item,Net Rate,Kadar bersih apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Sila pilih pelanggan DocType: Leave Policy,Leave Allocations,Tinggalkan Alokasi @@ -2097,6 +2124,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Tutup Isu Selepas Hari ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Anda perlu menjadi pengguna dengan Pengurus Sistem dan peranan Pengurus Item untuk menambah pengguna ke Marketplace. +DocType: Attendance,Early Exit,Keluar awal DocType: Job Opening,Staffing Plan,Pelan Kakitangan apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,Rang Undang-undang JSON e-Way hanya boleh dihasilkan daripada dokumen yang dikemukakan apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Cukai dan Faedah Pekerja @@ -2119,6 +2147,7 @@ DocType: Maintenance Team Member,Maintenance Role,Peranan Penyelenggaraan apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Salinan barisan {0} dengan sama {1} DocType: Marketplace Settings,Disable Marketplace,Lumpuhkan Pasaran DocType: Quality Meeting,Minutes,Minit +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Item Pilihan Anda ,Trial Balance,Imbangan Duga apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Tunjukkan Selesai apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Tahun Anggaran {0} tidak dijumpai @@ -2128,8 +2157,8 @@ 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 DocType: Contract,Fulfilment Deadline,Tarikh akhir penyempurnaan +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Berhampiran anda DocType: Student,O-,O- -DocType: Shift Type,Consequence,Akibatnya DocType: Subscription Settings,Subscription Settings,Tetapan Langganan DocType: Purchase Invoice,Update Auto Repeat Reference,Kemas kini Rujukan Ulang Auto apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Senarai Percutian Pilihan tidak ditetapkan untuk tempoh cuti {0} @@ -2140,7 +2169,6 @@ DocType: Maintenance Visit Purpose,Work Done,Kerja Selesai apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Sila nyatakan sekurang-kurangnya satu atribut dalam jadual Atribut DocType: Announcement,All Students,semua Pelajar apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Perkara {0} perlu menjadi item tanpa saham yang -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Lihat Lejar DocType: Grading Scale,Intervals,selang DocType: Bank Statement Transaction Entry,Reconciled Transactions,Urus Niaga yang dirunding @@ -2176,6 +2204,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Peluang Perkara DocType: Quality Action,Quality Review,Kajian Kualiti @@ -2202,7 +2231,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Dapatkan Invois Cemerlang -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Pesanan Jualan {0} tidak sah +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,pesanan pembelian membantu anda merancang dan mengambil tindakan susulan ke atas pembelian anda apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Preskripsi Ubat Lab @@ -2227,6 +2256,7 @@ DocType: Employee Onboarding,Notify users by email,Beritahu pengguna melalui e-m DocType: Travel Request,International,Antarabangsa DocType: Training Event,Training Event,Event Training DocType: Item,Auto re-order,Auto semula perintah +DocType: Attendance,Late Entry,Entri lewat apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Jumlah Pencapaian DocType: Employee,Place of Issue,Tempat Dikeluarkan DocType: Promotional Scheme,Promotional Scheme Price Discount,Diskaun Harga Skim Promosi @@ -2273,6 +2303,7 @@ DocType: Serial No,Serial No Details,Serial No Butiran DocType: Purchase Invoice Item,Item Tax Rate,Perkara Kadar Cukai apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Dari Nama Parti apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Jumlah Gaji Bersih +DocType: Pick List,Delivery against Sales Order,Penghantaran terhadap Perintah Jualan DocType: Student Group Student,Group Roll Number,Kumpulan Nombor Roll DocType: Student Group Student,Group Roll Number,Kumpulan Nombor Roll apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Untuk {0}, hanya akaun kredit boleh dikaitkan terhadap kemasukan debit lain" @@ -2346,7 +2377,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Nilai ini digunakan untuk pengiraan pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Anda perlu untuk membolehkan Troli DocType: Payment Entry,Writeoff,Hapus kira DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2360,6 +2390,7 @@ DocType: Delivery Trip,Total Estimated Distance,Jumlah Anggaran DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Akaun Belum Dibayar Akaun Belum Dibayar DocType: Tally Migration,Tally Company,Syarikat Tally apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Pelayar +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Tidak dibenarkan membuat dimensi perakaunan untuk {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Sila kemas kini status anda untuk acara latihan ini DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Tambah atau Memotong @@ -2369,7 +2400,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Item Jualan Tidak Aktif DocType: Quality Review,Additional Information,Maklumat tambahan apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Jumlah Nilai Pesanan -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Reset Tahap Perkhidmatan Tahap. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Makanan apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Range Penuaan 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Butiran Baucar Penutupan POS @@ -2416,6 +2446,7 @@ 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 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' DocType: Healthcare Practitioner,Contacts and Address,Kenalan dan Alamat DocType: Shift Type,Determine Check-in and Check-out,Tentukan daftar masuk dan daftar keluar @@ -2435,7 +2466,6 @@ DocType: Student Admission,Eligibility and Details,Kelayakan dan Butiran apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Termasuk dalam Untung Kasar apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Perubahan Bersih dalam Aset Tetap apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Kod Pelanggan apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Penjaga jenis 'sebenar' di baris {0} tidak boleh dimasukkan dalam Kadar Perkara apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Dari datetime @@ -2503,6 +2533,7 @@ DocType: Journal Entry Account,Account Balance,Baki Akaun apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Pelanggan dikehendaki terhadap akaun Belum Terima {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Jumlah Cukai dan Caj (Mata Wang Syarikat) DocType: Weather,Weather Parameter,Parameter Cuaca @@ -2565,6 +2596,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Ambang Waktu Bekerja untu apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Terdapat beberapa faktor pengumpulan peringkat berdasarkan jumlah yang dibelanjakan. Tetapi faktor penukaran untuk penebusan akan selalu sama untuk semua tier. apps/erpnext/erpnext/config/help.py,Item Variants,Kelainan Perkara apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Perkhidmatan +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Email Slip Gaji kepada Pekerja DocType: Cost Center,Parent Cost Center,Kos Pusat Ibu Bapa @@ -2575,7 +2607,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","P DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Import Nota Penghantaran dari Shopify pada Penghantaran apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Show ditutup DocType: Issue Priority,Issue Priority,Keutamaan Terbitan -DocType: Leave Type,Is Leave Without Pay,Apakah Tinggalkan Tanpa Gaji +DocType: Leave Ledger Entry,Is Leave Without Pay,Apakah Tinggalkan Tanpa Gaji apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Kategori Asset adalah wajib bagi item Aset Tetap DocType: Fee Validity,Fee Validity,Kesahan Fee @@ -2624,6 +2656,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Batch didapati Qty apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Update Cetak Format DocType: Bank Account,Is Company Account,Adakah Akaun Syarikat apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Jenis Tinggalkan {0} tidak boleh encashable +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Had kredit telah ditakrifkan untuk Syarikat {0} DocType: Landed Cost Voucher,Landed Cost Help,Tanah Kos Bantuan DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Pilih Alamat Penghantaran @@ -2648,6 +2681,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Dua hala DocType: Item,Manufacturers,Pengilang @@ -2685,7 +2719,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Penyata Penyesuaian Bank DocType: Patient Encounter,Medical Coding,Pengkodan Perubatan DocType: Healthcare Settings,Reminder Message,Mesej Peringatan -,Lead Name,Nama Lead +DocType: Call Log,Lead Name,Nama Lead ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Prospek @@ -2717,12 +2751,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Gudang Pembekal DocType: Opportunity,Contact Mobile No,Hubungi Mobile No apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Pilih Syarikat ,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: 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- 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.,Pengguna {0} tidak mempunyai profil POS lalai. Semak lalai di Row {1} untuk Pengguna ini. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minit Mesyuarat Kualiti +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pembekal> Jenis Pembekal apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Rujukan pekerja DocType: Student Group,Set 0 for no limit,Hanya 0 untuk tiada had apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Hari (s) di mana anda memohon cuti adalah cuti. Anda tidak perlu memohon cuti. @@ -2756,12 +2792,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Perubahan Bersih dalam Tunai DocType: Assessment Plan,Grading Scale,Skala penggredan apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unit Langkah {0} telah memasuki lebih daripada sekali dalam Factor Penukaran Jadual -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,sudah selesai apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock In Hand apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Sila tambahkan faedah yang tinggal {0} kepada aplikasi sebagai komponen \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Sila nyatakan Kod Fiskal untuk pentadbiran awam '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Permintaan Bayaran sudah wujud {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Kos Item Dikeluarkan DocType: Healthcare Practitioner,Hospital,Hospital apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Kuantiti mestilah tidak lebih daripada {0} @@ -2806,6 +2840,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Sumber Manusia apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Pendapatan atas DocType: Item Manufacturer,Item Manufacturer,Perkara Manufacturer +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Buat Pemimpin Baru DocType: BOM Operation,Batch Size,Saiz kumpulan apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Tolak DocType: Journal Entry Account,Debit in Company Currency,Debit dalam Syarikat Mata Wang @@ -2826,9 +2861,11 @@ DocType: Bank Transaction,Reconciled,Berdamai DocType: Expense Claim,Total Amount Reimbursed,Jumlah dibayar balik apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Ini adalah berdasarkan kepada balak terhadap kenderaan ini. Lihat garis masa di bawah untuk maklumat apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Tarikh penggajian tidak boleh kurang daripada tarikh menyertai pekerja +DocType: Pick List,Item Locations,Lokasi Item apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} dicipta apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Terbuka Pekerjaan untuk penunjukan {0} sudah dibuka \ atau pengambilan selesai seperti Per Rancangan Kakitangan {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Anda boleh menyiarkan sehingga 200 item. DocType: Vital Signs,Constipated,Sembelit apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Terhadap Pembekal Invois {0} bertarikh {1} DocType: Customer,Default Price List,Senarai Harga Default @@ -2922,6 +2959,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Tally Migration,Is Day Book Data Imported,Adakah Data Buku Hari Diimport apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Perbelanjaan pemasaran +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} unit {1} tidak tersedia. ,Item Shortage Report,Perkara Kekurangan Laporan 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 @@ -2945,6 +2983,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 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 DocType: Material Request,Transferred,dipindahkan DocType: Vehicle,Doors,Doors @@ -3025,7 +3064,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Kod Item Pelanggan DocType: Stock Reconciliation,Stock Reconciliation,Saham Penyesuaian DocType: Territory,Territory Name,Wilayah Nama DocType: Email Digest,Purchase Orders to Receive,Pesanan Pembelian untuk Menerima -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Kerja dalam Kemajuan Gudang diperlukan sebelum Hantar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Kerja dalam Kemajuan Gudang diperlukan sebelum Hantar apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Anda hanya boleh mempunyai Pelan dengan kitaran pengebilan yang sama dalam Langganan DocType: Bank Statement Transaction Settings Item,Mapped Data,Data Mapping DocType: Purchase Order Item,Warehouse and Reference,Gudang dan Rujukan @@ -3101,6 +3140,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Tetapan Penghantaran apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Ambil Data apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Cuti maksimum dibenarkan dalam cuti jenis {0} adalah {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Terbitkan 1 Perkara DocType: SMS Center,Create Receiver List,Cipta Senarai Penerima DocType: Student Applicant,LMS Only,LMS sahaja apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Tarikh sedia untuk digunakan hendaklah selepas tarikh pembelian @@ -3134,6 +3174,7 @@ 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 DocType: Vital Signs,Furry,Berbulu apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Sila menetapkan 'Akaun / Kerugian Keuntungan Pelupusan Aset' dalam Syarikat {0} +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} @@ -3145,6 +3186,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Lihat semua isu dari {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Jadual Mesyuarat Kualiti +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/templates/pages/help.html,Visit the forums,Lawati forum DocType: Student,Student Mobile Number,Pelajar Nombor Telefon DocType: Item,Has Variants,Mempunyai Kelainan @@ -3156,9 +3198,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Nama Pembahagian DocType: Quality Procedure Process,Quality Procedure Process,Proses Prosedur Kualiti apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch ID adalah wajib apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch ID adalah wajib +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Sila pilih Pelanggan terlebih dahulu DocType: Sales Person,Parent Sales Person,Orang Ibu Bapa Jualan apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Tiada item yang akan diterima adalah tertunggak apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Penjual dan pembeli tidak boleh sama +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Tiada pandangan lagi DocType: Project,Collect Progress,Kumpulkan Kemajuan DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Pilih program pertama @@ -3180,11 +3224,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Tercapai DocType: Student Admission,Application Form Route,Borang Permohonan Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Tarikh Akhir Perjanjian tidak boleh kurang dari hari ini. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter untuk dihantar DocType: Healthcare Settings,Patient Encounters in valid days,Pesakit Hadapan dalam hari-hari yang sah apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Tinggalkan Jenis {0} tidak boleh diperuntukkan sejak ia meninggalkan tanpa gaji 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},Row {0}: Jumlah Peruntukan {1} mesti kurang daripada atau sama dengan invois Jumlah tertunggak {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Dalam Perkataan akan dapat dilihat selepas anda menyimpan Invois Jualan. DocType: Lead,Follow Up,Mengikuti +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Pusat Kos: {0} tidak wujud DocType: Item,Is Sales Item,Adalah Item Jualan apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Perkara Kumpulan Tree apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Perkara {0} tidak ditetapkan untuk Serial No. Semak Item induk @@ -3228,9 +3274,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Dibekalkan Qty DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Bahan Permintaan Item -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Sila membatalkan Resit Pembelian {0} terlebih dahulu apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Pohon Kumpulan Item. DocType: Production Plan,Total Produced Qty,Jumlah Dihasilkan Qty +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Tiada ulasan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Tidak boleh merujuk beberapa berturut-turut lebih besar daripada atau sama dengan bilangan baris semasa untuk jenis Caj ini DocType: Asset,Sold,dijual ,Item-wise Purchase History,Perkara-bijak Pembelian Sejarah @@ -3249,7 +3295,7 @@ DocType: Designation,Required Skills,Kemahiran yang Diperlukan DocType: Inpatient Record,O Positive,O Positif apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Pelaburan DocType: Issue,Resolution Details,Resolusi Butiran -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Jenis Transaksi +DocType: Leave Ledger Entry,Transaction Type,Jenis Transaksi DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriteria Penerimaan apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Sila masukkan Permintaan bahan dalam jadual di atas apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Tiada bayaran balik yang tersedia untuk Kemasukan Jurnal @@ -3291,6 +3337,7 @@ DocType: Bank Account,Bank Account No,Akaun Bank No DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Pengeluaran Bukti Pengecualian Cukai Pekerja DocType: Patient,Surgical History,Sejarah Pembedahan DocType: Bank Statement Settings Item,Mapped Header,Mapped Header +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: 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. 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} @@ -3359,7 +3406,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Tambah Letterhead DocType: Program Enrollment,Self-Driving Vehicle,Self-Driving Kenderaan 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Jumlah daun diperuntukkan {0} tidak boleh kurang daripada daun yang telah pun diluluskan {1} bagi tempoh DocType: Contract Fulfilment Checklist,Requirement,Keperluan DocType: Journal Entry,Accounts Receivable,Akaun-akaun boleh terima DocType: Quality Goal,Objectives,Objektif @@ -3382,7 +3428,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Ambang Transaksi Sing DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Nilai ini dikemas kini dalam Senarai Harga Jualan Lalai. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Troli anda kosong DocType: Email Digest,New Expenses,Perbelanjaan baru -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Jumlah PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Tidak Dapat Mengoptimumkan Laluan sebagai Alamat Pemandu Hilang. DocType: Shareholder,Shareholder,Pemegang Saham DocType: Purchase Invoice,Additional Discount Amount,Jumlah Diskaun tambahan @@ -3419,6 +3464,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Tugas Penyelenggaraan apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Sila tetapkan Had B2C dalam Tetapan GST. DocType: Marketplace Settings,Marketplace Settings,Tetapan Pasaran DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Gudang di mana anda mengekalkan stok barangan ditolak +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Terbitkan {0} Item 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,Tidak dapat mencari kadar pertukaran untuk {0} kepada {1} untuk tarikh kunci {2}. Sila buat rekod Penukaran Mata Wang secara manual DocType: POS Profile,Price List,Senarai Harga 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 @@ -3455,6 +3501,7 @@ DocType: Salary Component,Deduction,Potongan DocType: Item,Retain Sample,Kekalkan Sampel apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Row {0}: Dari Masa dan Untuk Masa adalah wajib. DocType: Stock Reconciliation Item,Amount Difference,jumlah Perbezaan +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Halaman ini menjejaki item yang anda ingin beli daripada penjual. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Perkara Harga ditambah untuk {0} dalam senarai harga {1} DocType: Delivery Stop,Order Information,Maklumat Pesanan apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Sila masukkan ID Pekerja orang jualan ini @@ -3483,6 +3530,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 ** **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nama Pelan Penilaian apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Butiran Sasaran apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Berkenaan jika syarikat itu adalah SpA, SApA atau SRL" @@ -3535,7 +3583,6 @@ DocType: Company,Transactions Annual History,Transaksi Sejarah Tahunan 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Di atas 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 @@ -3589,6 +3636,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Keuntungan untuk tahun ini 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 @@ -3643,12 +3691,10 @@ DocType: Supplier Scorecard,Scoring Setup,Persediaan Pemarkahan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronik 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Tiada Nombor GST yang ditemui untuk Syarikat. 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 DocType: Question,Single Correct Answer,Jawapan yang betul -DocType: Employee,Contact Details,Butiran Hubungi DocType: C-Form,Received Date,Tarikh terima DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Jika anda telah mencipta satu template standard dalam Jualan Cukai dan Caj Template, pilih satu dan klik pada butang di bawah." DocType: BOM Scrap Item,Basic Amount (Company Currency),Jumlah Asas (Syarikat Mata Wang) @@ -3678,12 +3724,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Operasi laman web DocType: Bank Statement Transaction Payment Item,outstanding_amount,Jumlah tertunggak DocType: Supplier Scorecard,Supplier Score,Skor Pembekal apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Jadual Kemasukan +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Jumlah Permintaan Bayaran keseluruhan tidak boleh melebihi jumlah {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Ambang Transaksi Kumulatif DocType: Promotional Scheme Price Discount,Discount Type,Jenis Diskaun -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Jumlah invois AMT DocType: Purchase Invoice Item,Is Free Item,Adakah Item Percuma +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,Peratusan anda dibenarkan untuk memindahkan lebih banyak daripada kuantiti yang diperintahkan. Sebagai contoh: Jika anda telah memesan 100 unit. dan Elaun anda adalah 10% maka anda dibenarkan memindahkan 110 unit. DocType: Supplier,Warn RFQs,Amaran RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,Explore +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Explore DocType: BOM,Conversion Rate,Kadar penukaran apps/erpnext/erpnext/www/all-products/index.html,Product Search,Cari produk ,Bank Remittance,Penghantaran Bank @@ -3695,6 +3742,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Jumlah Amaun Dibayar DocType: Asset,Insurance End Date,Tarikh Akhir Insurans apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Sila pilih Kemasukan Pelajar yang wajib bagi pemohon pelajar berbayar +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Senarai Belanjawan DocType: Campaign,Campaign Schedules,Jadual Kempen DocType: Job Card Time Log,Completed Qty,Siap Qty @@ -3717,6 +3765,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Alamat Ba DocType: Quality Inspection,Sample Size,Saiz Sampel apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Sila masukkan Dokumen Resit apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Semua barang-barang telah diinvois +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Daun Diambil apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Sila nyatakan yang sah Dari Perkara No. ' 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,Pusat kos lanjut boleh dibuat di bawah Kumpulan tetapi penyertaan boleh dibuat terhadap bukan Kumpulan 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,Jumlah daun yang diperuntukkan adalah lebih banyak hari daripada peruntukan maksimum {0} jenis cuti untuk pekerja {1} dalam tempoh tersebut @@ -3817,6 +3866,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Termasuk Se 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 DocType: Leave Block List,Allow Users,Benarkan Pengguna 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: 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. @@ -3870,6 +3921,7 @@ DocType: Support Search Source,Result Title Field,Tajuk Tajuk Hasil apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Ringkasan panggilan DocType: Sample Collection,Collected Time,Masa Dikumpul DocType: Employee Skill Map,Employee Skills,Kemahiran Kakitangan +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Perbelanjaan Bahan Api DocType: Company,Sales Monthly History,Sejarah Bulanan Jualan apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Sila tetapkan sekurang-kurangnya satu baris dalam Jadual Cukai dan Caj DocType: Asset Maintenance Task,Next Due Date,Tarikh Akhir Seterusnya @@ -3879,6 +3931,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Tanda-tan DocType: Payment Entry,Payment Deductions or Loss,Potongan bayaran atau Kehilangan DocType: Soil Analysis,Soil Analysis Criterias,Kriterias Analisis Tanah apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Terma kontrak standard untuk Jualan atau Beli. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Baris Dihapuskan dalam {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Mulakan masuk sebelum masa mula peralihan (dalam minit) DocType: BOM Item,Item operation,Operasi item apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Kumpulan dengan Voucher @@ -3904,11 +3957,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Slip gaji pekerja {0} telah dicipta untuk tempoh ini apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmasi apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Anda hanya boleh menyerahkan Tolak Encik untuk jumlah encashment yang sah +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Item oleh apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kos Item Dibeli DocType: Employee Separation,Employee Separation Template,Templat Pemisahan Pekerja DocType: Selling Settings,Sales Order Required,Pesanan Jualan Diperlukan apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Menjadi Penjual -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Bilangan kejadian yang selepas itu akibatnya dilaksanakan. ,Procurement Tracker,Tracker Perolehan DocType: Purchase Invoice,Credit To,Kredit Untuk apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Dibalikkan @@ -3921,6 +3974,7 @@ DocType: Quality Meeting,Agenda,Agenda DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Jadual Penyelenggaraan Terperinci DocType: Supplier Scorecard,Warn for new Purchase Orders,Amalkan pesanan baru DocType: Quality Inspection Reading,Reading 9,Membaca 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Sambungkan Akaun Exotel anda ke ERPNext dan lacak log panggilan DocType: Supplier,Is Frozen,Adalah Beku DocType: Tally Migration,Processed Files,Fail Diproses apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,nod Kumpulan gudang tidak dibenarkan untuk memilih untuk transaksi @@ -3930,6 +3984,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM No. untuk Perka DocType: Upload Attendance,Attendance To Date,Kehadiran Untuk Tarikh 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 @@ -3955,7 +4010,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Peminta apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Rujukan tidak sah {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Kaedah untuk memohon skim promosi yang berbeza. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) tidak boleh lebih besar dari kuantiti yang dirancang ({2}) dalam Pesanan Pengeluaran {3} DocType: Shipping Rule,Shipping Rule Label,Peraturan Penghantaran Label DocType: Journal Entry Account,Payroll Entry,Kemasukan Payroll apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Lihat Rekod Bayaran @@ -3967,6 +4021,7 @@ DocType: Contract,Fulfilment Status,Status Penyempurnaan DocType: Lab Test Sample,Lab Test Sample,Sampel Ujian Makmal DocType: Item Variant Settings,Allow Rename Attribute Value,Benarkan Namakan Nilai Atribut apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Pantas Journal Kemasukan +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Jumlah Pembayaran Masa Depan apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Anda tidak boleh mengubah kadar jika BOM disebut agianst sebarang perkara DocType: Restaurant,Invoice Series Prefix,Awalan Siri Invois DocType: Employee,Previous Work Experience,Pengalaman Kerja Sebelumnya @@ -3996,6 +4051,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Status projek DocType: UOM,Check this to disallow fractions. (for Nos),Semak ini untuk tidak membenarkan pecahan. (Untuk Nos) DocType: Student Admission Program,Naming Series (for Student Applicant),Penamaan Series (untuk Pelajar Pemohon) +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/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 @@ -4011,6 +4067,7 @@ DocType: Fiscal Year,Year End Date,Tahun Tarikh Akhir DocType: Task Depends On,Task Depends On,Petugas Bergantung Pada apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Peluang DocType: Options,Option,Pilihan +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Anda tidak boleh membuat penyertaan perakaunan dalam tempoh perakaunan tertutup {0} DocType: Operation,Default Workstation,Workstation Default DocType: Payment Entry,Deductions or Loss,Potongan atau Kehilangan apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} adalah ditutup @@ -4019,6 +4076,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Dapatkan Saham Semasa DocType: Purchase Invoice,ineligible,tidak layak apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Tree Rang Undang-Undang Bahan +DocType: BOM,Exploded Items,Item meletup DocType: Student,Joining Date,menyertai Tarikh ,Employees working on a holiday,Kakitangan yang bekerja pada hari cuti ,TDS Computation Summary,Ringkasan Pengiraan TDS @@ -4051,6 +4109,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Kadar asas (seperti St DocType: SMS Log,No of Requested SMS,Jumlah SMS yang diminta apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Cuti Tanpa Gaji tidak sepadan dengan rekod Cuti Permohonan diluluskan apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Langkah seterusnya +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Item yang disimpan DocType: Travel Request,Domestic,Domestik apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Sila membekalkan barangan tertentu pada kadar terbaik mungkin apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Pemindahan Pekerja tidak boleh dikemukakan sebelum Tarikh Pemindahan @@ -4104,7 +4163,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Akaun Kategori Asset apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Nilai {0} telah ditugaskan ke Item yang ada {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Baris # {0} (Jadual Pembayaran): Jumlah mestilah positif -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Tidak boleh menghasilkan Perkara lebih {0} daripada kuantiti Sales Order {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Tidak boleh menghasilkan Perkara lebih {0} daripada kuantiti Sales Order {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Tiada apa-apa termasuk dalam kasar apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Bil e-Way sudah wujud untuk dokumen ini apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Pilih Nilai Atribut @@ -4139,12 +4198,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Membolehkan Akibat Berbeza untuk Keluar Awal ,Lab Test Report,Laporan Ujian Makmal DocType: Employee Benefit Application,Employee Benefit Application,Permohonan Manfaat Pekerja apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Komponen Gaji Tambahan Ada. DocType: Purchase Invoice,Unregistered,Tidak berdaftar -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Sila Penghantaran Nota pertama DocType: Student Applicant,Application Date,Tarikh permohonan DocType: Salary Component,Amount based on formula,Jumlah berdasarkan formula DocType: Purchase Invoice,Currency and Price List,Mata wang dan Senarai Harga @@ -4173,6 +4230,7 @@ DocType: Purchase Receipt,Time at which materials were received,Masa di mana bah DocType: Products Settings,Products per Page,Produk setiap halaman 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Jumlah yang diperuntukkan tidak boleh menjadi negatif DocType: Sales Order,Billing Status,Bil Status apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Laporkan Isu @@ -4182,6 +4240,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90 Ke atas 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,Row # {0}: Journal Kemasukan {1} tidak mempunyai akaun {2} atau sudah dipadankan dengan baucar lain DocType: Supplier Scorecard Criteria,Criteria Weight,Kriteria Berat +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Akaun: {0} tidak dibenarkan di bawah Penyertaan Bayaran DocType: Production Plan,Ignore Existing Projected Quantity,Abaikan Kuantiti yang Diharapkan yang Sedia Ada apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Berikan Pemberitahuan Kelulusan DocType: Buying Settings,Default Buying Price List,Default Senarai Membeli Harga @@ -4190,6 +4249,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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" DocType: Payment Entry,Payment Type,Jenis Pembayaran apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Sila pilih Batch untuk item {0}. Tidak dapat mencari kumpulan tunggal yang memenuhi keperluan ini @@ -4219,6 +4279,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Troli membeli-belah Tetap DocType: Journal Entry,Accounting Entries,Catatan Perakaunan 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'." +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: Journal Entry,Paid Loan,Pinjaman Berbayar 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 @@ -4235,12 +4296,14 @@ DocType: Shopify Settings,Webhooks Details,Butiran Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Tiada lembaran masa DocType: GoCardless Mandate,GoCardless Customer,Pelanggan GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Tinggalkan Jenis {0} tidak boleh bawa dikemukakan +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Jadual penyelenggaraan tidak dihasilkan untuk semua item. Sila klik pada 'Menjana Jadual' ,To Produce,Hasilkan DocType: Leave Encashment,Payroll,Payroll 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","Bagi barisan {0} dalam {1}. Untuk memasukkan {2} dalam kadar Perkara, baris {3} hendaklah juga disediakan" DocType: Healthcare Service Unit,Parent Service Unit,Unit Perkhidmatan Ibu Bapa DocType: Packing Slip,Identification of the package for the delivery (for print),Pengenalan pakej untuk penghantaran (untuk cetak) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Perjanjian Tahap Perkhidmatan telah ditetapkan semula. DocType: Bin,Reserved Quantity,Cipta Terpelihara Kuantiti apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Sila masukkan alamat emel yang sah apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Sila masukkan alamat emel yang sah @@ -4262,7 +4325,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Diskaun Harga atau Produk apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Untuk baris {0}: Masukkan qty yang dirancang DocType: Account,Income Account,Akaun Pendapatan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah DocType: Payment Request,Amount in customer's currency,Amaun dalam mata wang pelanggan apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Penghantaran apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Menetapkan Struktur ... @@ -4285,6 +4347,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Anda akan kehilangan rekod invois yang dijana sebelum ini. Adakah anda pasti mahu memulakan semula langganan ini? @@ -4340,11 +4403,10 @@ DocType: Additional Salary,HR User,HR pengguna DocType: Bank Guarantee,Reference Document Name,Nama Dokumen Rujukan DocType: Purchase Invoice,Taxes and Charges Deducted,Cukai dan Caj Dipotong DocType: Support Settings,Issues,Isu-isu -DocType: Shift Type,Early Exit Consequence after,Kelebihan Keluar Awal selepas DocType: Loyalty Program,Loyalty Program Name,Nama Program Kesetiaan apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Status mestilah salah seorang daripada {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Peringatan untuk mengemas kini GSTIN Dihantar -DocType: Sales Invoice,Debit To,Debit Untuk +DocType: Discounted Invoice,Debit To,Debit Untuk DocType: Restaurant Menu Item,Restaurant Menu Item,Menu Menu Restoran DocType: Delivery Note,Required only for sample item.,Diperlukan hanya untuk item sampel. DocType: Stock Ledger Entry,Actual Qty After Transaction,Kuantiti Sebenar Selepas Transaksi @@ -4427,6 +4489,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Nama Parameter apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Hanya Tinggalkan Permohonan dengan status 'diluluskan' dan 'Telah' boleh dikemukakan apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Membuat Dimensi ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Pelajar Kumpulan Nama adalah wajib berturut-turut {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Bypass limit_check kredit DocType: Homepage,Products to be shown on website homepage,Produk yang akan dipaparkan pada laman web utama DocType: HR Settings,Password Policy,Dasar Kata Laluan apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ini adalah kumpulan pelanggan akar dan tidak boleh diedit. @@ -4474,10 +4537,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Jika apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Sila tetapkan pelanggan lalai dalam Tetapan Restoran ,Salary Register,gaji Daftar DocType: Company,Default warehouse for Sales Return,Gudang lalai untuk Pulangan Jualan -DocType: Warehouse,Parent Warehouse,Warehouse Ibu Bapa +DocType: Pick List,Parent Warehouse,Warehouse Ibu Bapa DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Tentukan pelbagai jenis pinjaman DocType: Bin,FCFS Rate,Kadar FCFS @@ -4514,6 +4577,7 @@ DocType: Travel Itinerary,Lodging Required,Penginapan Diperlukan DocType: Promotional Scheme,Price Discount Slabs,Slab Diskaun Harga DocType: Stock Reconciliation Item,Current Serial No,Serial semasa No DocType: Employee,Attendance and Leave Details,Kehadiran dan Butiran Cuti +,BOM Comparison Tool,Alat Perbandingan BOM ,Requested,Diminta apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Tidak Catatan DocType: Asset,In Maintenance,Dalam Penyelenggaraan @@ -4536,6 +4600,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Perjanjian Tahap Perkhidmatan Default DocType: SG Creation Tool Course,Course Code,Kod kursus apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Lebih daripada satu pilihan untuk {0} tidak dibenarkan +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Qty bahan mentah akan diputuskan berdasarkan qty Item Barang Selesai DocType: Location,Parent Location,Lokasi Ibu Bapa DocType: POS Settings,Use POS in Offline Mode,Gunakan POS dalam Mod Luar Talian apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Keutamaan telah diubah menjadi {0}. @@ -4554,7 +4619,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Gudang Retensi Sampel DocType: Company,Default Receivable Account,Default Akaun Belum Terima apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Formula Kuantiti Projek DocType: Sales Invoice,Deemed Export,Dianggap Eksport -DocType: Stock Entry,Material Transfer for Manufacture,Pemindahan Bahan untuk Pembuatan +DocType: Pick List,Material Transfer for Manufacture,Pemindahan Bahan untuk Pembuatan 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.,Peratus diskaun boleh digunakan baik dengan menentang Senarai Harga atau untuk semua Senarai Harga. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Catatan Perakaunan untuk Stok DocType: Lab Test,LabTest Approver,Penyertaan LabTest @@ -4597,7 +4662,6 @@ DocType: Training Event,Theory,teori apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Amaran: Bahan Kuantiti yang diminta adalah kurang daripada Minimum Kuantiti Pesanan apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Akaun {0} dibekukan DocType: Quiz Question,Quiz Question,Soalan Kuiz -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Pembekal> Jenis Pembekal 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" @@ -4628,6 +4692,7 @@ 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 DocType: Account,Expense Account,Akaun Perbelanjaan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Perisian apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Warna @@ -4666,6 +4731,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Mengurus Jualan Pa 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 DocType: Fee Validity,Visited yet,Dikunjungi lagi +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Anda boleh menampilkan sehingga 8 item. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Gudang dengan urus niaga yang sedia ada tidak boleh ditukar kepada kumpulan. 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? @@ -4673,7 +4739,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4698,7 +4763,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Penukaran dala DocType: Contract,Signee Details,Butiran Signee apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} pada masa ini mempunyai {1} Kedudukan Pembekal Kad Pengeluar, dan RFQ untuk pembekal ini perlu dikeluarkan dengan berhati-hati." DocType: Certified Consultant,Non Profit Manager,Pengurus Bukan Untung -DocType: BOM,Total Cost(Company Currency),Jumlah Kos (Syarikat Mata Wang) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,No siri {0} dicipta DocType: Homepage,Company Description for website homepage,Penerangan Syarikat untuk laman web laman utama DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Untuk kemudahan pelanggan, kod-kod ini boleh digunakan dalam format cetak seperti Invois dan Nota Penghantaran" @@ -4727,7 +4791,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Resit Pem DocType: Amazon MWS Settings,Enable Scheduled Synch,Dayakan Synch Berjadual apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Untuk datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Log bagi mengekalkan status penghantaran sms -DocType: Shift Type,Early Exit Consequence,Akibat Keluar Awal DocType: Accounts Settings,Make Payment via Journal Entry,Buat Pembayaran melalui Journal Kemasukan apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Tolong jangan buat lebih daripada 500 item pada satu masa apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Printed On @@ -4784,6 +4847,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,had Crossed 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 +DocType: Plaid Settings,Plaid Secret,Rahsia Plaid DocType: Company,Date of Establishment,tarikh ditubuhkan apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Modal Teroka apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Istilah akademik dengan ini 'Academic Year' {0} dan 'Nama Term' {1} telah wujud. Sila ubah suai entri ini dan cuba lagi. @@ -4846,6 +4910,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Jenis Pelanggan DocType: Compensatory Leave Request,Leave Allocation,Tinggalkan Peruntukan DocType: Payment Request,Recipient Message And Payment Details,Penerima Mesej Dan Butiran Pembayaran +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Sila pilih Nota Penghantaran DocType: Support Search Source,Source DocType,DocType Sumber apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Buka tiket baru DocType: Training Event,Trainer Email,Trainer Email @@ -4968,6 +5033,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Dari Tarikh' mesti selepas 'Sehingga' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Tiada Pelan Kakitangan ditemui untuk Jawatan ini apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} of Item {1} dinyahdayakan. @@ -4989,7 +5055,7 @@ DocType: Clinical Procedure,Patient,Pesakit apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Bypass cek kredit di Pesanan Jualan DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktiviti Onboarding Pekerja DocType: Location,Check if it is a hydroponic unit,Semak sama ada unit hidroponik -DocType: Stock Reconciliation Item,Serial No and Batch,Serial No dan Batch +DocType: Pick List Item,Serial No and Batch,Serial No dan Batch DocType: Warranty Claim,From Company,Daripada Syarikat DocType: GSTR 3B Report,January,Januari apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Jumlah Markah Kriteria Penilaian perlu {0}. @@ -5014,7 +5080,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Diskaun 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Tiada {0} dijumpai untuk Transaksi Syarikat Antara. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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 @@ -5047,11 +5112,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Pusat Kos da 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,baki DocType: Appraisal,Appraisal,Penilaian DocType: Loan,Loan Account,Akaun Pinjaman apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Sah dan sah sehingga bidang yang sah adalah mandatori untuk kumulatif +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Untuk item {0} pada baris {1}, kiraan nombor bersiri tidak sepadan dengan kuantiti yang dipilih" DocType: Purchase Invoice,GST Details,Butiran GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Ini berdasarkan urus niaga terhadap Pengamal Penjagaan Kesihatan ini. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-mel dihantar kepada pembekal {0} @@ -5115,6 +5182,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Berat kasar pakej. Biasanya berat bersih + pembungkusan berat badan yang ketara. (Untuk cetak) DocType: Assessment Plan,Program,program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Pengguna dengan peranan ini dibenarkan untuk menetapkan akaun beku dan mencipta / mengubahsuai entri perakaunan terhadap akaun beku +DocType: Plaid Settings,Plaid Environment,Persekitaran Plaid ,Project Billing Summary,Ringkasan Pengebilan Projek DocType: Vital Signs,Cuts,Cuts DocType: Serial No,Is Cancelled,Apakah Dibatalkan @@ -5177,7 +5245,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota: Sistem tidak akan memeriksa terlebih penghantaran dan lebih-tempahan untuk Perkara {0} sebagai kuantiti atau jumlah adalah 0 DocType: Issue,Opening Date,Tarikh pembukaan apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Sila simpan pesakit terlebih dahulu -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Buat Kenalan Baru apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Kehadiran telah ditandakan dengan jayanya. DocType: Program Enrollment,Public Transport,Pengangkutan awam DocType: Sales Invoice,GST Vehicle Type,Jenis Kenderaan GST @@ -5204,6 +5271,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Rang Undang 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Ketik dahulu item dalam jadual Item Item DocType: Pricing Rule,Discount Amount,Jumlah diskaun DocType: Pricing Rule,Period Settings,Tetapan Tempoh DocType: Purchase Invoice,Return Against Purchase Invoice,Kembali Terhadap Invois Belian @@ -5236,7 +5304,6 @@ DocType: Assessment Plan,Assessment Plan,Rancangan penilaian DocType: Travel Request,Fully Sponsored,Penuh Disokong apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Kemasukan Jurnal Terbalik apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Buat Kad Kerja -DocType: Shift Type,Consequence after,Akibat selepas itu DocType: Quality Procedure Process,Process Description,Penerangan proses apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Pelanggan {0} dibuat. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Tidak ada stok sedia ada di mana-mana gudang @@ -5271,6 +5338,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Clearance Tarikh DocType: Delivery Settings,Dispatch Notification Template,Templat Pemberitahuan Penghantaran apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Laporan Penilaian apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Dapatkan Pekerja +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 @@ -5364,7 +5432,6 @@ DocType: Stock Settings,Use Naming Series,Gunakan Siri Penamaan apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Tiada tindakan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Caj jenis penilaian tidak boleh ditandakan sebagai Inclusive DocType: POS Profile,Update Stock,Update Saham -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM berbeza untuk perkara akan membawa kepada tidak betul (Jumlah) Nilai Berat Bersih. Pastikan Berat bersih setiap item adalah dalam UOM yang sama. DocType: Certification Application,Payment Details,Butiran Pembayaran apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Kadar BOM @@ -5400,7 +5467,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Ini adalah orang jualan akar dan tidak boleh diedit. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jika dipilih, nilai yang ditentukan atau dikira dalam komponen ini tidak akan menyumbang kepada pendapatan atau potongan. Walau bagaimanapun, ia nilai yang boleh dirujuk oleh komponen lain yang boleh ditambah atau ditolak." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jika dipilih, nilai yang ditentukan atau dikira dalam komponen ini tidak akan menyumbang kepada pendapatan atau potongan. Walau bagaimanapun, ia nilai yang boleh dirujuk oleh komponen lain yang boleh ditambah atau ditolak." -DocType: Asset Settings,Number of Days in Fiscal Year,Bilangan Hari dalam Tahun Fiskal ,Stock Ledger,Saham Lejar DocType: Company,Exchange Gain / Loss Account,Exchange Gain Akaun / Kerugian DocType: Amazon MWS Settings,MWS Credentials,Kredensial MWS @@ -5436,6 +5502,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Lajur dalam Fail Bank apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Meninggalkan aplikasi {0} sudah wujud terhadap pelajar {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Beratur untuk mengemaskini harga terkini dalam semua Rang Undang-Undang Bahan. Ia mungkin mengambil masa beberapa minit. +DocType: Pick List,Get Item Locations,Dapatkan Lokasi Item apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nama Akaun baru. Nota: Sila jangan membuat akaun untuk Pelanggan dan Pembekal DocType: POS Profile,Display Items In Stock,Paparkan Item Dalam Stok apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Negara lalai bijak Templat Alamat @@ -5459,6 +5526,7 @@ DocType: Crop,Materials Required,Bahan yang diperlukan apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Tiada pelajar Terdapat DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Pengecualian HRA Bulanan DocType: Clinical Procedure,Medical Department,Jabatan Perubatan +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Jumlah Keluar Awal DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kriteria Pencari Skor Pembekal apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Posting Invois Tarikh apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Jual @@ -5470,11 +5538,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Sila padamkan Pekerja {0} \ untuk membatalkan dokumen ini" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Daripada AMC DocType: Opportunity,Opportunity Amount,Jumlah Peluang +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Profil anda apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Jumlah penurunan nilai Ditempah tidak boleh lebih besar daripada Jumlah penurunan nilai DocType: Purchase Order,Order Confirmation Date,Tarikh Pengesahan Pesanan DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5568,7 +5635,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Terdapat ketidaksesuaian antara kadar, tiada saham dan jumlah yang dikira" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Anda tidak hadir sepanjang hari antara hari permintaan cuti pampasan apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Sila taip semula nama syarikat untuk mengesahkan -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Jumlah Cemerlang AMT DocType: Journal Entry,Printing Settings,Tetapan Percetakan DocType: Payment Order,Payment Order Type,Jenis Pesanan Pembayaran DocType: Employee Advance,Advance Account,Akaun Advance @@ -5658,7 +5724,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Nama Tahun apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Terdapat lebih daripada cuti hari bekerja bulan ini. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Item berikut {0} tidak ditandakan sebagai {1} item. Anda boleh mengaktifkannya sebagai {1} item dari tuan Itemnya -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Produk Bundle Item DocType: Sales Partner,Sales Partner Name,Nama Rakan Jualan apps/erpnext/erpnext/hooks.py,Request for Quotations,Tawaran Sebut Harga @@ -5667,7 +5732,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Daun +DocType: Leave Ledger Entry,Leaves,Daun DocType: Student Language,Student Language,Bahasa pelajar DocType: Cash Flow Mapping,Is Working Capital,Adakah Modal Kerja apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Hantar Bukti @@ -5675,12 +5740,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Order / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Catatkan Vital Pesakit DocType: Fee Schedule,Institution,institusi -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: Asset,Partially Depreciated,sebahagiannya telah disusutnilai DocType: Issue,Opening Time,Masa Pembukaan apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Dari dan kepada tarikh yang dikehendaki apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Sekuriti & Bursa Komoditi -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Ringkasan Panggilan oleh {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Carian Dokumen apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unit keingkaran Langkah untuk Variant '{0}' hendaklah sama seperti dalam Template '{1}' DocType: Shipping Rule,Calculate Based On,Kira Based On @@ -5727,6 +5790,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Nilai maksimum yang dibenarkan DocType: Journal Entry Account,Employee Advance,Advance Pekerja DocType: Payroll Entry,Payroll Frequency,Kekerapan Payroll +DocType: Plaid Settings,Plaid Client ID,ID Pelanggan Plaid DocType: Lab Test Template,Sensitivity,Kepekaan DocType: Plaid Settings,Plaid Settings,Tetapan Plaid apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Penyegerakan telah dilumpuhkan buat sementara waktu kerana pengambilan maksimum telah melebihi @@ -5744,6 +5808,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Sila pilih Penempatan Tarikh pertama apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Tarikh pembukaan perlu sebelum Tarikh Tutup DocType: Travel Itinerary,Flight,Penerbangan +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Kembali ke rumah DocType: Leave Control Panel,Carry Forward,Carry Forward apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,PTJ dengan urus niaga yang sedia ada tidak boleh ditukar ke dalam lejar DocType: Budget,Applicable on booking actual expenses,Terpakai pada tempahan perbelanjaan sebenar @@ -5800,6 +5865,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Buat Sebut Harga apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Anda tiada kebenaran untuk meluluskan daun pada Tarikh Sekat apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Permintaan untuk {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Semua barang-barang ini telah diinvois +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Tiada invois tertunggak yang dijumpai untuk {0} {1} yang memenuhi syarat penapis yang telah anda tetapkan. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Tetapkan Tarikh Keluaran Baru DocType: Company,Monthly Sales Target,Sasaran Jualan Bulanan apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Tiada invois yang belum dijumpai @@ -5847,6 +5913,7 @@ DocType: Batch,Source Document Name,Source Document Nama DocType: Batch,Source Document Name,Source Document Nama DocType: Production Plan,Get Raw Materials For Production,Dapatkan Bahan Baku untuk Pengeluaran DocType: Job Opening,Job Title,Tajuk Kerja +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Rujukan Bayaran Masa Depan apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} menunjukkan bahawa {1} tidak akan memberikan sebut harga, tetapi semua item \ telah disebutkan. Mengemas kini status petikan RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Sampel Maksimum - {0} telah dikekalkan untuk Batch {1} dan Item {2} dalam Batch {3}. @@ -5857,12 +5924,10 @@ 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: Company,Product Code,Kod Produk DocType: Quality Review Table,Objective,Objektif DocType: Supplier Scorecard,Per Month,Sebulan DocType: Education Settings,Make Academic Term Mandatory,Buat Mandat Berlaku Akademik -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Kuantiti untuk pembuatan mesti lebih besar daripada 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Hitung Jadual Susut Nilai Prorated Berdasarkan Tahun Fiskal +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Kuantiti untuk pembuatan mesti lebih besar daripada 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Lawati laporan untuk panggilan penyelenggaraan. DocType: Stock Entry,Update Rate and Availability,Kadar Update dan Ketersediaan 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.,Peratus anda dibenarkan untuk menerima atau menyampaikan lebih daripada kuantiti yang ditempah. Sebagai contoh: Jika anda telah menempah 100 unit. dan Elaun anda adalah 10% maka anda dibenarkan untuk menerima 110 unit. @@ -5874,7 +5939,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Tarikh pelepasan mestilah pada masa akan datang DocType: BOM,Website Description,Laman Web Penerangan apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Perubahan Bersih dalam Ekuiti -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Sila membatalkan Invois Belian {0} pertama apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Tidak dibenarkan. Sila nyahaktifkan Jenis Unit Perkhidmatan apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Alamat e-mel mesti menjadi unik, sudah wujud untuk {0}" DocType: Serial No,AMC Expiry Date,AMC Tarikh Tamat @@ -5918,6 +5982,7 @@ DocType: Pricing Rule,Price Discount Scheme,Skim diskaun harga apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Status Penyelenggaraan perlu Dibatalkan atau Diselesaikan untuk Kirim DocType: Amazon MWS Settings,US,AS DocType: Holiday List,Add Weekly Holidays,Tambah Cuti Mingguan +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Laporkan Perkara DocType: Staffing Plan Detail,Vacancies,Kekosongan DocType: Hotel Room,Hotel Room,Bilik hotel apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Akaun {0} tidak dimiliki oleh syarikat {1} @@ -5969,12 +6034,15 @@ DocType: Email Digest,Open Quotations,Buka Sebut Harga 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Sila padamkan Pekerja {0} \ untuk membatalkan dokumen ini" 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 @@ -5988,6 +6056,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Kosong DocType: Patient,Alcohol Past Use,Penggunaan Pasti Alkohol DocType: Fertilizer Content,Fertilizer Content,Kandungan Baja +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Tiada deskripsi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Negeri Bil DocType: Quality Goal,Monitoring Frequency,Kekerapan Pemantauan @@ -6005,6 +6074,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Berakhir Pada tarikh tidak boleh sebelum Tarikh Urusan Seterusnya. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Penyertaan Batch DocType: Journal Entry,Pay To / Recd From,Bayar Untuk / Recd Dari +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Tidak mengeluarkan item DocType: Naming Series,Setup Series,Persediaan Siri DocType: Payment Reconciliation,To Invoice Date,Untuk invois Tarikh DocType: Bank Account,Contact HTML,Hubungi HTML @@ -6026,6 +6096,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Runcit DocType: Student Attendance,Absent,Tidak hadir DocType: Staffing Plan,Staffing Plan Detail,Detail Pelan Kakitangan DocType: Employee Promotion,Promotion Date,Tarikh Promosi +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Tinggalkan peruntukan% s dikaitkan dengan permohonan cuti% s 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} @@ -6060,9 +6131,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Invois {0} tidak wujud lagi DocType: Guardian Interest,Guardian Interest,Guardian Faedah DocType: Volunteer,Availability,Ketersediaan +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Tinggalkan aplikasi dikaitkan dengan peruntukan cuti {0}. Cuti permohonan tidak boleh ditetapkan sebagai cuti tanpa gaji apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Tetapkan nilai lalai untuk Invois POS DocType: Employee Training,Training,Latihan DocType: Project,Time to send,Masa untuk dihantar +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Halaman ini menjejaki item anda di mana pembeli menunjukkan minat. DocType: Timesheet,Employee Detail,Detail pekerja apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Tetapkan gudang untuk Prosedur {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ID E-mel @@ -6163,12 +6236,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Nilai pembukaan DocType: Salary Component,Formula,formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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: 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/setup/doctype/company/company.py,Sales Account,Akaun Jualan DocType: Purchase Invoice Item,Total Weight,Berat keseluruhan +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}" @@ -6192,6 +6265,7 @@ DocType: Company,Default Employee Advance Account,Akaun Advance Pekerja Awal apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Item Carian (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Akaun dengan urus niaga yang sedia ada tidak boleh dihapuskan +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Mengapa berfikir Perkara ini harus dialih keluar? DocType: Vehicle,Last Carbon Check,Carbon lalu Daftar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Perbelanjaan Undang-undang apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Sila pilih kuantiti hukuman @@ -6211,6 +6285,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Pecahan DocType: Travel Itinerary,Vegetarian,Vegetarian DocType: Patient Encounter,Encounter Date,Tarikh Pertemuan +DocType: Work Order,Update Consumed Material Cost In Project,Kemas kini Kos Bahan Terutu dalam Projek apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Akaun: {0} dengan mata wang: {1} tidak boleh dipilih DocType: Bank Statement Transaction Settings Item,Bank Data,Data Bank DocType: Purchase Receipt Item,Sample Quantity,Contoh Kuantiti @@ -6265,7 +6340,7 @@ DocType: GSTR 3B Report,April,April 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Nota: Perkara {0} memasuki beberapa kali +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Nota: Perkara {0} memasuki beberapa kali apps/erpnext/erpnext/config/buying.py,All Contacts.,Semua Kenalan. DocType: Accounting Period,Closed Documents,Dokumen Tertutup DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Urus Pelantikan Invois mengemukakan dan membatalkan secara automatik untuk Encounter Pesakit @@ -6347,9 +6422,7 @@ DocType: Member,Membership Type,Jenis Keahlian ,Reqd By Date,Reqd Tarikh apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Pemiutang DocType: Assessment Plan,Assessment Name,Nama penilaian -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Tunjukkan PDC di Cetak apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Tiada Serial adalah wajib -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Tiada invois yang belum dijumpai untuk {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Perkara Bijaksana Cukai Detail DocType: Employee Onboarding,Job Offer,Tawaran pekerjaan apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut Singkatan @@ -6408,6 +6481,7 @@ DocType: Serial No,Out of Warranty,Daripada Waranti DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Jenis Data Dipetakan DocType: BOM Update Tool,Replace,Ganti apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Belum ada produk found. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Terbitkan Lebih Banyak Item apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Perjanjian Tahap Perkhidmatan ini khusus kepada Pelanggan {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} terhadap Invois Jualan {1} DocType: Antibiotic,Laboratory User,Pengguna Makmal @@ -6430,7 +6504,6 @@ DocType: Payment Order Reference,Bank Account Details,Maklumat akaun bank DocType: Purchase Order Item,Blanket Order,Perintah Selimut 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Pengeluaran Pesanan itu telah {0} DocType: BOM Item,BOM No,BOM Tiada 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 @@ -6504,6 +6577,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Bekalan bercukai keluar (nilainya berkadar) DocType: BOM,Materials Required (Exploded),Bahan yang diperlukan (Meletup) 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/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 @@ -6561,7 +6635,6 @@ DocType: Pricing Rule,Same Item,Perkara yang sama DocType: Stock Ledger Entry,Stock Ledger Entry,Saham Lejar Entry DocType: Quality Action Resolution,Quality Action Resolution,Resolusi Tindakan Kualiti apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} pada Cuti Setengah Hari di {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,item yang sama telah dimasukkan beberapa kali DocType: Department,Leave Block List,Tinggalkan Sekat Senarai DocType: Purchase Invoice,Tax ID,ID Cukai apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Perkara {0} tidak ditetapkan untuk Serial No. Column boleh kosong @@ -6599,7 +6672,7 @@ 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 DocType: Purchase Invoice,Return,Pulangan -DocType: Accounting Dimension,Disable,Melumpuhkan +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 DocType: Task,Pending Review,Sementara menunggu Review apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Edit halaman penuh untuk lebih banyak pilihan seperti aset, nada siri, batch dll." @@ -6713,7 +6786,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Bahagian invois gabungan mesti bersamaan 100% DocType: Item Default,Default Expense Account,Akaun Perbelanjaan Default DocType: GST Account,CGST Account,Akaun CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod Item> Kumpulan Item> Jenama apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Pelajar Email ID DocType: Employee,Notice (days),Notis (hari) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Invois Baucar Penutupan POS @@ -6724,6 +6796,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Pilih item untuk menyelamatkan invois DocType: Employee,Encashment Date,Penunaian Tarikh DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Maklumat Penjual DocType: Special Test Template,Special Test Template,Templat Ujian Khas DocType: Account,Stock Adjustment,Pelarasan saham apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Kos Aktiviti lalai wujud untuk Jenis Kegiatan - {0} @@ -6736,7 +6809,6 @@ 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 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 -DocType: Company,Bank Remittance Settings,Tetapan Pengiriman Wang Bank apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Kadar purata 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 @@ -6764,6 +6836,7 @@ DocType: Grading Scale Interval,Threshold,ambang apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Penapis Pekerja Mengikut (pilihan) DocType: BOM Update Tool,Current BOM,BOM semasa apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Baki (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Qty Item Barang yang Selesai apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Tambah No Serial DocType: Work Order Item,Available Qty at Source Warehouse,Ada Qty di Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,jaminan @@ -6842,7 +6915,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Di sini anda boleh mengekalkan ketinggian, berat badan, alahan, masalah kesihatan dan lain-lain" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Membuat Akaun ... DocType: Leave Block List,Applies to Company,Terpakai kepada Syarikat -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Tidak boleh membatalkan kerana dikemukakan Saham Entry {0} wujud +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Tidak boleh membatalkan kerana dikemukakan Saham Entry {0} wujud DocType: Loan,Disbursement Date,Tarikh pembayaran DocType: Service Level Agreement,Agreement Details,Butiran Perjanjian apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Mulai Tarikh Perjanjian tidak boleh melebihi atau sama dengan Tarikh Akhir. @@ -6851,6 +6924,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Rekod kesihatan DocType: Vehicle,Vehicle,kenderaan DocType: Purchase Invoice,In Words,Dalam Perkataan +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Setakat ini perlu sebelum dari tarikh apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Masukkan nama bank atau institusi pemberi pinjaman sebelum mengemukakan. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} mesti dikemukakan DocType: POS Profile,Item Groups,Kumpulan item @@ -6923,7 +6997,6 @@ DocType: Customer,Sales Team Details,Butiran Pasukan Jualan apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Padam selama-lamanya? DocType: Expense Claim,Total Claimed Amount,Jumlah Jumlah Tuntutan apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Peluang yang berpotensi untuk jualan. -DocType: Plaid Settings,Link a new bank account,Pautkan akaun bank baru apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} adalah Status Kehadiran yang tidak sah. DocType: Shareholder,Folio no.,Folio no. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Tidak sah {0} @@ -6939,7 +7012,6 @@ DocType: Production Plan,Material Requested,Bahan yang diminta DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Dicadangkan Qty untuk sub kontrak DocType: Patient Service Unit,Patinet Service Unit,Unit Perkhidmatan Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Hasilkan Teks Teks DocType: Sales Invoice,Base Change Amount (Company Currency),Tukar Jumlah Asas (Syarikat Mata Wang) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Tiada catatan perakaunan bagi gudang berikut apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Hanya {0} dalam stok untuk item {1} @@ -6953,6 +7025,7 @@ DocType: Item,No of Months,Tiada Bulan DocType: Item,Max Discount (%),Max Diskaun (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Hari Kredit tidak boleh menjadi nombor negatif apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Muat naik kenyataan +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Laporkan item ini DocType: Purchase Invoice Item,Service Stop Date,Tarikh Henti Perkhidmatan apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Perintah lepas Jumlah DocType: Cash Flow Mapper,e.g Adjustments for:,contohnya Pelarasan untuk: @@ -7046,16 +7119,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Kategori Pengecualian Cukai Pekerja apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Jumlah tidak boleh kurang daripada sifar. DocType: Sales Invoice,C-Form Applicable,C-Borang Berkaitan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Masa operasi mesti lebih besar daripada 0 untuk operasi {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Masa operasi mesti lebih besar daripada 0 untuk operasi {0} DocType: Support Search Source,Post Route String,Laluan Laluan Pos apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Warehouse adalah wajib apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Gagal membuat laman web DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Detail UOM Penukaran apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Kemasukan dan Pendaftaran -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Kemasukan Saham Penyimpanan yang telah dibuat atau Kuantiti Sampel yang tidak disediakan +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Kemasukan Saham Penyimpanan yang telah dibuat atau Kuantiti Sampel yang tidak disediakan DocType: Program,Program Abbreviation,Singkatan program -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Perintah Pengeluaran tidak boleh dibangkitkan terhadap Templat Perkara apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Kumpulan oleh Voucher (Disatukan) DocType: HR Settings,Encrypt Salary Slips in Emails,Sulitkan Slip Gaji dalam E-mel DocType: Question,Multiple Correct Answer,Berbilang Jawapan yang Betul @@ -7102,7 +7174,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Tidak diberi nilai atau DocType: Employee,Educational Qualification,Kelayakan pendidikan DocType: Workstation,Operating Costs,Kos operasi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Mata wang untuk {0} mesti {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Tempoh Masuk Grace Period Consequence DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Kehadiran markah berdasarkan 'Pemeriksaan Pekerja' untuk Pekerja yang ditugaskan untuk peralihan ini. DocType: Asset,Disposal Date,Tarikh pelupusan DocType: Service Level,Response and Resoution Time,Masa Response dan Resoution @@ -7151,6 +7222,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Tarikh Siap DocType: Purchase Invoice Item,Amount (Company Currency),Jumlah (Syarikat mata wang) DocType: Program,Is Featured,Disediakan +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Mengambil ... DocType: Agriculture Analysis Criteria,Agriculture User,Pengguna Pertanian apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Sah sehingga tarikh tidak boleh dibuat sebelum tarikh urus niaga apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unit {1} diperlukan dalam {2} pada {3} {4} untuk {5} untuk melengkapkan urus niaga ini. @@ -7183,7 +7255,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Jumlah dibayar AMT 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 @@ -7207,6 +7278,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonymous apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Pemberian DocType: Lead,Converted,Ditukar DocType: Item,Has Serial No,Mempunyai No Siri +DocType: Stock Entry Detail,PO Supplied Item,Item yang Dibekalkan PO 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} @@ -7321,7 +7393,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Cukai dan Caj Synch 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,BOM lalai untuk {0} tidak dijumpai +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Ketik item untuk menambah mereka di sini @@ -7357,7 +7429,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Tarikh Penyelenggaraan DocType: Purchase Invoice Item,Rejected Serial No,Tiada Serial Ditolak apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Tahun tarikh mula atau tarikh akhir adalah bertindih dengan {0}. Untuk mengelakkan sila menetapkan syarikat -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Sila nyatakan Nama Utama di Lead {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Tarikh mula boleh kurang daripada tarikh akhir untuk Perkara {0} DocType: Shift Type,Auto Attendance Settings,Tetapan Kehadiran Auto @@ -7367,9 +7438,11 @@ DocType: Upload Attendance,Upload Attendance,Naik Kehadiran apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM dan Pembuatan Kuantiti dikehendaki apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Range Penuaan 2 DocType: SG Creation Tool Course,Max Strength,Max Kekuatan +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Akaun {0} sudah wujud dalam syarikat anak {1}. Bidang berikut mempunyai nilai yang berbeza, ia harus sama:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Memasang pratetap DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Tiada Nota Penghantaran yang dipilih untuk Pelanggan {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Baris Ditambah dalam {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Pekerja {0} tidak mempunyai jumlah faedah maksimum apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Pilih Item berdasarkan Tarikh Penghantaran DocType: Grant Application,Has any past Grant Record,Mempunyai Rekod Geran yang lalu @@ -7415,6 +7488,7 @@ DocType: Fees,Student Details,Butiran Pelajar DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Inilah UOM lalai yang digunakan untuk item dan pesanan Jualan. UOM fallback adalah "Nos". DocType: Purchase Invoice Item,Stock Qty,saham Qty DocType: Purchase Invoice Item,Stock Qty,saham Qty +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 DocType: Loan,Repayment Period in Months,Tempoh pembayaran balik dalam Bulan @@ -7443,6 +7517,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Diskaun apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet untuk tugas-tugas. DocType: Purchase Invoice,Against Expense Account,Terhadap Akaun Perbelanjaan apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Pemasangan Nota {0} telah diserahkan +DocType: BOM,Raw Material Cost (Company Currency),Kos Bahan Mentah (Mata Wang Syarikat) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Sewa hari sewa hari bertindih dengan {0} DocType: GSTR 3B Report,October,Oktober DocType: Bank Reconciliation,Get Payment Entries,Dapatkan Penyertaan Pembayaran @@ -7490,15 +7565,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Tersedia untuk tarikh penggunaan DocType: Request for Quotation,Supplier Detail,Detail pembekal apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Ralat dalam formula atau keadaan: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Invois +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Invois apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kriteria berat mesti menambah sehingga 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Kehadiran apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Item saham DocType: Sales Invoice,Update Billed Amount in Sales Order,Kemas Kini Amaun Dibilor dalam Perintah Jualan +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Hubungi Penjual 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Dalam Perkataan akan dapat dilihat selepas anda menyimpan Pesanan Belian. @@ -7512,6 +7589,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Senarai Harga induk. DocType: Task,Review Date,Tarikh Semakan DocType: BOM,Allow Alternative Item,Benarkan Item Alternatif +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Resit Pembelian tidak mempunyai sebarang item yang mengekalkan sampel adalah didayakan. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Jumlah Besar Invois DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Siri untuk Entri Penyusutan Aset (Kemasukan Jurnal) DocType: Membership,Member Since,Ahli sejak @@ -7521,6 +7599,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Di Net Jumlah 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},Nilai untuk Sifat {0} mesti berada dalam lingkungan {1} kepada {2} dalam kenaikan {3} untuk item {4} DocType: Pricing Rule,Product Discount Scheme,Skim diskaun produk +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Tiada masalah telah dibangkitkan oleh pemanggil. DocType: Restaurant Reservation,Waitlisted,Ditandati DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategori Pengecualian apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Mata wang tidak boleh diubah selepas membuat masukan menggunakan beberapa mata wang lain @@ -7534,7 +7613,6 @@ DocType: Customer Group,Parent Customer Group,Ibu Bapa Kumpulan Pelanggan apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Bil JSON e-Way hanya boleh dihasilkan daripada Invois Jualan apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Percubaan maksimum untuk kuiz ini telah dicapai! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Langganan -DocType: Purchase Invoice,Contact Email,Hubungi E-mel apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Penciptaan Kos Penangguhan DocType: Project Template Task,Duration (Days),Tempoh (Hari) DocType: Appraisal Goal,Score Earned,Skor Diperoleh @@ -7560,7 +7638,6 @@ DocType: Landed Cost Item,Landed Cost Item,Tanah Kos Item 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Jumlah untuk transaksi tunggal melebihi amaun maksimum yang dibenarkan, membuat pesanan pembayaran berasingan dengan memisahkan transaksi" 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 @@ -7731,6 +7808,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Terse DocType: Quality Inspection Reading,Reading 3,Membaca 3 DocType: Stock Entry,Source Warehouse Address,Alamat Gudang Sumber DocType: GL Entry,Voucher Type,Baucer Jenis +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Pembayaran Masa Depan 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 @@ -7757,6 +7835,7 @@ 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." DocType: Sales Invoice,Customer GSTIN,GSTIN pelanggan DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Senarai penyakit yang dikesan di lapangan. Apabila dipilih, ia akan menambah senarai tugasan secara automatik untuk menangani penyakit ini" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Ini adalah unit perkhidmatan penjagaan kesihatan akar dan tidak dapat diedit. DocType: Asset Repair,Repair Status,Status Pembaikan 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." @@ -7771,6 +7850,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Akaun untuk Perubahan Jumlah DocType: QuickBooks Migrator,Connecting to QuickBooks,Menyambung ke QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Jumlah Keuntungan / Kerugian +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Buat Senarai Pilih apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Majlis / Akaun tidak sepadan dengan {1} / {2} dalam {3} {4} DocType: Employee Promotion,Employee Promotion,Promosi Pekerja DocType: Maintenance Team Member,Maintenance Team Member,Ahli Pasukan Penyelenggaraan @@ -7854,6 +7934,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Gaji bersih tidak boleh negatif @@ -7885,7 +7966,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Matlamat Kualiti DocType: BOM,Item to be manufactured or repacked,Perkara yang perlu dibuat atau dibungkus semula apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Kesalahan sintaks dalam keadaan: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Tiada masalah yang dibangkitkan oleh pelanggan. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Subjek utama / Pilihan apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Sila Tetapkan Kumpulan Pembekal dalam Tetapan Beli. @@ -7978,8 +8058,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Hari Kredit apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Sila pilih Pesakit untuk mendapatkan Ujian Makmal DocType: Exotel Settings,Exotel Settings,Tetapan Exotel -DocType: Leave Type,Is Carry Forward,Apakah Carry Forward +DocType: Leave Ledger Entry,Is Carry Forward,Apakah Carry Forward DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Waktu kerja di bawah yang Absen ditandakan. (Sifar untuk mematikan) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Hantar satu mesej apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Dapatkan Item dari BOM 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 diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv index d74175a9c4..79787dd672 100644 --- a/erpnext/translations/my.csv +++ b/erpnext/translations/my.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,ပေးသွင်းအကြောင်းကြားရန် apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,ပါတီ Type ပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု. DocType: Item,Customer Items,customer ပစ္စည်းများ +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,liabilities DocType: Project,Costing and Billing,ကုန်ကျနှင့်ငွေတောင်းခံလွှာ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},ကြိုတင်မဲအကောင့်ငွေကြေးကိုကုမ္ပဏီကိုငွေကြေး {0} အဖြစ်အတူတူပင်ဖြစ်သင့်သည် DocType: QuickBooks Migrator,Token Endpoint,တိုကင်ဆုံးမှတ် @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,တိုင်း၏ default ယူနစ DocType: SMS Center,All Sales Partner Contact,အားလုံးသည်အရောင်း Partner ဆက်သွယ်ရန် DocType: Department,Leave Approvers,ခွင့်ပြုချက် Leave DocType: Employee,Bio / Cover Letter,ဇီဝ / Cover ပေးစာ +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,ရှာရန်ပစ္စည်းများ ... DocType: Patient Encounter,Investigations,စုံစမ်းစစ်ဆေးမှုတွေ DocType: Restaurant Order Entry,Click Enter To Add,Add စေရန် Enter ကိုကလစ်နှိပ်ပါ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL",ပျောက်ဆုံးနေ Password ကိုများအတွက်တန်ဖိုး API သော့သို့မဟုတ် Shopify URL ကို DocType: Employee,Rented,ငှားရမ်းထားသော apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,အားလုံး Accounts ကို apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,status ကိုလက်ဝဲနှင့်အတူန်ထမ်းကိုလွှဲပြောင်းမပေးနိုင် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ထုတ်လုပ်မှုအမိန့်ကိုပယ်ဖျက်ဖို့ပထမဦးဆုံးက Unstop ဖျက်သိမ်းလိုက်ရမရနိုင်ပါရပ်တန့် DocType: Vehicle Service,Mileage,မိုင်အကွာအဝေး apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,သင်အမှန်တကယ်ဒီပိုင်ဆိုင်မှုဖျက်သိမ်းရန်ချင်ပါသလား DocType: Drug Prescription,Update Schedule,Update ကိုဇယား @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,ဝယ်သူ DocType: Purchase Receipt Item,Required By,အားဖြင့်လိုအပ်သော DocType: Delivery Note,Return Against Delivery Note,Delivery Note ကိုဆန့်ကျင်သို့ပြန်သွားသည် DocType: Asset Category,Finance Book Detail,ဘဏ္ဍာရေးစာအုပ်အသေးစိတ် +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,လူအားလုံးတို့သည်တန်ဖိုးကြိုတင်ဘွတ်ကင်ထားပြီး DocType: Purchase Order,% Billed,% Bill apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,လစာအရေအတွက် apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),ချိန်း Rate {1} {0} အဖြစ်အတူတူဖြစ်ရမည် ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,အသုတ်ပစ္စည်းသက်တမ်းကုန်ဆုံးအခြေအနေ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,ဘဏ်မှမူကြမ်း DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-ဖက်စပ်-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,စုစုပေါင်းနှောင်းပိုင်း Entries DocType: Mode of Payment Account,Mode of Payment Account,ငွေပေးချေမှုရမည့်အကောင့်၏ Mode ကို apps/erpnext/erpnext/config/healthcare.py,Consultation,တိုင်ပင်ဆွေးနွေး DocType: Accounts Settings,Show Payment Schedule in Print,ပုံနှိပ်ပါထဲမှာ Show ကိုငွေပေးချေမှုရမည့်ဇယား @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,မူလတန်းဆက်သွယ်ပါအသေးစိတ် apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,ပွင့်လင်းကိစ္စများ DocType: Production Plan Item,Production Plan Item,ထုတ်လုပ်မှုစီမံကိန်း Item +DocType: Leave Ledger Entry,Leave Ledger Entry,Ledger Entry 'Leave apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},အသုံးပြုသူ {0} ပြီးသားန်ထမ်း {1} မှတာဝန်ပေးသည် -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {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 အရည်အတွက်ဖော်မြူလာ @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,အ DocType: Purchase Invoice Item,Item Weight Details,item အလေးချိန်အသေးစိတ် DocType: Asset Maintenance Log,Periodicity,ကာလ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} လိုအပ်သည် +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Net ကအမြတ် / ပျောက်ဆုံးခြင်း DocType: Employee Group Table,ERPNext User ID,ERPNext အသုံးပြုသူ ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,အကောင်းဆုံးကြီးထွားမှုအတွက်အပင်တန်းများအကြားနိမ့်ဆုံးအကွာအဝေး apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,လုပ်ထုံးလုပ်နည်းသတ်မှတ်ထားသောရလူနာကို select ပေးပါ @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,စျေးစာရင်းရောင်းချနေ DocType: Patient,Tobacco Current Use,ဆေးရွက်ကြီးလက်ရှိအသုံးပြုမှု apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,ရောင်းချနှုန်း -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,သစ်တစ်ခုအကောင့်ဖြည့်စွက်ရှေ့၌သင်တို့စာရွက်စာတမ်းကယ်တင်ပေးပါ 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 ...,ဘာမှရှာရန် ... DocType: Company,Phone No,Phone များမရှိပါ DocType: Delivery Trip,Initial Email Notification Sent,Sent ကနဦးအီးမေးလ်သတိပေးချက် DocType: Bank Statement Settings,Statement Header Mapping,ဖော်ပြချက် Header ကိုပုံထုတ်ခြင်း @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,ပ DocType: Exchange Rate Revaluation Account,Gain/Loss,အမြတ် / ပျောက်ဆုံးခြင်း DocType: Crop,Perennial,နှစ်ရှည် DocType: Program,Is Published,Published ဖြစ်ပါတယ် +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Show ကို Delivery မှတ်စုများ apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","ငွေတောင်းခံကျော်ခွင့်ပြုပါရန်, Accounts ကိုချိန်ညှိမှုများ, သို့မဟုတ်အရာဝတ္ထုများတွင် "Allow ငွေတောင်းခံခြင်းကျော်" ကို update ။" DocType: Patient Appointment,Procedure,လုပ်ထုံးလုပ်နည်း DocType: Accounts Settings,Use Custom Cash Flow Format,စိတ်တိုင်းကျငွေ Flow Format ကိုသုံးပါ @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,ပေါ်လစီအသေးစိတ် Leave DocType: BOM,Item Image (if not slideshow),item ပုံရိပ် (Slideshow မလျှင်) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,အတန်း # {0}: စစ်ဆင်ရေး {1} လုပ်ငန်းခွင်အမိန့် {3} အတွက်ချောကုန်စည် {2} အရည်အတွက်အဘို့အပြီးစီးခဲ့သည်မဟုတ်။ ယောဘသည် Card ကို {4} ကနေတဆင့်စစ်ဆင်ရေး status ကို update လုပ်ပါ။ -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} ကိုလယ် set ထပ်မံကြိုးစားပါ, ငွေလွှဲငွေပေးချေမှုထုတ်လုပ်ဘို့မဖြစ်မနေဖြစ်ပါသည်" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(အချိန်နာရီနှုန်း / 60) * အမှန်တကယ်စစ်ဆင်ရေးအချိန် apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားသုံးစွဲမှုအရေးဆိုမှုသို့မဟုတ်ဂျာနယ် Entry 'တစ်ဦးဖြစ်ရပါမည် apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM ကို Select လုပ်ပါ @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,ကာလနံပါတ်ကျော်ပြန်ဆပ် apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ထုတ်လုပ်အရေအတွက်သုညထက်လျော့နည်းမဖွစျနိုငျ DocType: Stock Entry,Additional Costs,အပိုဆောင်းကုန်ကျစရိတ် +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည် Group မှ> နယ်မြေတွေကို apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုအုပ်စုအဖြစ်ပြောင်းလဲမရနိုင်ပါ။ DocType: Lead,Product Enquiry,ထုတ်ကုန်ပစ္စည်း Enquiry DocType: Education Settings,Validate Batch for Students in Student Group,ကျောင်းသားအုပ်စုအတွက်ကျောင်းသားများအဘို့အသုတ်လိုက်မှန်ကန်ကြောင်းသက်သေပြ @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,ဘွဲ့လွန်အောက apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,HR က Settings ထဲမှာခွင့်အခြေအနေသတိပေးချက်များအတွက် default အ template ကိုသတ်မှတ်ထားပေးပါ။ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Target ကတွင် DocType: BOM,Total Cost,စုစုပေါင်းကုန်ကျစရိတ် +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,ခွဲဝေ Expired! DocType: Soil Analysis,Ca/K,ca / K သည် +DocType: Leave Type,Maximum Carry Forwarded Leaves,အများဆုံး Carry တစ်ဆင့်အရွက် DocType: Salary Slip,Employee Loan,ဝန်ထမ်းချေးငွေ DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-Ads-.YY .- ။ MM.- DocType: Fee Schedule,Send Payment Request Email,ငွေပေးချေမှုရမည့်တောင်းဆိုခြင်းအီးမေးလ်ပို့ပါ @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,အိ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,အကောင့်၏ထုတ်ပြန်ကြေညာချက် apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ဆေးဝါးများ DocType: Purchase Invoice Item,Is Fixed Asset,Fixed Asset Is +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,အနာဂတ်ငွေချေမှုပြရန် DocType: Patient,HLC-PAT-.YYYY.-,ဆဆ-Pat-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,ဤသည်ဘဏ်အကောင့်ပြီးသားညှိနေသည် DocType: Homepage,Homepage Section,မူလစာမျက်နှာပုဒ်မ @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,မွေသွဇါ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",\ Item {0} နှင့်အတူထည့်သွင်းခြင်းနှင့်မပါဘဲ \ Serial နံပါတ်အားဖြင့် Delivery အာမခံဖြစ်ပါတယ်အဖြစ် Serial အဘယ်သူမျှမနေဖြင့်ဖြန့်ဝေသေချာမပေးနိုင် -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ပညာရေးအတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုနည်းပြ> ပညာရေးကိုဆက်တင် apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,ငွေပေးချေမှု၏အနည်းဆုံး mode ကို POS ငွေတောင်းခံလွှာဘို့လိုအပ်ပါသည်။ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},အသုတ်အဘယ်သူမျှမ batch ကို item {0} ဘို့လိုအပ်ပါသည် DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,ဘဏ်ဖော်ပြချက်ငွေသွင်းငွေထုတ်ပြေစာ Item @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,စည်းကမ်းသတ် apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Value တစ်ခုအထဲက DocType: Bank Statement Settings Item,Bank Statement Settings Item,ဘဏ်ထုတ်ပြန်ချက်က Settings Item DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings များ +DocType: Leave Ledger Entry,Transaction Name,ငွေသွင်းငွေထုတ်အမည် DocType: Production Plan,Sales Orders,အရောင်းအမှာ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,အဆိုပါဖောက်သည်များအတွက်တွေ့ရှိခဲ့အကွိမျမြားစှာသစ္စာရှိမှုအစီအစဉ်။ ကိုယ်တိုင်ရွေးချယ်ပါ။ DocType: Purchase Taxes and Charges,Valuation,အဘိုးထားခြင်း @@ -461,6 +469,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: 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 ကိုအီးမေးလ်အုပ်စု DocType: POS Profile,Only show Customer of these Customer Groups,ဤအဖောက်သည်အဖွဲ့များ၏ဖောက်သည်သာပြသ DocType: Sales Invoice,Is Opening Entry,Entry 'ဖွင့်လှစ်တာဖြစ်ပါတယ် @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Non-စံကိုရရန်အကောင့်ကိုသက်ဆိုင်လျှင်ဖော်ပြထားခြင်း 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 စာရင်းဆန့်ကျင်ဖန်တီးလိုက်ပါပြီ DocType: Supplier Scorecard,Criteria Setup,လိုအပ်ချက် Setup ကို -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,ဂိုဒေါင်လိုအပ်သည်သည်ခင် Submit +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,တွင်ရရှိထားသည့် DocType: Codification Table,Medical Code,ဆေးဘက်ဆိုင်ရာကျင့်ထုံးဥပဒေ apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ERPNext နှင့်အတူအမေဇုံချိတ်ဆက်ပါ @@ -486,7 +496,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,ဘဏ်အကောင့်ကဆက်ပြောသည် -DocType: Delivery Stop,Contact Name,ဆက်သွယ်ရန်အမည် +DocType: Call Log,Contact Name,ဆက်သွယ်ရန်အမည် DocType: Plaid Settings,Synchronize all accounts every hour,အားလုံးအကောင့်တိုင်းနာရီထပ်တူကျအောင် DocType: Course Assessment Criteria,Course Assessment Criteria,သင်တန်းအမှတ်စဥ်အကဲဖြတ်လိုအပ်ချက် DocType: Pricing Rule Detail,Rule Applied,အသုံးချအုပျစိုး @@ -530,7 +540,6 @@ 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,အရောင်းပြေစာမရှိ -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,အမည်မသိအရေအတွက် DocType: Website Filter Field,Website Filter Field,ဝက်ဘ်ဆိုက် Filter ကိုကွင်းဆင်း apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,supply အမျိုးအစား DocType: Material Request Item,Min Order Qty,min မိန့် Qty @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,စုစုပေါင်းကျ DocType: Student Guardian,Relation,ဆှေမြိုး DocType: Quiz Result,Correct,မှန်ကန်သော DocType: Student Guardian,Mother,မိခင် -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,ပထမဦးဆုံးအ site_config.json အတွက်ခိုင်လုံသော Plaid api သော့ add ပေးပါ DocType: Restaurant Reservation,Reservation End Time,reservation အဆုံးအချိန် DocType: Crop,Biennial,နှစ်နှစ်တကြိမ် ,BOM Variance Report,BOM ကှဲလှဲအစီရင်ခံစာ @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,Plaid Public Key ကို DocType: Payment Term,Payment Term Name,ငွေပေးချေမှုရမည့် Term အမည် DocType: Healthcare Settings,Create documents for sample collection,နမူနာစုဆောင်းခြင်းများအတွက်မှတ်တမ်းမှတ်ရာများ Create apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},{0} {1} ထူးချွန်ပမာဏ {2} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျဆန့်ကျင်ငွေပေးချေမှုရမည့် @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,အော့ဖ်လိုင်း P DocType: Stock Entry Detail,Reference Purchase Receipt,ကိုးကားစရာအရစ်ကျငွေလက်ခံပြေစာ DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,အမျိုးမျိုးမူကွဲ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',ပြီးစီး Qty '' Qty ထုတ်လုပ်ခြင်းမှ '' ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',ပြီးစီး Qty '' Qty ထုတ်လုပ်ခြင်းမှ '' ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,ကာလတွင်အခြေစိုက် DocType: Period Closing Voucher,Closing Account Head,နိဂုံးချုပ်အကောင့်ဌာနမှူး DocType: Employee,External Work History,ပြင်ပလုပ်ငန်းခွင်သမိုင်း apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,မြို့ပတ်ရထားကိုးကားစရာအမှား apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,ကျောင်းသားအစီရင်ခံစာကဒ် apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Pin Code ကိုမှသည် +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Show ကိုအရောင်းပုဂ္ဂိုလ် DocType: Appointment Type,Is Inpatient,အတွင်းလူနာ Is apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 အမည် DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,သင် Delivery Note ကိုကယျတငျတျောမူပါတစ်ချိန်ကစကား (ပို့ကုန်) ခုနှစ်တွင်မြင်နိုင်ပါလိမ့်မည်။ @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Dimension အမည် apps/erpnext/erpnext/healthcare/setup.py,Resistant,ခံနိုင်ရည် apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{} အပေါ်ဟိုတယ်အခန်းနှုန်းသတ်မှတ်ပေးပါ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု. Setup ကို> နံပါတ်စီးရီးကနေတစ်ဆင့်တက်ရောက်ဘို့ setup ကိုစာရငျးစီးရီး DocType: Journal Entry,Multi Currency,multi ငွေကြေးစနစ် DocType: Bank Statement Transaction Invoice Item,Invoice Type,ကုန်ပို့လွှာ Type apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,နေ့စွဲကနေသက်တမ်းရှိသည့်ရက်စွဲနူန်းကျော်ကျော်တရားဝင်ထက်လျော့နည်းဖြစ်ရမည် @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,ဝန်ခံ DocType: Workstation,Rent Cost,ငှားရန်ကုန်ကျစရိတ် 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,တန်ဖိုးပြီးနောက်ပမာဏ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,လာမည့်ပြက္ခဒိန်ပွဲများ apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,မူကွဲ Attribute တွေက @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,စျေးနှုန် 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,ပုံနှိပ်ပါထဲမှာ Show ကိုအရောင်းပုဂ္ဂိုလ် 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,ခွန်အား @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,အသစ်တစ်ခုကိုဖောက်သည် Create apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,တွင်ကုန်ဆုံးမည့် apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","မျိုးစုံစျေးနှုန်းများနည်းဥပဒေများနိုင်မှတည်လျှင်, အသုံးပြုသူများပဋိပက္ခဖြေရှင်းရန်ကို manually ဦးစားပေးသတ်မှတ်ဖို့တောင်းနေကြသည်။" -DocType: Purchase Invoice,Scan Barcode,scan ကိုဘားကုဒ် apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,အရစ်ကျမိန့် Create ,Purchase Register,မှတ်ပုံတင်မည်ဝယ်ယူ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,လူနာမတွေ့ရှိ @@ -817,6 +828,7 @@ DocType: Account,Old Parent,စာဟောငျးမိဘ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,မသင်မနေရကိုလယ် - ပညာရေးဆိုင်ရာတစ်နှစ်တာ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,မသင်မနေရကိုလယ် - ပညာရေးဆိုင်ရာတစ်နှစ်တာ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} {2} {3} နှင့်အတူဆက်စပ်ခြင်းမရှိပါ +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} ဆန့်ကျင်ခွင့်မပြု @@ -860,6 +872,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet အခြေစိုက်လုပ်ခလစာများအတွက်လစာစိတျအပိုငျး။ DocType: Driver,Applicable for external driver,ပြင်ပယာဉ်မောင်းများအတွက်သက်ဆိုင်သော DocType: Sales Order Item,Used for Production Plan,ထုတ်လုပ်ရေးစီမံကိန်းအတွက်အသုံးပြု +DocType: BOM,Total Cost (Company Currency),စုစုပေါင်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်) DocType: Loan,Total Payment,စုစုပေါင်းငွေပေးချေမှုရမည့် apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Completed သူ Work Order အတွက်အရောင်းအဝယ်မပယ်ဖျက်နိုင်ပါ။ DocType: Manufacturing Settings,Time Between Operations (in mins),(မိနစ်အတွက်) Operations အကြားတွင်အချိန် @@ -881,6 +894,7 @@ DocType: Supplier Scorecard Standing,Notify Other,အခြားအကြော DocType: Vital Signs,Blood Pressure (systolic),သွေးဖိအား (နှလုံးကျုံ့) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} ဖြစ်ပါသည် DocType: Item Price,Valid Upto,သက်တမ်းရှိအထိ +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.,သင့်ရဲ့ဖောက်သည်၏အနည်းငယ်စာရင်း။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်လူပုဂ္ဂိုလ်တစ်ဦးချင်းဖြစ်နိုင်ပါတယ်။ @@ -899,6 +913,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} အတွက်အပြောင်းအလဲများ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,ကုမ္ပဏီကို select ကျေးဇူးပြု. DocType: Employee Skill,Employee Skill,ဝန်ထမ်းကျွမ်းကျင်မှု apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,ခြားနားချက်အကောင့် @@ -943,6 +958,7 @@ DocType: Patient,Risk Factors,စွန့်စားမှုအချက် DocType: Patient,Occupational Hazards and Environmental Factors,အလုပ်အကိုင်ဘေးအန္တရာယ်နှင့်သဘာဝပတ်ဝန်းကျင်အချက်များ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,ပြီးသားသူ Work Order များအတွက် created စတော့အိတ် Entries apps/erpnext/erpnext/templates/pages/cart.html,See past orders,အတိတ်အမိန့်ကိုကြည့်ပါ +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} စကားစမြည် DocType: Vital Signs,Respiratory rate,အသက်ရှူလမ်းကြောင်းဆိုင်ရာမှုနှုန်း apps/erpnext/erpnext/config/help.py,Managing Subcontracting,စီမံခန့်ခွဲ Subcontracting DocType: Vital Signs,Body Temperature,ခန္ဓာကိုယ်အပူချိန် @@ -984,6 +1000,7 @@ DocType: Purchase Invoice,Registered Composition,မှတ်ပုံတင် apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,ဟလို apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Item Move DocType: Employee Incentive,Incentive Amount,မက်လုံးပေးငွေပမာဏ +,Employee Leave Balance Summary,ဝန်ထမ်း Leave Balance အကျဉ်းချုပ် DocType: Serial No,Warranty Period (Days),အာမခံကာလ (Days) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,စုစုပေါင်းချေးငွေ / debit ငွေပမာဏနှင့်ဆက်စပ်ဂျာနယ် Entry 'အဖြစ်အတူတူပင်ဖြစ်သင့်သည် DocType: Installation Note Item,Installation Note Item,Installation မှတ်ချက် Item @@ -997,6 +1014,7 @@ DocType: Vital Signs,Bloated,ရမ်းသော DocType: Salary Slip,Salary Slip Timesheet,လစာစလစ်ဖြတ်ပိုင်းပုံစံ Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,က sub-စာချုပ်ချုပ်ဆိုဝယ်ယူခြင်းပြေစာတွေအတွက်မဖြစ်မနေပေးသွင်းဂိုဒေါင် DocType: Item Price,Valid From,မှစ. သက်တမ်းရှိ +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,သင့်အဆင့်သတ်မှတ်ချက်: DocType: Sales Invoice,Total Commission,စုစုပေါင်းကော်မရှင် DocType: Tax Withholding Account,Tax Withholding Account,အခွန်နှိမ်အကောင့် DocType: Pricing Rule,Sales Partner,အရောင်း Partner @@ -1004,6 +1022,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,အားလု DocType: Buying Settings,Purchase Receipt Required,ဝယ်ယူခြင်း Receipt လိုအပ်သော DocType: Sales Invoice,Rail,လက်ရန်းတန်း apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,အမှန်တကယ်ကုန်ကျစရိတ် +DocType: Item,Website Image,ဝက်ဘ်ဆိုက်ပုံရိပ် apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,အတန်းအတွက်ပစ်မှတ်ဂိုဒေါင် {0} လုပ်ငန်းခွင်အမိန့်အဖြစ်အတူတူပင်ဖြစ်ရပါမည် apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,ဖွင့်လှစ်စတော့အိတ်ဝသို့ဝင်လျှင်အဘိုးပြတ်နှုန်းမဖြစ်မနေဖြစ်ပါသည် apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,ထိုပြေစာ table ထဲမှာတွေ့ရှိမရှိပါမှတ်တမ်းများ @@ -1038,8 +1057,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,သင့်အကောင့်တစ်ပြိုင်တည်းချိတ်ဆက်ရှေ့၌သင်တို့ Plaid API ကို configuration ကိုအပြီးသတ် ကျေးဇူးပြု. 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 DocType: Job Applicant,Resume Attachment,ကိုယ်ရေးမှတ်တမ်းတွယ်တာ @@ -1051,7 +1070,6 @@ DocType: Production Plan,Production Plan,ထုတ်လုပ်မှုအစ DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ဖွင့်လှစ်ငွေတောင်းခံလွှာဖန်ဆင်းခြင်း Tool ကို DocType: Salary Component,Round to the Nearest Integer,အနီးဆုံး Integer မှ round apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,အရောင်းသို့ပြန်သွားသည် -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,မှတ်ချက်: စုစုပေါင်းခွဲဝေရွက် {0} ကာလအဘို့ပြီးသားအတည်ပြုရွက် {1} ထက်လျော့နည်းမဖြစ်သင့်ပါဘူး DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Serial ဘယ်သူမျှမက Input ကိုအပျေါအခွခေံအရောင်းအဝယ်အတွက်အရည်အတွက် Set ,Total Stock Summary,စုစုပေါငျးစတော့အိတ်အကျဉ်းချုပ် apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1080,6 +1098,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,စ apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,ကျောင်းအုပ်ကြီးငွေပမာဏ DocType: Loan Application,Total Payable Interest,စုစုပေါင်းပေးရန်စိတ်ဝင်စားမှု apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ထူးချွန်စုစုပေါင်း: {0} +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},Serial ကို item {0} များအတွက်လိုအပ်သော serial မျှမ (များ) @@ -1089,6 +1108,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,စီးရီးအမ 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 လုပ်တဲ့လုပ်ငန်းစဉ်အတွင်းဖြစ်ပွားခဲ့သည် DocType: Restaurant Reservation,Restaurant Reservation,စားသောက်ဆိုင် Reservation များ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,သင့်ရဲ့ပစ္စည်းများ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,အဆိုပြုချက်ကို Writing DocType: Payment Entry Deduction,Payment Entry Deduction,ငွေပေးချေမှုရမည့် Entry ထုတ်ယူ DocType: Service Level Priority,Service Level Priority,ဝန်ဆောင်မှုအဆင့်ဦးစားပေး @@ -1097,6 +1117,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,batch နံပါတ်စီးရီး apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,နောက်ထပ်အရောင်းပုဂ္ဂိုလ် {0} တူညီသောန်ထမ်းက id နှင့်အတူတည်ရှိ DocType: Employee Advance,Claimed Amount,အခိုင်အမာငွေပမာဏ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,ခွဲဝေသက်တမ်းကုန်ဆုံး DocType: QuickBooks Migrator,Authorization Settings,authorization Settings များ DocType: Travel Itinerary,Departure Datetime,ထွက်ခွာ DATETIME apps/erpnext/erpnext/hub_node/api.py,No items to publish,ထုတ်ဝေရန်အရာများမရှိပါ @@ -1166,7 +1187,6 @@ DocType: Student Batch Name,Batch Name,batch အမည် DocType: Fee Validity,Max number of visit,ခရီးစဉ်၏မက်စ်အရေအတွက်က DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,အမြတ်နှင့်အရှုံးအကောင့်သည်မသင်မနေရ ,Hotel Room Occupancy,ဟိုတယ်အခန်းနေထိုင်မှု -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet ကဖန်တီး: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},ငွေပေးချေမှုရမည့်၏ Mode ကို {0} အတွက် default အနေနဲ့ငွေသို့မဟုတ်ဘဏ်မှအကောင့်ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,စာရင်းသွင်း DocType: GST Settings,GST Settings,GST က Settings @@ -1300,6 +1320,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,အစီအစဉ်ကို select ပေးပါ DocType: Project,Estimated Cost,ခန့်မှန်းခြေကုန်ကျစရိတ် DocType: Request for Quotation,Link to material requests,ပစ္စည်းတောင်းဆိုမှုများမှ Link ကို +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,ပုံနှိပ်ထုတ်ဝေ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Credit Card ကို Entry ' @@ -1326,6 +1347,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,လက်ရှိပိုင်ဆိုင်မှုများ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} တစ်စတော့ရှယ်ယာ Item မဟုတ်ပါဘူး apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New','' သင်တန်းတုံ့ပြန်ချက် '' ကိုနှိပ်ခြင်းအားဖြင့်လေ့ကျင့်ရေးမှသင့်ရဲ့တုံ့ပြန်ချက်ဝေမျှပြီးတော့ '' နယူး '' ကျေးဇူးပြု. +DocType: Call Log,Caller Information,Caller သတင်းအချက်အလက် DocType: Mode of Payment Account,Default Account,default အကောင့် apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,ပထမဦးဆုံးစတော့အိတ်ချိန်ညှိမှုများအတွက်နမူနာ retention ဂိုဒေါင်ကို select ပေးပါ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,တစ်ဦးထက်ပိုစုဆောင်းခြင်းစည်းမျဉ်းစည်းကမ်းတွေအဘို့အအကွိမျမြားစှာအဆင့်အစီအစဉ် type ကိုရွေးချယ်ပါ။ @@ -1350,6 +1372,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,generated auto ပစ္စည်းတောင်းဆိုမှုများ DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),တစ်ဝက်နေ့မှတ်သားသောအောက်တွင်ဖော်ပြထားသောနာရီအလုပ်လုပ်။ (သုညကို disable လုပ်ဖို့) DocType: Job Card,Total Completed Qty,စုစုပေါင်း Completed အရည်အတွက် +DocType: HR Settings,Auto Leave Encashment,အော်တိုခွင့် Encashment apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,ဆုံးရှုံး apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,သင်ကကော်လံ '' ဂျာနယ် Entry 'ဆန့်ကျင်' 'အတွက်လက်ရှိဘောက်ချာမဝင်နိုင် DocType: Employee Benefit Application Detail,Max Benefit Amount,မက်စ်အကျိုးခံစားခွင့်ငွေပမာဏ @@ -1379,9 +1402,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,စာရင်းပေးသွင်းသူ DocType: Item Attribute Value,Item Attribute Value,item Attribute Value တစ်ခု apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,ငွေကြေးလဲလှယ်ရေးဝယ်ယူဘို့သို့မဟုတ်ရောင်းအားများအတွက်သက်ဆိုင်ဖြစ်ရမည်။ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,သာသက်တမ်းကုန်ဆုံးခွဲဝေဖျက်သိမ်းနိုင်ပါတယ် DocType: Item,Maximum sample quantity that can be retained,ထိန်းသိမ်းထားနိုင်အများဆုံးနမူနာအရေအတွက် apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},အတန်း {0} # Item {1} ကို ပို. ဝယ်ယူမိန့် {3} ဆန့်ကျင် {2} ထက်လွှဲပြောင်းမရနိုငျ apps/erpnext/erpnext/config/crm.py,Sales campaigns.,အရောင်းစည်းရုံးလှုံ့ဆော်မှုများ။ +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,အမည်မသိ Caller DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1413,6 +1438,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ကျန apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,doc အမည် DocType: Expense Claim Detail,Expense Claim Type,စရိတ်တောင်းဆိုမှုများ Type DocType: Shopping Cart Settings,Default settings for Shopping Cart,စျေးဝယ်ခြင်းတွန်းလှည်းသည် default setting များ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Item Save apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,နယူးသုံးစွဲမှု apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,ရှိရင်းစွဲမိန့်ထုတ်အရည်အတွက်လျစ်လျူရှု apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,အချိန်အပိုင်းအခြားများအား Add @@ -1425,6 +1451,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,ဆန်းစစ်ခြင်းဖိတ်ကြားလွှာ Sent DocType: Shift Assignment,Shift Assignment,shift တာဝန် DocType: Employee Transfer Property,Employee Transfer Property,ဝန်ထမ်းလွှဲပြောင်းအိမ်ခြံမြေ +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,လယ်ပြင် Equity / တာဝန်ဝတ္တရားအကောင့်အလွတ်မဖွစျနိုငျ apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,အခြိနျမှနျမှထက်နည်းရမည် apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,ဇီဝနည်းပညာ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1507,11 +1534,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,သင်တန်းဇယား DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B အစီရင်ခံစာ DocType: Request for Quotation Supplier,Quote Status,quote အခြေအနေ DocType: GoCardless Settings,Webhooks Secret,Webhooks လျှို့ဝှက်ချက် DocType: Maintenance Visit,Completion Status,ပြီးစီးနဲ့ Status +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},စုစုပေါင်းငွေပေးချေမှုငွေပမာဏ {} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Daily Work Summary Group,Select Users,အသုံးပြုသူများကို Select လုပ်ပါ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ဟိုတယ်အခန်းစျေးနှုန်း Item DocType: Loyalty Program Collection,Tier Name,tier အမည် @@ -1549,6 +1578,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST င DocType: Lab Test Template,Result Format,ရလဒ် Format ကို DocType: Expense Claim,Expenses,ကုန်ကျစရိတ် DocType: Service Level,Support Hours,ပံ့ပိုးမှုနာရီ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Delivery မှတ်စုများ DocType: Item Variant Attribute,Item Variant Attribute,item Variant Attribute ,Purchase Receipt Trends,ဝယ်ယူခြင်းပြေစာခေတ်ရေစီးကြောင်း DocType: Payroll Entry,Bimonthly,Bimonthly @@ -1571,7 +1601,6 @@ DocType: Sales Team,Incentives,မက်လုံးတွေပေးပြီ DocType: SMS Log,Requested Numbers,တောင်းဆိုထားသော Numbers DocType: Volunteer,Evening,ညနေ DocType: Quiz,Quiz Configuration,ပဟေဠိ Configuration -DocType: Customer,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 ကို @@ -1618,7 +1647,6 @@ apps/erpnext/erpnext/config/accounting.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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},စစ်ဆင်ရေး {1} သည်လာမည့် {0} လက်ထက်ကာလ၌အချိန်အပေါက်ရှာတွေ့ဖို့မအောင်မြင်ဘူး DocType: Work Order,Plan material for sub-assemblies,က sub-အသင်းတော်တို့အဘို့အစီအစဉ်ကိုပစ္စည်း 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,လွှဲပြောင်းရရှိနိုင်ပစ္စည်းများအဘယ်သူမျှမ @@ -1633,9 +1661,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,သငျသညျ Re-အမိန့်အဆင့်ဆင့်ကိုဆက်လက်ထိန်းသိမ်းထားဖို့စတော့အိတ်ချိန်ညှိမှုများအတွက်အလိုအလျောက်ပြန်လည်အမိန့်ကို enable ရန်ရှိသည်။ apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,ဒီ Maintenance ခရီးစဉ်ပယ်ဖျက်မီပစ္စည်းလည်ပတ်သူ {0} Cancel DocType: Pricing Rule,Rate or Discount,rate သို့မဟုတ်လျှော့ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,ဘဏ်အသေးစိတ် DocType: Vital Signs,One Sided,ဖွဲ့တစ်ခုမှာ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},serial No {0} Item မှ {1} ပိုင်ပါဘူး -DocType: Purchase Receipt Item Supplied,Required Qty,မရှိမဖြစ်တဲ့ Qty +DocType: Purchase Order Item Supplied,Required Qty,မရှိမဖြစ်တဲ့ Qty DocType: Marketplace Settings,Custom Data,စိတ်တိုင်းကျမှာ Data apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,လက်ရှိငွေပေးငွေယူနှင့်အတူသိုလှောင်ရုံလယ်ဂျာကူးပြောင်းမရနိုင်ပါ။ DocType: Service Day,Service Day,ဝန်ဆောင်မှုနေ့ @@ -1663,7 +1692,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,အကောင့်ကိုငွေကြေးစနစ် DocType: Lab Test,Sample ID,နမူနာ ID ကို apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,ကုမ္ပဏီထဲမှာအကောင့်ပိတ် Round ကိုဖော်ပြရန် ကျေးဇူးပြု. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,အကွာအဝေး DocType: Supplier,Default Payable Accounts,default ပေးဆောင် Accounts ကို apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,ဝန်ထမ်း {0} တက်ကြွမဟုတ်ပါဘူးသို့မဟုတ်မတည်ရှိပါဘူး @@ -1704,8 +1732,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,ပြန်ကြားရေးဝန်ကြီးဌာနတောင်းဆိုခြင်း DocType: Course Activity,Activity Date,လုပ်ဆောင်ချက်နေ့စွဲ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} {} ၏ -,LeaderBoard,LEADERBOARD DocType: Sales Invoice Item,Rate With Margin (Company Currency),Margin (ကုမ္ပဏီငွေကြေးစနစ်) နှင့်အတူ rate +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,categories apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync ကိုအော့ဖ်လိုင်းဖြင့်ငွေတောင်းခံလွှာ DocType: Payment Request,Paid,Paid DocType: Service Level,Default Priority,default ဦးစားပေး @@ -1740,11 +1768,11 @@ 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,သွယ်ဝိုက်ဝင်ငွေခွန် DocType: Student Attendance Tool,Student Attendance Tool,ကျောင်းသားများကျောင်း Tool ကို DocType: Restaurant Menu,Price List (Auto created),စျေးစာရင်း (အော်တို created) +DocType: Pick List Item,Picked Qty,အရည်အတွက်ကောက်ယူ DocType: Cheque Print Template,Date Settings,နေ့စွဲက Settings 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,ဝန်ထမ်းမြှင့်တင်ရေးအသေးစိတ် -,Company Name,ကုမ္ပဏီအမည် 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 ။ @@ -1763,7 +1791,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,နောက်ဆုံးရကြိုးစားခြင်း 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} တွေအတွက်မဖြစ်မနေဖြစ်ပါသည် -DocType: BOM,Raw Material Cost(Company Currency),ကုန်ကြမ်းပစ္စည်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်) 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,မီတာ @@ -1832,6 +1859,7 @@ DocType: Travel Itinerary,Train,မီးရထား ,Delayed Item Report,နှောင့်နှေး Item အစီရင်ခံစာ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,အရည်အချင်းပြည့်မီ ITC DocType: Healthcare Service Unit,Inpatient Occupancy,အတွင်းလူနာနေထိုင်မှု +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,သင့်ရဲ့ပထမဦးဆုံးပစ္စည်းများ Publish DocType: Sample Collection,HLC-SC-.YYYY.-,ဆဆ-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Check-ထွက်တက်ရောက်သူဘို့စဉ်းစားသောကာလအတွင်းပြောင်းကုန်ပြီ၏အဆုံးပြီးနောက်အချိန်။ apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},တစ် {0} ကိုသတ်မှတ်ပေးပါ @@ -1950,6 +1978,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,အားလု apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,အင်တာမီလန်ကုမ္ပဏီဂျာနယ် Entry 'Create DocType: Company,Parent Company,မိခင်ကုမ္ပဏီ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},အမျိုးအစား {0} ၏ဟိုတယ်အခန်း {1} အပေါ်မရရှိနိုင်ပါ +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,ကုန်ကြမ်းနှင့်စစ်ဆင်ရေးများတွင်အပြောင်းအလဲများများအတွက် BOMs နှိုငျးယှဉျ apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,စာရွက်စာတမ်း {0} ကိုအောင်မြင်စွာမရှင်း DocType: Healthcare Practitioner,Default Currency,default ငွေကြေးစနစ် apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,ဒီအကောင့်ပြန်လည်သင့်မြတ် @@ -1984,6 +2013,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form တွင်ပြေစာ Detail DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ငွေပေးချေမှုရမည့်ပြန်လည်ရင်ကြားစေ့ရေးပြေစာ DocType: Clinical Procedure,Procedure Template,လုပ်ထုံးလုပ်နည်း Template ကို +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,ပစ္စည်းများ Publish apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,contribution% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","အဆိုပါဝယ်ချိန်ညှိမှုများနှုန်းအဖြစ်ဝယ်ယူမိန့်လိုအပ်ပါသည် == '' ဟုတ်ကဲ့ '', ထို့နောက်အရစ်ကျငွေတောင်းခံလွှာအတွက်, အသုံးပြုသူကို item {0} များအတွက်ပထမဦးဆုံးဝယ်ယူအမိန့်ကိုဖန်တီးရန်လိုအပ်တယ်ဆိုရင်" ,HSN-wise-summary of outward supplies,အပြင်ထောက်ပံ့ရေးပစ္စည်းများ၏ HSN ပညာရှိ-အကျဉ်းချုပ် @@ -1996,7 +2026,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On','' Apply ဖြည့်စွက်လျှော့တွင် '' set ကျေးဇူးပြု. DocType: Party Tax Withholding Config,Applicable Percent,သက်ဆိုင်ရာခိုင်နှုန်း ,Ordered Items To Be Billed,ကြေညာတဲ့ခံရဖို့အမိန့်ထုတ်ပစ္စည်းများ -DocType: Employee Checkin,Exit Grace Period Consequence,Exit ကိုကျေးဇူးတော်ရှိစေသတည်းကာလအကျိုးဆက်များ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Range ထဲထဲကနေ A မျိုးမျိုးရန်ထက်လျော့နည်းဖြစ်ဖို့ရှိပါတယ် DocType: Global Defaults,Global Defaults,ဂလိုဘယ် Defaults ကို apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,စီမံကိန်းပူးပေါင်းဆောင်ရွက်ဖိတ်ကြားလွှာ @@ -2004,13 +2033,11 @@ DocType: Salary Slip,Deductions,ဖြတ်ငွေများ DocType: Setup Progress Action,Action Name,လှုပ်ရှားမှုအမည် apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Start ကိုတစ်နှစ်တာ apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ချေးငွေ Create -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,ကောင်စီ / LC DocType: Purchase Invoice,Start date of current invoice's period,လက်ရှိကုန်ပို့လွှာရဲ့ကာလ၏နေ့စွဲ Start DocType: Shift Type,Process Attendance After,ပြီးနောက်လုပ်ငန်းစဉ်အားတက်ရောက် ,IRS 1099,IRS ကို 1099 DocType: Salary Slip,Leave Without Pay,Pay ကိုမရှိရင် Leave DocType: Payment Request,Outward,အပြင်ကျသော -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,စွမ်းဆောင်ရည်မြှင့်စီမံကိန်းအမှား apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,ပြည်နယ် / UT အခွန် ,Trial Balance for Party,ပါတီများအတွက် trial Balance ကို ,Gross and Net Profit Report,စုစုပေါင်းနှင့် Net ကအမြတ်အစီရင်ခံစာ @@ -2029,7 +2056,6 @@ DocType: Payroll Entry,Employee Details,ဝန်ထမ်းအသေးစိ 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} ဘို့လိုအပ်ပါသည် -DocType: Setup Progress Action,Domains,domains 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} @@ -2072,7 +2098,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,စုစ 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.","ငွေပေးချေမှုရမည့် Mode ကို configured ကိုမရ။ အကောင့်ငွေပေးချေ၏ Mode ကိုအပေါ်သို့မဟုတ် POS Profile ကိုအပေါ်သတ်မှတ်ပြီးပါပြီဖြစ်စေ, စစ်ဆေးပါ။" apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ရနိုင်မှာမဟုတ်ဘူး။ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",နောက်ထပ်အကောင့်အဖွဲ့များအောက်မှာလုပ်နိုင်ပေမယ့် entries တွေကို Non-အဖွဲ့များဆန့်ကျင်စေနိုင်ပါတယ် -DocType: Email Campaign,Lead,ခဲ +DocType: Call Log,Lead,ခဲ DocType: Email Digest,Payables,ပေးအပ်သော DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth တိုကင် DocType: Email Campaign,Email Campaign For ,သည်အီးမေးလ်ပို့ရန်ကင်ပိန်း @@ -2084,6 +2110,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,ကြေညာတဲ့ခံရဖို့အမိန့်ပစ္စည်းများဝယ်ယူရန် 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 န့်သတ်ချက်များ DocType: Purchase Invoice Item,Net Rate,Net က Rate apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,ဖောက်သည်တစ်ဦးကို select ပေးပါ DocType: Leave Policy,Leave Allocations,ခွဲဝေ Leave @@ -2097,6 +2124,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,နေ့ရက်များပြီးနောက်နီးကပ် Issue ,Eway Bill,Eway ဘီလ် apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,သငျသညျ Marketplace မှအသုံးပြုသူများကိုထည့်သွင်းဖို့အတွက် System Manager ကိုနှင့် Item Manager ကိုအခန်းကဏ္ဍနှင့်အတူအသုံးပြုသူတစ်ဦးဖြစ်ဖို့လိုအပ်ပါတယ်။ +DocType: Attendance,Early Exit,အစောပိုင်းမှထွက်ရန် DocType: Job Opening,Staffing Plan,ဝန်ထမ်းများအစီအစဉ် apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,ဘီလ် JSON တစ်ခုသာတင်သွင်းစာရွက်စာတမ်းကနေထုတ်လုပ်လိုက်တဲ့နိုင်ပါတယ် E-Way ကို apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ဝန်ထမ်းအခွန်နှင့်အကျိုးကျေးဇူးများ @@ -2119,6 +2147,7 @@ DocType: Maintenance Team Member,Maintenance Role,ကို Maintenance အခ apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},{1} တူညီနှင့်အတူအတန်း {0} Duplicate DocType: Marketplace Settings,Disable Marketplace,Marketplace disable DocType: Quality Meeting,Minutes,မိနစ်များ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,သင့်ရဲ့ Featured ပစ္စည်းများ ,Trial Balance,ရုံးတင်စစ်ဆေး Balance apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Show ကိုပြီးစီး apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} မတွေ့ရှိ @@ -2128,8 +2157,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,ဟိုတယ် Reserv 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,ပထမဦးဆုံးရှေ့ဆက်ကိုရွေးပါ ကျေးဇူးပြု. DocType: Contract,Fulfilment Deadline,ပွညျ့စုံနောက်ဆုံး +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,သငျသညျအနီး DocType: Student,O-,O- -DocType: Shift Type,Consequence,အကျိုးဆက် DocType: Subscription Settings,Subscription Settings,subscription က Settings DocType: Purchase Invoice,Update Auto Repeat Reference,အော်တိုထပ်ခါတလဲလဲရည်ညွှန်းဒိတ်လုပ်ပါ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},ခွင့်ကာလ {0} ဘို့မသတ်မှတ် optional အားလပ်ရက်များစာရင်း @@ -2140,7 +2169,6 @@ DocType: Maintenance Visit Purpose,Work Done,အလုပ် Done apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,ထို Attribute တွေက table ထဲမှာအနည်းဆုံးတစ်ခု attribute ကို specify ကျေးဇူးပြု. DocType: Announcement,All Students,အားလုံးကျောင်းသားများ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,item {0} non-စတော့ရှယ်ယာကို item ဖြစ်ရပါမည် -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ဘဏ် Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,view လယ်ဂျာ DocType: Grading Scale,Intervals,အကြား DocType: Bank Statement Transaction Entry,Reconciled Transactions,ပြန်. အရောင်းအဝယ် @@ -2176,6 +2204,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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,ဝယ်ယူသံသရာတလျှောက်လုံးအတူတူနှုန်းကထိန်းသိမ်းနည်း DocType: Opportunity Item,Opportunity Item,အခွင့်အလမ်း Item DocType: Quality Action,Quality Review,အရည်အသွေးပြန်လည်ဆန်းစစ်ခြင်း @@ -2202,7 +2231,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} တည်းဖြတ်ခွင့်ပြုချက်မရ DocType: Journal Entry,Get Outstanding Invoices,ထူးချွန်ငွေတောင်းခံလွှာကိုရယူပါ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,အရောင်းအမှာစာ {0} တရားဝင်မဟုတ် +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,ကိုးကားချက်များအသစ်တောင်းဆိုမှုအဘို့သတိပေး apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,အရစ်ကျအမိန့်သင်သည်သင်၏ဝယ်ယူမှုအပေါ်စီစဉ်ထားခြင်းနှင့်ဖွင့်အတိုင်းလိုက်နာကူညီ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab ကစမ်းသပ်ဆေးညွှန်း @@ -2227,6 +2256,7 @@ DocType: Employee Onboarding,Notify users by email,အီးမေးလ်ဖ DocType: Travel Request,International,အပြည်ပြည်ဆိုင်ရာ DocType: Training Event,Training Event,လေ့ကျင့်ရေးပွဲ DocType: Item,Auto re-order,မော်တော်ကားပြန်လည်အမိန့် +DocType: Attendance,Late Entry,နှောင်းပိုင်းတွင် Entry ' apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,အကောင်အထည်ဖော်ခဲ့သောစုစုပေါင်း DocType: Employee,Place of Issue,ထုတ်ဝေသည့်နေရာ DocType: Promotional Scheme,Promotional Scheme Price Discount,ပရိုမိုးရှင်းအစီအစဉ်စျေးလျှော့ @@ -2273,6 +2303,7 @@ DocType: Serial No,Serial No Details,serial No အသေးစိတ်ကို DocType: Purchase Invoice Item,Item Tax Rate,item အခွန်နှုန်း apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,ပါတီအမည်ကနေ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Net ကလစာပမာဏ +DocType: Pick List,Delivery against Sales Order,အရောင်းအမိန့်ဆန့်ကျင်ဖြန့်ဝေ DocType: Student Group Student,Group Roll Number,Group မှ Roll နံပါတ် DocType: Student Group Student,Group Roll Number,Group မှ Roll နံပါတ် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",{0} သည်ကိုသာအကြွေးအကောင့်အသစ်များ၏အခြား debit entry ကိုဆန့်ကျင်နှင့်ဆက်စပ်နိုင် @@ -2346,7 +2377,6 @@ DocType: Contract,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,ပေးသွင်းပြေစာနေ့စွဲ -DocType: Asset Settings,This value is used for pro-rata temporis calculation,ဤသည်မှာတန်ဖိုးကိုလိုလားသူ rata temporis တွက်ချက်မှုအသုံးပြုသည် apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,သင်ကစျေးဝယ်ခြင်းတွန်းလှည်း enable ရန်လိုအပ်သည် DocType: Payment Entry,Writeoff,အကြွေးလျှော်ပစ်ခြင်း DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2360,6 +2390,7 @@ DocType: Delivery Trip,Total Estimated Distance,စုစုပေါင်း DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Accounts ကို receiver မရတဲ့အကောင့် DocType: Tally Migration,Tally Company,Tally ကိုကုမ္ပဏီ apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser ကို +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},{0} များအတွက်စာရင်းကိုင်အတိုင်းအတာကိုဖန်တီးရန်ခွင့်မပြု apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,ဒီလေ့ကျင့်ရေးအဖြစ်အပျက်အဘို့သင့် status ကိုအပ်ဒိတ်လုပ် ကျေးဇူးပြု. DocType: Item Barcode,EAN,Ean DocType: Purchase Taxes and Charges,Add or Deduct,Add သို့မဟုတ်ထုတ်ယူ @@ -2369,7 +2400,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,မလှုပ်မရှားအရောင်းပစ္စည်းများ DocType: Quality Review,Additional Information,အခြားဖြည့်စွက်ရန်အချက်အလက်များ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,စုစုပေါင်းအမိန့် Value တစ်ခု -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက်ကိုပြန်လည်သတ်မှတ်မည်။ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,အစာ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Ageing Range 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,voucher အသေးစိတ်ပိတ်ပွဲ POS @@ -2416,6 +2446,7 @@ DocType: Quotation,Shopping Cart,စျေးဝယ်တွန်းလှည apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,AVG Daily သတင်းစာအထွက် DocType: POS Profile,Campaign,ကင်ပိန်း DocType: Supplier,Name and Type,အမည်နှင့်အမျိုးအစား +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,item နားဆင်နိုင်ပါတယ် apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',ခွင့်ပြုချက်နဲ့ Status '' Approved 'သို့မဟုတ်' 'ငြင်းပယ်' 'ရမည် DocType: Healthcare Practitioner,Contacts and Address,ဆက်သွယ်ရန်နှင့်လိပ်စာ DocType: Shift Type,Determine Check-in and Check-out,Check-in ကိုဆုံးဖြတ်ရန်နှင့် Check-out @@ -2435,7 +2466,6 @@ DocType: Student Admission,Eligibility and Details,ထိုက်ခွင် apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,စုစုပေါင်းအမြတ်တွင်ထည့်သွင်း apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Fixed Asset အတွက်ပိုက်ကွန်ကိုပြောင်းရန် apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd အရည်အတွက် -DocType: Company,Client Code,client Code ကို apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,'' အမှန်တကယ် '' အမျိုးအစားတာဝန်ခံအတန်းအတွက် {0} Item နှုန်းတွင်ထည့်သွင်းမရနိုင်ပါ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Datetime ကနေ @@ -2503,6 +2533,7 @@ DocType: Journal Entry Account,Account Balance,အကောင့်ကို Ba apps/erpnext/erpnext/config/accounting.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 (%),ကျော်ခွင့်ပြု (%) သို့လွှဲပြောင်း apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ဖောက်သည် receiver အကောင့် {2} ဆန့်ကျင်လိုအပ်ပါသည် DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),စုစုပေါင်းအခွန်နှင့်စွပ်စွဲချက် (ကုမ္ပဏီငွေကြေးစနစ်) DocType: Weather,Weather Parameter,မိုးလေဝသ Parameter @@ -2565,6 +2596,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,ဒူးယောင် apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,သုံးစွဲစုစုပေါင်းအပေါ်အခြေခံပြီးမျိုးစုံ tier စုဆောင်းခြင်းအချက်ရှိပါတယ်နိုင်ပါတယ်။ သို့သော်ရွေးနှုတ်သောအဘို့ပြောင်းလဲခြင်းအချက်အမြဲအပေါငျးတို့သဆင့်များအတွက်တူညီကြလိမ့်မည်။ apps/erpnext/erpnext/config/help.py,Item Variants,item Variant apps/erpnext/erpnext/public/js/setup_wizard.js,Services,န်ဆောင်မှုများ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,ထမ်းအီးမေးလ်လစာစလစ်ဖြတ်ပိုင်းပုံစံ DocType: Cost Center,Parent Cost Center,မိဘကုန်ကျစရိတ် Center က @@ -2575,7 +2607,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","S DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,တင်ပို့ခြင်းအပေါ် Shopify မှတင်သွင်းဖြန့်ဝေမှတ်စုများ apps/erpnext/erpnext/templates/pages/projects.html,Show closed,show ကိုပိတ်ထား DocType: Issue Priority,Issue Priority,ပြဿနာဦးစားပေး -DocType: Leave Type,Is Leave Without Pay,Pay ကိုမရှိရင် Leave ဖြစ်ပါတယ် +DocType: Leave Ledger Entry,Is Leave Without Pay,Pay ကိုမရှိရင် Leave ဖြစ်ပါတယ် apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,ပိုင်ဆိုင်မှုအမျိုးအစား Fixed Asset ကို item များအတွက်မဖြစ်မနေဖြစ်ပါသည် DocType: Fee Validity,Fee Validity,အခကြေးငွေသက်တမ်း @@ -2624,6 +2656,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,ဂိုဒေါ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Update ကိုပါပုံနှိပ် Format ကို DocType: Bank Account,Is Company Account,ကုမ္ပဏီအကောင့် Is apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,အမျိုးအစား {0} Leave encashable မဟုတ်ပါဘူး +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},အကြွေးကန့်သတ်ထားပြီးကုမ္ပဏီ {0} များအတွက်သတ်မှတ်ထားသောဖြစ်ပါတယ် DocType: Landed Cost Voucher,Landed Cost Help,ကုန်ကျစရိတ်အကူအညီဆင်းသက် DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-ရုပ်ရှင်ဘလော့ဂ်-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,သဘောင်္တင်လိပ်စာကို Select လုပ်ပါ @@ -2648,6 +2681,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Two-လမ်း DocType: Item,Manufacturers,ထုတ်လုပ်သူ @@ -2685,7 +2719,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,ဘဏ်မှပြန်လည်ရင်ကြားစေ့ရေးထုတ်ပြန်ကြေညာချက် DocType: Patient Encounter,Medical Coding,ဆေးဘက်ဆိုင်ရာ Coding DocType: Healthcare Settings,Reminder Message,သတိပေးချက်ကို Message -,Lead Name,ခဲအမည် +DocType: Call Log,Lead Name,ခဲအမည် ,POS,POS DocType: C-Form,III,III ကို apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,အမြင် @@ -2717,12 +2751,14 @@ DocType: Purchase Invoice,Supplier Warehouse,ပေးသွင်းဂို DocType: Opportunity,Contact Mobile No,မိုဘိုင်းလ်မရှိဆက်သွယ်ရန် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,ကုမ္ပဏီကိုရွေးချယ်ပါ ,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: Student Report Generation Tool,Print Section,ပုံနှိပ်ပါပုဒ်မ DocType: Staffing Plan Detail,Estimated Cost Per Position,ရာထူး Per ခန့်မှန်းခြေကုန်ကျစရိတ် DocType: Employee,HR-EMP-,HR-EMP- 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} ကိုမဆို default အနေနဲ့ POS ကိုယ်ရေးဖိုင်မရှိပါ။ ဤအသုံးပြုသူများအတွက် Row {1} မှာပုံမှန်စစ်ဆေးပါ။ DocType: Quality Meeting Minutes,Quality Meeting Minutes,အရည်အသွေးအစည်းအဝေးမှတ်တမ်းများ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ပေးသွင်း> ပေးသွင်းအမျိုးအစား apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,ဝန်ထမ်းလွှဲပြောင်း DocType: Student Group,Set 0 for no limit,အဘယ်သူမျှမကန့်သတ်များအတွက် 0 င် Set apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,သငျသညျခွင့်များအတွက်လျှောက်ထားထားတဲ့နေ့ (သို့) အားလပ်ရက်ဖြစ်ကြ၏။ သငျသညျခွင့်လျှောက်ထားစရာမလိုပေ။ @@ -2756,12 +2792,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,ငွေအတွက်ပိုက်ကွန်ကိုပြောင်းရန် DocType: Assessment Plan,Grading Scale,grade စကေး apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,တိုင်း {0} ၏ယူနစ်တခါကူးပြောင်းခြင်း Factor ဇယားအတွက်ထက်ပိုပြီးဝသို့ဝင်ခဲ့သည် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,ယခုပင်လျှင်ပြီးစီး apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,လက်ခုနှစ်တွင်စတော့အိတ် apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",\ လိုလားသူ rata အစိတ်အပိုင်းအဖြစ်လျှောက်လွှာမှကျန်ရှိသောအကြိုးကြေးဇူးမြား {0} add ပေးပါ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',အများပြည်သူအုပ်ချုပ်ရေး '% s' ကိုများအတွက်ဘဏ္ဍာရေး Code ကိုသတ်မှတ်ပေးပါ -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},ငွေပေးချေမှုရမည့်တောင်းခံခြင်းပြီးသား {0} ရှိတယ်ဆိုတဲ့ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,ထုတ်ပေးခြင်းပစ္စည်းများ၏ကုန်ကျစရိတ် DocType: Healthcare Practitioner,Hospital,ဆေးရုံ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},အရေအတွက် {0} ထက်ပိုပြီးမဖြစ်ရပါမည် @@ -2806,6 +2840,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,လူ့အင်အားအရင်းအမြစ် apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,အထက်ဝင်ငွေခွန် DocType: Item Manufacturer,Item Manufacturer,item ထုတ်လုပ်သူ +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,နယူးခဲ Create DocType: BOM Operation,Batch Size,batch Size ကို apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,ပယ်ချ DocType: Journal Entry Account,Debit in Company Currency,Company မှငွေကြေးစနစ်အတွက် debit @@ -2826,9 +2861,11 @@ DocType: Bank Transaction,Reconciled,ပွနျလညျသငျ့မွ DocType: Expense Claim,Total Amount Reimbursed,စုစုပေါင်းငွေပမာဏ Reimbursed apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,ဒီယာဉ်ဆန့်ကျင်ရာ Logs အပေါ်အခြေခံသည်။ အသေးစိတျအဘို့ကိုအောက်တွင်အချိန်ဇယားကိုကြည့်ပါ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,လစာနေ့စွဲန်ထမ်းရဲ့ပူးပေါင်းရက်စွဲထက်လျော့နည်းမဖွစျနိုငျ +DocType: Pick List,Item Locations,item တည်နေရာများ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} ကဖန်တီး apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",ပြီးသား \ ကိုဖွင့်သို့မဟုတ် Staffing အစီအစဉ် {1} နှုန်းအဖြစ်ပြီးစီးခဲ့ငှားရမ်းသတ်မှတ်ရေး {0} များအတွက်အလုပ်အကိုင်နေရာလစ်လပ် +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,သငျသညျ 200 ပစ္စည်းများနူန်းကျော်ကျော်ထုတ်ဝေရန်နိုင်ပါတယ်။ DocType: Vital Signs,Constipated,ဝမ်းချုပ်ခြင်း apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},ပေးသွင်းပြေစာ {0} ဆန့်ကျင် {1} ရက်စွဲပါ DocType: Customer,Default Price List,default စျေးနှုန်းများစာရင်း @@ -2922,6 +2959,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,အမှန်တကယ် Start ကို Shift DocType: Tally Migration,Is Day Book Data Imported,နေ့စာအုပ်ဒေတာများကအရေးကြီးတယ် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,marketing အသုံးစရိတ်များ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{1} ၏ {0} ယူနစ်မရရှိနိုင်။ ,Item Shortage Report,item ပြတ်လပ်အစီရင်ခံစာ 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,စံသတ်မှတ်ချက်ကိုမဖန်တီးနိုင်။ အဆိုပါသတ်မှတ်ချက်ကိုအမည်ပြောင်း ကျေးဇူးပြု. @@ -2945,6 +2983,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,အငြိမ်းစားအမျိုးမျိုးနေ့စွဲ DocType: Upload Attendance,Get Template,Template: Get +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,စာရင်း Pick ,Sales Person Commission Summary,အရောင်းပုဂ္ဂိုလ်ကော်မရှင်အကျဉ်းချုပ် DocType: Material Request,Transferred,လွှဲပြောင်း DocType: Vehicle,Doors,တံခါးပေါက် @@ -3025,7 +3064,7 @@ DocType: Sales Invoice Item,Customer's Item Code,customer ရဲ့ Item Code DocType: Stock Reconciliation,Stock Reconciliation,စတော့အိတ်ပြန်လည်ရင်ကြားစေ့ရေး DocType: Territory,Territory Name,နယ်မြေတွေကိုအမည် DocType: Email Digest,Purchase Orders to Receive,လက်ခံမှအမိန့်ဝယ်ယူရန် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,အလုပ်-In-တိုးတက်ရေးပါတီဂိုဒေါင်ခင် Submit လိုအပ်သည် +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,အလုပ်-In-တိုးတက်ရေးပါတီဂိုဒေါင်ခင် Submit လိုအပ်သည် apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,သင်သာတစ်ဦး Subscription အတွက်တူညီတဲ့ငွေတောင်းခံသံသရာနှင့်အတူစီစဉ်ရှိနိုင်ပါသည် DocType: Bank Statement Transaction Settings Item,Mapped Data,မြေပုံနှင့်ညှိထားသောဒေတာများ DocType: Purchase Order Item,Warehouse and Reference,ဂိုဒေါင်နှင့်ကိုးကားစရာ @@ -3101,6 +3140,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,ဖြန့်ဝေချိန်ညှိမှုများ apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ဒေတာများကိုဆွဲယူ apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},အရွက်အမျိုးအစား {0} အတွက်ခွင့်ပြုအများဆုံးခွင့် {1} ဖြစ်ပါသည် +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 Item Publish DocType: SMS Center,Create Receiver List,Receiver များစာရင်း Create DocType: Student Applicant,LMS Only,သာလျှင် LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,ရရှိနိုင်-for-အသုံးပြုမှုနေ့စွဲဝယ်ယူနေ့စွဲနောက်မှာဖြစ်သင့်ပါတယ် @@ -3134,6 +3174,7 @@ DocType: Serial No,Delivery Document No,Delivery Document ဖိုင်မရ DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ထုတ်လုပ် Serial အဘယ်သူမျှမပေါ်အခြေခံပြီး Delivery သေချာ DocType: Vital Signs,Furry,Furry apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ကုမ္ပဏီ {0} ၌ 'ပိုင်ဆိုင်မှုရှင်းအပေါ် Gain / ပျောက်ဆုံးခြင်းအကောင့်' 'set ကျေးဇူးပြု. +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} ဘို့လိုအပ်ပါသည် @@ -3145,6 +3186,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},{0} ကနေအားလုံးကိစ္စများ View DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA သို့-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,အရည်အသွေးအစည်းအဝေးဇယား +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setup ကို> Setting> အမည်ဖြင့်သမုတ်စီးရီးကနေတဆင့် {0} များအတွက်စီးရီးအမည်ဖြင့်သမုတ်သတ်မှတ်ထား ကျေးဇူးပြု. apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,အဆိုပါဖိုရမ်သို့သွားရောက် DocType: Student,Student Mobile Number,ကျောင်းသားသမဂ္ဂမိုဘိုင်းနံပါတ် DocType: Item,Has Variants,မူကွဲရှိပါတယ် @@ -3156,9 +3198,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,အဆိုပ DocType: Quality Procedure Process,Quality Procedure Process,အရည်အသွေးလုပ်ထုံးလုပ်နည်းလုပ်ငန်းစဉ် apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,batch ID ကိုမဖြစ်မနေဖြစ်ပါသည် apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,batch ID ကိုမဖြစ်မနေဖြစ်ပါသည် +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,ပထမဦးဆုံးဖောက်သည်ကို select ပေးပါ DocType: Sales Person,Parent Sales Person,မိဘအရောင်းပုဂ္ဂိုလ် apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,လက်ခံရရှိခံရဖို့ပစ္စည်းများအဘယ်သူမျှမရက်ကျော်နေပြီဖြစ်ကြောင်း apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,ရောင်းသူနှင့်ဝယ်တူမဖွစျနိုငျ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,သေးအမြင်များအဘယ်သူမျှမ DocType: Project,Collect Progress,တိုးတက်မှုစုဆောင်း DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,ပထမဦးဆုံးအစီအစဉ်ကို Select လုပ်ပါ @@ -3180,11 +3224,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,အောင်မြင် DocType: Student Admission,Application Form Route,လျှောက်လွှာ Form ကိုလမ်းကြောင်း apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,သဘောတူညီချက်၏အဆုံးနေ့စွဲယနေ့ထက်လျော့နည်းမဖြစ်နိုင်ပါ။ +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,ကို Ctrl + တင်ပြရန် Enter DocType: Healthcare Settings,Patient Encounters in valid days,ခိုင်လုံသောရက်အတွင်းလူနာတှေ့ဆုံ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,အမျိုးအစား {0} Leave ကြောင့်လစာမပါဘဲထွက်သွားသည်ကတည်းကခွဲဝေမရနိုငျ 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},row {0}: ခွဲဝေငွေပမာဏ {1} ထက်လျော့နည်းသို့မဟုတ်ထူးချွန်ငွေပမာဏ {2} ငွေတောင်းပြေစာပို့ဖို့နဲ့ညီမျှပါတယ်ဖြစ်ရမည် DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,သင်အရောင်းပြေစာကိုကယ်တင်တစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။ DocType: Lead,Follow Up,နောက်ဆက်တွဲ +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,ကုန်ကျစရိတ်စင်တာ {0} မတည်ရှိပါဘူး DocType: Item,Is Sales Item,အရောင်း Item ဖြစ်ပါတယ် apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,item Group ကသစ်ပင် apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,item {0} Serial အမှတ်သည် setup ကိုမဟုတ်ပါဘူး။ Item မာစတာ Check @@ -3228,9 +3274,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,supply Qty DocType: Clinical Procedure,HLC-CPR-.YYYY.-,ဆဆ-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,material တောင်းဆိုမှု Item -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,ပထမဦးဆုံးဝယ်ယူငွေလက်ခံပြေစာ {0} ကိုပယ်ဖျက်ပေးပါ apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Item အဖွဲ့များ၏ပင်လည်းရှိ၏။ DocType: Production Plan,Total Produced Qty,စုစုပေါင်းထုတ်လုပ်အရည်အတွက် +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,မရှိသေးပါပြန်လည်သုံးသပ်ခြင်း apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,ဒီတာဝန်ခံအမျိုးအစားသည်ထက် သာ. ကြီးမြတ်သို့မဟုတ်လက်ရှိအတန်းအရေအတွက်တန်းတူအတန်းအရေအတွက်ကိုရည်ညွှန်းနိုင်ဘူး DocType: Asset,Sold,ကိုရောင်းချ ,Item-wise Purchase History,item-ပညာရှိသဝယ်ယူခြင်းသမိုင်း @@ -3249,7 +3295,7 @@ DocType: Designation,Required Skills,လိုအပ်သောကျွမ် DocType: Inpatient Record,O Positive,အိုအပြုသဘောဆောင်သော apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,ရင်းနှီးမြှုပ်နှံမှုများ DocType: Issue,Resolution Details,resolution အသေးစိတ်ကို -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,ငွေသွင်းငွေထုတ်အမျိုးအစား +DocType: Leave Ledger Entry,Transaction Type,ငွေသွင်းငွေထုတ်အမျိုးအစား DocType: Item Quality Inspection Parameter,Acceptance Criteria,လက်ခံမှုကိုလိုအပ်ချက် apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,အထက်ပါဇယားတွင်ပစ္စည်းတောင်းဆိုမှုများကိုထည့်သွင်းပါ apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ဂျာနယ် Entry များအတွက်မရှိနိုင်ပါပြန်ဆပ်ဖို့တွေအတွက် @@ -3291,6 +3337,7 @@ DocType: Bank Account,Bank Account No,ဘဏ်အကောင့်ကိုအ DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ဝန်ထမ်းအခွန်ကင်းလွတ်ခွင့်အထောက်အထားတင်ပြမှု DocType: Patient,Surgical History,ခွဲစိတ်သမိုင်း DocType: Bank Statement Settings Item,Mapped Header,တစ်ခုသို့ဆက်စပ် Header ကို +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,လူ့စွမ်းအားအရင်းအမြစ်အတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုထမ်း> HR က Settings DocType: Employee,Resignation Letter Date,နုတ်ထွက်ပေးစာနေ့စွဲ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,စျေးနှုန်းနည်းဥပဒေများနောက်ထပ်အရေအတွက်ပေါ် အခြေခံ. filtered နေကြပါတယ်။ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ဝန်ထမ်း {0} အဘို့အချိတ်တွဲ၏နေ့စွဲသတ်မှတ်ပေးပါ @@ -3359,7 +3406,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Letterhead Add DocType: Program Enrollment,Self-Driving Vehicle,self-မောင်းနှင်ယာဉ် 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} ဘို့မတွေ့ရှိ -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total ကုမ္ပဏီခွဲဝေအရွက် {0} ကာလအဘို့ပြီးသားအတည်ပြုပြီးအရွက် {1} ထက်လျော့နည်းမဖွစျနိုငျ DocType: Contract Fulfilment Checklist,Requirement,လိုအပ်ချက် DocType: Journal Entry,Accounts Receivable,ငွေစာရင်းရရန်ရှိသော DocType: Quality Goal,Objectives,ရည်ရွယ်ချက်များ @@ -3382,7 +3428,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,လူပျိုင DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ဤသည်တန်ဖိုးပုံမှန်အရောင်းစျေးနှုန်းစာရင်းအတွက် updated ဖြစ်ပါတယ်။ apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,သင့်ရဲ့လှည်း Empty ဖြစ်ပါသည် DocType: Email Digest,New Expenses,နယူးကုန်ကျစရိတ် -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,ကောင်စီ / LC ငွေပမာဏ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,ယာဉ်မောင်းလိပ်စာပျောက်ဆုံးနေကြောင့်လမ်းကြောင်းအကောင်းဆုံးလုပ်ဆောင်ပါလို့မရပါဘူး။ DocType: Shareholder,Shareholder,အစုစပ်ပါဝင်သူ DocType: Purchase Invoice,Additional Discount Amount,အပိုဆောင်းလျှော့ငွေပမာဏ @@ -3419,6 +3464,7 @@ DocType: Asset Maintenance Task,Maintenance Task,ကို Maintenance Task က apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,GST က Settings ထဲမှာ B2C ကန့်သတ်သတ်မှတ်ပါ။ DocType: Marketplace Settings,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} ပစ္စည်းများ Publish 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,သော့ချက်နေ့စွဲ {2} များအတွက် {1} မှ {0} လဲလှယ်မှုနှုန်းကိုရှာဖွေမပေးနိုင်ပါ။ ကိုယ်တိုင်တစ်ငွေကြေးလဲလှယ်ရေးစံချိန်ဖန်တီး ကျေးဇူးပြု. 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} ယခုက default ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာဖြစ်ပါတယ်။ အကျိုးသက်ရောက်မှုယူမှအပြောင်းအလဲအတွက်သင့် browser refresh ပေးပါ။ @@ -3455,6 +3501,7 @@ DocType: Salary Component,Deduction,သဘောအယူအဆ DocType: Item,Retain Sample,နမူနာကိုဆက်လက်ထိန်းသိမ်းရန် apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,အတန်း {0}: အချိန်နှင့်ရန်အချိန် မှစ. မဖြစ်မနေဖြစ်ပါတယ်။ DocType: Stock Reconciliation Item,Amount Difference,ငွေပမာဏ Difference +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,ဤစာမျက်နှာကိုသင်ရောင်းသူထံမှမဝယ်ချင်ပစ္စည်းများကိုခြေရာခံစောင့်ရှောက်။ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},item စျေးနှုန်းကိုစျေးနှုန်းကိုစာရင်း {1} အတွက် {0} များအတွက်ဖြည့်စွက် DocType: Delivery Stop,Order Information,အမိန့်သတင်းအချက်အလက် apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,ဒီအရောင်းလူတစ်ဦး၏န်ထမ်း Id ကိုရိုက်ထည့်ပေးပါ @@ -3483,6 +3530,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ ** တစ်ဘဏ္ဍာရေးတစ်နှစ်တာကိုကိုယ်စားပြုပါတယ်။ အားလုံးသည်စာရင်းကိုင် posts များနှင့်အခြားသောအဓိကကျသည့်ကိစ္စများကို ** ** ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာဆန့်ကျင်ခြေရာခံထောက်လှမ်းနေကြပါတယ်။ DocType: Opportunity,Customer / Lead Address,customer / ခဲလိပ်စာ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,ပေးသွင်း Scorecard Setup ကို +DocType: Customer Credit Limit,Customer Credit Limit,ဖောက်သည် Credit Limit apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,အကဲဖြတ်အစီအစဉ်အမည် apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ပစ်မှတ်အသေးစိတ် apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","သက်ဆိုင်ကုမ္ပဏီ SpA, ဒေသတွင်းလူမှုအဖွဲ့အစည်းသို့မဟုတ် SRL လျှင်" @@ -3535,7 +3583,6 @@ DocType: Company,Transactions Annual History,အရောင်းအနှစ 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,ဘဏ်မှအမည် -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Above 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,အရည်ဖြစ်သော @@ -3589,6 +3636,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,ယခုနှစ်အဘို့အမြတ် 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 ကိုအတွက် @@ -3643,12 +3691,10 @@ DocType: Supplier Scorecard,Scoring Setup,Setup ကိုသွင်းယူ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,အီလက်ထရောနစ် apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Debit ({0}),debit ({0}) DocType: BOM,Allow Same Item Multiple Times,တူ Item အကွိမျမြားစှာ Times က Allow -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,ကုမ္ပဏီအဘို့မျှမတွေ့ GST အမှတ်။ 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,န်ထမ်း DocType: Question,Single Correct Answer,လူပျိုမှန်ကန်သောအဖြေ -DocType: Employee,Contact Details,ဆက်သွယ်ရန်အသေးစိတ် DocType: C-Form,Received Date,ရရှိထားသည့်နေ့စွဲ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","သင်အရောင်းအခွန်နှင့်စွပ်စွဲချက် Template ထဲမှာတစ်ဦးစံ template ကိုဖန်တီးခဲ့လျှင်, တယောက်ရွေးပြီးအောက်တွင်ဖော်ပြထားသော button ကို click လုပ်ပါ။" DocType: BOM Scrap Item,Basic Amount (Company Currency),အခြေခံပညာငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) @@ -3678,12 +3724,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM ဝက်ဘ်ဆိ DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,ပေးသွင်းရမှတ် apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,ဇယားသို့ဝင်ရောက်ခြင်း +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,စုစုပေါင်းငွေပေးချေမှုရမည့်တောင်းဆိုခြင်းငွေပမာဏ {0} ငွေပမာဏထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Tax Withholding Rate,Cumulative Transaction Threshold,တိုးပွားလာသောငွေသွင်းငွေထုတ် Threshold DocType: Promotional Scheme Price Discount,Discount Type,လျှော့စျေးအမျိုးအစား -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,စုစုပေါင်းငွေတောင်းခံလွှာ Amt DocType: Purchase Invoice Item,Is Free Item,အခမဲ့ပစ္စည်းဖြစ်ပါသည် +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,ရာခိုင်နှုန်းသငျသညျအမိန့်အရေအတွက်ဆန့်ကျင်ပိုပြီးလွှဲပြောင်းရန်ခွင့်ပြုခဲ့ရသည်။ ဥပမာ: သင်က 100 ယူနစ်အမိန့်ထုတ်ကြလျှင်။ နှင့်သင့်ကိုခွင့်ပြုသငျသညျ 110 ယူနစ်လွှဲပြောင်းရန်ခွင့်ပြုထားပြီးတော့ 10% ဖြစ်ပါတယ်။ DocType: Supplier,Warn RFQs,RFQs သတိပေး -apps/erpnext/erpnext/templates/pages/home.html,Explore,Explore +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Explore DocType: BOM,Conversion Rate,ပြောင်းလဲမှုနှုန်း apps/erpnext/erpnext/www/all-products/index.html,Product Search,ကုန်ပစ္စည်းရှာရန် ,Bank Remittance,ဘဏ်ငွေလွှဲလုပ်ငန်း @@ -3695,6 +3742,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,စုစုပေါင်းငွေပမာဏ Paid DocType: Asset,Insurance End Date,အာမခံအဆုံးနေ့စွဲ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,အဆိုပါပေးဆောင်ကျောင်းသားလျှောက်ထားသူများအတွက်မဖြစ်မနေဖြစ်သည့်ကျောင်းသားင်ခွင့်ကို select ပေးပါ +DocType: Pick List,STO-PICK-.YYYY.-,STO ရွေးချယ်-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,ဘတ်ဂျက်စာရင်း DocType: Campaign,Campaign Schedules,ကင်ပိန်းအချိန်ဇယားများ DocType: Job Card Time Log,Completed Qty,ပြီးစီး Qty @@ -3717,6 +3765,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,နယူ DocType: Quality Inspection,Sample Size,နမူနာ Size အ apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,ငွေလက်ခံပြေစာစာရွက်စာတမ်းရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,ပစ္စည်းများအားလုံးပြီးသား invoiced ပြီ +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,သိမ်းယူရွက် apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.','' အမှုအမှတ် မှစ. '' တရားဝင်သတ်မှတ် ကျေးဇူးပြု. 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,နောက်ထပ်ကုန်ကျစရိတ်စင်တာများအဖွဲ့များအောက်မှာလုပ်နိုင်ပေမယ့် entries တွေကို Non-အဖွဲ့များဆန့်ကျင်စေနိုင်ပါတယ် 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,စုစုပေါင်းခွဲဝေရွက် {0} ကာလအတွင်းဝန်ထမ်း {1} များအတွက် type ကိုစွန့်ခွာအများဆုံးခွဲဝေထက်ပိုရက်ပေါင်းများမှာ @@ -3817,6 +3866,8 @@ 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} ဘို့မျှမတွေ့တက်ကြွသို့မဟုတ် default အနေနဲ့လစာဖွဲ့စည်းပုံ DocType: Leave Block List,Allow Users,Allow အသုံးပြုသူများ DocType: Purchase Order,Customer Mobile No,ဖောက်သည်ကို Mobile မရှိပါ +DocType: Leave Type,Calculated in days,နေ့ရက်ကာလ၌တွက်ချက် +DocType: Call Log,Received By,အားဖြင့်ရရှိထားသည့် 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 သို့မဟုတ်ကွဲပြားမှုသည်သီးခြားဝင်ငွေနှင့်သုံးစွဲမှုပြထားသည်။ @@ -3870,6 +3921,7 @@ DocType: Support Search Source,Result Title Field,ရလဒ်ခေါင်း apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,ခေါ်ရန်အကျဉ်းချုပ် DocType: Sample Collection,Collected Time,ကောက်ခံအချိန် DocType: Employee Skill Map,Employee Skills,ဝန်ထမ်းကျွမ်းကျင်မှု +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,လောင်စာဆီသုံးစွဲမှု DocType: Company,Sales Monthly History,အရောင်းလစဉ်သမိုင်း apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,အဆိုပါအခွန်နှင့်စွပ်စွဲချက်စားပွဲတင်အတွက်အနည်းဆုံးအတန်းကိုသတ်မှတ်ပေးပါ DocType: Asset Maintenance Task,Next Due Date,နောက်တစ်ခုကြောင့်နေ့စွဲ @@ -3879,6 +3931,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,အရေ DocType: Payment Entry,Payment Deductions or Loss,ငွေပေးချေမှုရမည့်ဖြတ်တောက်ခြင်းများကိုသို့မဟုတ်ပျောက်ဆုံးခြင်း DocType: Soil Analysis,Soil Analysis Criterias,မြေဆီလွှာကိုသုံးသပ်ခြင်းစံ apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,အရောင်းသို့မဟုတ်ဝယ်ယူခြင်းအဘို့အစံစာချုပ်ဝေါဟာရများ။ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},{0} အတွက်ဖယ်ရှားပြီးအတန်း DocType: Shift Type,Begin check-in before shift start time (in minutes),စစ်ဆေး-in ကိုပြောင်းကုန်ပြီမတိုင်မီ Begin (မိနစ်) အချိန်ကိုစတင်ရန် DocType: BOM Item,Item operation,item စစ်ဆင်ရေး apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,ဘောက်ချာအားဖြင့်အုပ်စု @@ -3904,11 +3957,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,ဝန်ထမ်း၏လစာစလစ်ဖြတ်ပိုင်းပုံစံ {0} ပြီးသားဤကာလအဘို့ဖန်တီး apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,ဆေးဝါး apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,သင်သာခိုင်လုံသော encashment ငွေပမာဏအဘို့အခွင့် Encashment တင်ပြနိုင်ပါတယ် +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,items အားဖြင့် apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,ဝယ်ယူပစ္စည်းများ၏ကုန်ကျစရိတ် DocType: Employee Separation,Employee Separation Template,ဝန်ထမ်း Separation Template ကို DocType: Selling Settings,Sales Order Required,အရောင်းအမိန့်လိုအပ်ပါသည် apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,တစ်ဦးရောင်းချသူဖြစ်လာ -DocType: Shift Type,The number of occurrence after which the consequence is executed.,ယင်းအကျိုးဆက်ကွပ်မျက်ခံရသောအကြာတွင်ဖြစ်ပျက်မှုများ၏အရေအတွက်။ ,Procurement Tracker,ပစ္စည်းဝယ်ယူရေး Tracker DocType: Purchase Invoice,Credit To,ခရက်ဒစ်ရန် apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC ပြောင်းပြန် @@ -3921,6 +3974,7 @@ DocType: Quality Meeting,Agenda,ကိစ္စအစီအစဉ် DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ပြုပြင်ထိန်းသိမ်းမှုဇယား Detail DocType: Supplier Scorecard,Warn for new Purchase Orders,အသစ်ကဝယ်ယူအမိန့်အဘို့သတိပေး DocType: Quality Inspection Reading,Reading 9,9 Reading +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,သင့်ရဲ့ Exotel အကောင့် ERPNext ချိတ်ဆက်ရန်နှင့်ခေါ်ဆိုခမှတ်တမ်းများကိုခြေရာခံ DocType: Supplier,Is Frozen,Frozen ဖြစ်ပါသည် DocType: Tally Migration,Processed Files,လုပ်ငန်းများ၌ဖိုင်များ apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Group က node ကိုဂိုဒေါင်ငွေကြေးလွှဲပြောင်းမှုမှာအဘို့ကိုရွေးဖို့ခွင့်ပြုမထားဘူး @@ -3930,6 +3984,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,တစ် Finished DocType: Upload Attendance,Attendance To Date,နေ့စွဲရန်တက်ရောက် 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,ညွှန်း @@ -3955,7 +4010,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Requestor apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},မမှန်ကန်ခြင်းရည်ညွှန်းကိုးကား {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,ကွဲပြားခြားနားသောပရိုမိုးရှင်းအစီအစဉ်များလျှောက်ထားမှုအတွက်စည်းကမ်းများ။ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ထုတ်လုပ်မှုအမိန့် {3} အတွက်စီစဉ်ထား quanitity ({2}) ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Shipping Rule,Shipping Rule Label,သဘောင်္တင်ခ Rule Label DocType: Journal Entry Account,Payroll Entry,လုပ်ခလစာ Entry ' apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,ကြည့်ရန်အခကြေးငွေများမှတ်တမ်း @@ -3967,6 +4021,7 @@ DocType: Contract,Fulfilment Status,ပွညျ့စုံအခြေအန DocType: Lab Test Sample,Lab Test Sample,Lab ကစမ်းသပ်နမူနာ DocType: Item Variant Settings,Allow Rename Attribute Value,Rename Attribute Value ကို Allow apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,လျင်မြန်စွာ Journal မှ Entry ' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,အနာဂတ်ငွေပေးချေမှုရမည့်ငွေပမာဏ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,BOM ဆိုတဲ့ item agianst ဖော်ပြခဲ့သောဆိုရင်နှုန်းကိုမပြောင်းနိုင်ပါ DocType: Restaurant,Invoice Series Prefix,ငွေတောင်းခံလွှာစီးရီးရှေ့စာလုံး DocType: Employee,Previous Work Experience,ယခင်လုပ်ငန်းအတွေ့အကြုံ @@ -3996,6 +4051,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,စီမံချက်လက်ရှိအခြေအနေ DocType: UOM,Check this to disallow fractions. (for Nos),အပိုငျးအမြစ်တားရန်ဤစစ်ဆေးပါ။ (အမှတ်အတွက်) DocType: Student Admission Program,Naming Series (for Student Applicant),(ကျောင်းသားလျှောက်ထားသူအတွက်) စီးရီးအမည်ဖြင့်သမုတ် +apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM ကူးပြောင်းခြင်းအချက် ({0} -> {1}) ကို item ဘို့မတွေ့ရှိ: {2} 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 ဝန်ဆောင်မှုယူနစ်ဇယား @@ -4011,6 +4067,7 @@ DocType: Fiscal Year,Year End Date,တစ်နှစ်တာအဆုံးန DocType: Task Depends On,Task Depends On,Task အပေါ်မူတည် apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,အခွင့်အရေး DocType: Options,Option,option +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},သင်ကတံခါးပိတ်စာရင်းကိုင်ကာလအတွင်း {0} စာရင်းကိုင် entries တွေကိုဖန်တီးလို့မရပါဘူး DocType: Operation,Default Workstation,default Workstation နှင့် DocType: Payment Entry,Deductions or Loss,ဖြတ်တောက်ခြင်းများကိုသို့မဟုတ်ပျောက်ဆုံးခြင်း apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} ပိတ်ပါသည် @@ -4019,6 +4076,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,လက်ရှိစတော့အိတ် Get DocType: Purchase Invoice,ineligible,အရည်အချင်းမပြည့်မှီ apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ပစ္စည်းများ၏ဘီလ်၏သစ်ပင်ကို +DocType: BOM,Exploded Items,ပေါက်ကွဲပစ္စည်းများ DocType: Student,Joining Date,နေ့စွဲလာရောက်ပူးပေါင်း ,Employees working on a holiday,တစ်အားလပ်ရက်တွင်လုပ်ကိုင်န်ထမ်းများ ,TDS Computation Summary,TDS တွက်ချက်မှုအကျဉ်းချုပ် @@ -4051,6 +4109,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),(စတော့အိ DocType: SMS Log,No of Requested SMS,တောင်းဆိုထားသော SMS ၏မရှိပါ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Pay ကိုမရှိရင် Leave အတည်ပြုခွင့်လျှောက်လွှာမှတ်တမ်းများနှင့်အတူမကိုက်ညီ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Next ကိုခြေလှမ်းများ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,ကယ်တင်ခြင်းသို့ရောက်သောပစ္စည်းများ DocType: Travel Request,Domestic,နိုင်ငံတွင်း apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,အကောငျးဆုံးနှုန်းထားများမှာသတ်မှတ်ထားသောပစ္စည်းများထောက်ပံ့ပေးပါ apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,ဝန်ထမ်းလွှဲပြောင်းလွှဲပြောင်းနေ့စွဲမတိုင်မီတင်သွင်းမရနိုင် @@ -4104,7 +4163,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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} ပြီးသားတစ်ခု exisiting Item {2} ဖို့တာဝန်ဖြစ်ပါတယ်။ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,အတန်း # {0} (ငွေပေးချေမှုရမည့်စားပွဲတင်): ငွေပမာဏအပြုသဘောဖြစ်ရမည် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},အရောင်းအမိန့်အရေအတွက် {1} ထက်ပိုပစ္စည်း {0} မထုတ်လုပ်နိုင်သ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},အရောင်းအမိန့်အရေအတွက် {1} ထက်ပိုပစ္စည်း {0} မထုတ်လုပ်နိုင်သ apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,အဘယ်အရာကိုမျှစုစုပေါင်းများတွင်ပါဝင်သည် apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,"ဘီလ်ပြီးသားဤစာရွက်စာတမ်းအဘို့တည်ရှိကြောင်း, e-Way ကို" apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,ကို Select လုပ်ပါ Attribute တန်ဖိုးများ @@ -4139,12 +4198,10 @@ 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 ကိုကုမ္ပဏီ -DocType: Shift Type,Enable Different Consequence for Early Exit,အစောပိုင်း Exit ကိုများအတွက်ကွဲပြားခြားနားသောအကျိုးဆက်များကို Enable ,Lab Test Report,Lab ကစမ်းသပ်အစီရင်ခံစာ DocType: Employee Benefit Application,Employee Benefit Application,ဝန်ထမ်းအကျိုးခံစားခွင့်လျှောက်လွှာ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,အပိုဆောင်းလစာစိတျအပိုငျးတည်ရှိ။ DocType: Purchase Invoice,Unregistered,မှတ်ပုံတင်မထားတဲ့ -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,ပထမဦးဆုံး Delivery Note ကိုနှစ်သက်သော DocType: Student Applicant,Application Date,လျှောက်လွှာနေ့စွဲ DocType: Salary Component,Amount based on formula,ဖော်မြူလာအပေါ်အခြေခံပြီးပမာဏ DocType: Purchase Invoice,Currency and Price List,ငွေကြေးနှင့်စျေးနှုန်းကိုစာရင်း @@ -4173,6 +4230,7 @@ DocType: Purchase Receipt,Time at which materials were received,ပစ္စည DocType: Products Settings,Products per Page,စာမျက်နှာနှုန်းထုတ်ကုန်များ 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,ငွေတောင်းခံနေ့စွဲ apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,ခွဲဝေငွေပမာဏကိုအပျက်သဘောမဖွစျနိုငျ DocType: Sales Order,Billing Status,ငွေတောင်းခံနဲ့ Status apps/erpnext/erpnext/public/js/conf.js,Report an Issue,တစ်ဦး Issue သတင်းပို့ @@ -4182,6 +4240,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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}: ဂျာနယ် Entry '{1} အကောင့် {2} ရှိသည်သို့မဟုတ်ပြီးသားအခြားဘောက်ချာဆန့်ကျင်လိုက်ဖက်ပါဘူး DocType: Supplier Scorecard Criteria,Criteria Weight,လိုအပ်ချက်အလေးချိန် +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,အကောင့်: {0} ငွေပေးချေမှုရမည့် Entry အောက်မှာအခွင့်မရှိကြ DocType: Production Plan,Ignore Existing Projected Quantity,ရှိရင်းစွဲ projected အရေအတွက်လျစ်လျူရှု apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,အတည်ပြုချက်သတိပေးချက် Leave DocType: Buying Settings,Default Buying Price List,default ဝယ်ယူစျေးနှုန်းများစာရင်း @@ -4190,6 +4249,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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,တက်ရောက်သူမှတ်သားရန် 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 တန်ဖိုးများ" DocType: Payment Entry,Payment Type,ငွေပေးချေမှုရမည့် Type apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Item {0} များအတွက်အသုတ်လိုက်ရွေးပါ။ ဒီလိုအပ်ချက်ပြည့်တဲ့တစ်ခုတည်းသောအသုတ်ကိုရှာဖွေနိုင်ခြင်း @@ -4219,6 +4279,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,စျေးဝယ်တ DocType: Journal Entry,Accounting Entries,စာရင်းကိုင် Entries 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 ပါလိမ့်မယ်။ စျေးနှုန်းနည်းဥပဒေနှုန်းမှာနောက်ဆုံးနှုန်းမှာဖြစ်တယ်, ဒါမျှမကနောက်ထပ်လျှော့စျေးလျှောက်ထားရပါမည်။ ဒါကွောငျ့အရောင်းအမိန့်, အရစ်ကျအမိန့်စသည်တို့ကဲ့သို့အငွေကြေးလွှဲပြောင်းမှုမှာကြောင့်မဟုတ်ဘဲ '' စျေးနှုန်းစာရင်းနှုန်း '' လယ်ပြင်ထက်, 'နှုန်း' 'လယ်ပြင်၌ခေါ်ယူလိမ့်မည်။" +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,ပညာရေးအတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုနည်းပြ> ပညာရေးကိုဆက်တင် DocType: Journal Entry,Paid Loan,paid ချေးငွေ 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,ကိုးကားစရာကြောင့်နေ့စွဲ @@ -4235,12 +4296,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks အသေးစိတ် apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,အဘယ်သူမျှမအချိန်စာရွက်များ DocType: GoCardless Mandate,GoCardless Customer,GoCardless ဖောက်သည် apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} သယ်-forward နိုင်သည်မရနိုင်ပါ Type နေရာမှာ Leave +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,item Code ကို> item Group မှ> အမှတ်တံဆိပ် apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',ပြုပြင်ထိန်းသိမ်းမှုဇယားအပေါငျးတို့သပစ္စည်းများသည် generated မဟုတ်ပါ။ '' Generate ဇယား '' ကို click ပါ ကျေးဇူးပြု. ,To Produce,ထုတ်လုပ် DocType: Leave Encashment,Payroll,အခစာရင်း 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","{1} အတွက် {0} အတန်းသည်။ {2} Item မှုနှုန်း, အတန်း {3} ကိုလည်းထည့်သွင်းရမည်ကိုထည့်သွင်းရန်" DocType: Healthcare Service Unit,Parent Service Unit,မိဘဝန်ဆောင်မှုယူနစ် DocType: Packing Slip,Identification of the package for the delivery (for print),(ပုံနှိပ်သည်) ကိုပေးပို့များအတွက်အထုပ်၏ identification +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက် reset ခဲ့သည်။ DocType: Bin,Reserved Quantity,Reserved ပမာဏ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,မှန်ကန်သော email address ကိုရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,မှန်ကန်သော email address ကိုရိုက်ထည့်ပေးပါ @@ -4262,7 +4325,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,စျေးသို့မဟုတ်ကုန်ပစ္စည်းလျှော့ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,အတန်းများအတွက် {0}: စီစဉ်ထားအရည်အတွက် Enter DocType: Account,Income Account,ဝင်ငွေခွန်အကောင့် -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည် Group မှ> နယ်မြေတွေကို DocType: Payment Request,Amount in customer's currency,ဖောက်သည်ရဲ့ငွေကြေးပမာဏ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,delivery apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,သတ်မှတ်ခြင်း structures များ ... @@ -4285,6 +4347,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,သင်ယခင်ကထုတ်ပေးငွေတောင်းခံလွှာ၏မှတ်တမ်းများကိုဆုံးရှုံးပါလိမ့်မယ်။ သင်ဤ subscription ကိုပြန်လည်စတင်ရန်ချင်သင်သေချာပါသလား? @@ -4340,11 +4403,10 @@ DocType: Additional Salary,HR User,HR အသုံးပြုသူတို့ DocType: Bank Guarantee,Reference Document Name,ကိုးကားစရာစာရွက်စာတမ်းအမည် DocType: Purchase Invoice,Taxes and Charges Deducted,အခွန်နှင့်စွပ်စွဲချက်နုတ်ယူ DocType: Support Settings,Issues,အရေးကိစ္စများ -DocType: Shift Type,Early Exit Consequence after,ပြီးနောက်အစောပိုင်း Exit ကိုအကျိုးဆက်များ DocType: Loyalty Program,Loyalty Program Name,သစ္စာရှိမှုအစီအစဉ်အမည် apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},အဆင့်အတန်း {0} တယောက်ဖြစ်ရပါမည် apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,GSTIN Sent update လုပ်ဖို့သတိပေးခကျြ -DocType: Sales Invoice,Debit To,debit ရန် +DocType: Discounted Invoice,Debit To,debit ရန် DocType: Restaurant Menu Item,Restaurant Menu Item,စားသောက်ဆိုင်မီနူး Item DocType: Delivery Note,Required only for sample item.,သာနမူနာကို item လိုအပ်သည်။ DocType: Stock Ledger Entry,Actual Qty After Transaction,Transaction ပြီးနောက်အမှန်တကယ် Qty @@ -4427,6 +4489,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,parameter အမည apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,'' Approved 'နဲ့' ငြင်းပယ် '' တင်သွင်းနိုင်ပါသည် status ကိုအတူ Applications ကိုသာလျှင် Leave apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Creating အရွယ်အစား ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},ကျောင်းသားအုပ်စုအမည်အတန်း {0} အတွက်မဖြစ်မနေဖြစ်ပါသည် +DocType: Customer Credit Limit,Bypass credit limit_check,Bypass လုပ်ရအကြွေး limit_check DocType: Homepage,Products to be shown on website homepage,ဝက်ဘ်ဆိုက်ပင်မစာမျက်နှာပေါ်မှာပြသခံရဖို့ထုတ်ကုန်များ DocType: HR Settings,Password Policy,Password ကိုပေါ်လစီ apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,"ဒါကအမြစ်ဖောက်သည်အုပ်စုဖြစ်ပြီး, edited မရနိုင်ပါ။" @@ -4474,10 +4537,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),(ပ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,စားသောက်ဆိုင်က Settings ထဲမှာ default အနေနဲ့ဖောက်သည်သတ်မှတ်ပေးပါ ,Salary Register,လစာမှတ်ပုံတင်မည် DocType: Company,Default warehouse for Sales Return,အရောင်းပြန်သွားဘို့ default ဂိုဒေါင် -DocType: Warehouse,Parent Warehouse,မိဘဂိုဒေါင် +DocType: Pick List,Parent Warehouse,မိဘဂိုဒေါင် DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},default Item {0} ဘို့မတွေ့ရှိ BOM နှင့်စီမံကိန်း {1} +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 ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/config/non_profit.py,Define various loan types,အမျိုးမျိုးသောချေးငွေအမျိုးအစားများကိုသတ်မှတ် DocType: Bin,FCFS Rate,FCFS Rate @@ -4514,6 +4577,7 @@ DocType: Travel Itinerary,Lodging Required,တည်းခိုခန်းတ DocType: Promotional Scheme,Price Discount Slabs,စျေးလျှော့တစ်ခုလို့ဆိုရမှာပါ DocType: Stock Reconciliation Item,Current Serial No,လက်ရှိ Serial ဘယ်သူမျှမက DocType: Employee,Attendance and Leave Details,အသေးစိတ်တက်ရောက်သူနှင့် Leave +,BOM Comparison Tool,BOM နှိုင်းယှဉ် Tool ကို ,Requested,မေတ္တာရပ်ခံ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,အဘယ်သူမျှမမှတ်ချက် DocType: Asset,In Maintenance,ကို Maintenance အတွက် @@ -4536,6 +4600,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,default ဝန်ဆောင်မှုအဆင့်သဘောတူညီချက် DocType: SG Creation Tool Course,Course Code,သင်တန်း Code ကို apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,{0} ခွင့်မပြုဘို့တစ်ဦးထက်ပိုရွေးချယ်ရေး +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,ကုန်ကြမ်းများအရည်အတွက်ဟာပြီးဆုံးကုန်စည်ပစ္စည်းများ၏အရည်အတွက်ပေါ်အခြေခံပြီးဆုံးဖြတ်ခဲ့ပါတယ်လိမ့်မည် DocType: Location,Parent Location,မိဘတည်နေရာ DocType: POS Settings,Use POS in Offline Mode,အော့ဖ်လိုင်းဖြင့် Mode တွင် POS သုံးပါ apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,ဦးစားပေး {0} သို့ပြောင်းလဲခဲ့သည်။ @@ -4554,7 +4619,7 @@ DocType: Stock Settings,Sample Retention Warehouse,နမူနာ retention ဂ DocType: Company,Default Receivable Account,default receiver အကောင့် apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,စီမံကိန်းအရေအတွက်ဖော်မြူလာ DocType: Sales Invoice,Deemed Export,ယူဆပါသည်ပို့ကုန် -DocType: Stock Entry,Material Transfer for Manufacture,Manufacturing သည်ပစ္စည်းလွှဲပြောင်း +DocType: Pick List,Material Transfer for Manufacture,Manufacturing သည်ပစ္စည်းလွှဲပြောင်း 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.,လျော့စျေးရာခိုင်နှုန်းတစ်စျေးနှုန်း List ကိုဆန့်ကျင်သို့မဟုတ်အားလုံးစျေးနှုန်းစာရင်းများအတွက်လည်းကောင်းလျှောက်ထားနိုင်ပါသည်။ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,စတော့အိတ်သည်စာရင်းကိုင် Entry ' DocType: Lab Test,LabTest Approver,LabTest သဘောတူညီချက်ပေး @@ -4597,7 +4662,6 @@ DocType: Training Event,Theory,သဘောတရား apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,သတိပေးချက်: Qty တောင်းဆိုထားသောပစ္စည်းအနည်းဆုံးအမိန့် Qty ထက်နည်းသော apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,အကောင့်ကို {0} အေးခဲသည် DocType: Quiz Question,Quiz Question,ပဟေဠိမေးခွန်း -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ပေးသွင်း> ပေးသွင်းအမျိုးအစား 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 & ဆေးရွက်ကြီး" @@ -4628,6 +4692,7 @@ 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 ပစ္စည်းများ DocType: Account,Expense Account,စရိတ်အကောင့် apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software များ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,အရောင် @@ -4666,6 +4731,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,အရောင် DocType: Quality Inspection,Inspection Type,စစ်ဆေးရေး Type apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,အားလုံးဘဏ်ငွေကြေးလွှဲပြောင်းမှုမှာဖန်တီးခဲ့ကြ DocType: Fee Validity,Visited yet,သေး Visited +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,သငျသညျ 8 ပစ္စည်းများနူန်းကျော်ကျော်အင်္ဂါရပ်ပေးနိုင်သည်။ 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.,မကြာခဏဘယ်လိုပရောဂျက်သငျ့သညျနှင့်ကုမ္ပဏီအရောင်းအရောင်းအဝယ်ပေါ်တွင်အခြေခံ updated လိမ့်မည်။ @@ -4673,7 +4739,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,သိုလှောင်ခြင်းအပူချိန် @@ -4698,7 +4763,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,နာရီအတ DocType: Contract,Signee Details,Signee အသေးစိတ် apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} လက်ရှိ {1} ပေးသွင်း Scorecard ရပ်တည်မှုရှိပါတယ်, ဤကုန်ပစ္စည်းပေးသွင်းဖို့ RFQs သတိနဲ့ထုတ်ပေးရပါမည်။" DocType: Certified Consultant,Non Profit Manager,non အမြတ် Manager ကို -DocType: BOM,Total Cost(Company Currency),စုစုပေါင်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,serial No {0} နေသူများကဖန်တီး DocType: Homepage,Company Description for website homepage,ဝက်ဘ်ဆိုက်ပင်မစာမျက်နှာများအတွက်ကုမ္ပဏီဖျေါပွခကျြ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",ဖောက်သည်များအဆင်ပြေဤ codes တွေကိုငွေတောင်းခံလွှာနှင့် Delivery မှတ်စုများတူပုံနှိပ်ပုံစံများဖြင့်အသုံးပြုနိုင် @@ -4727,7 +4791,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,ထော DocType: Amazon MWS Settings,Enable Scheduled Synch,Scheduled Synch Enable apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Datetime မှ apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,SMS ပေးပို့အဆင့်အတန်းကိုထိန်းသိမ်းသည် logs -DocType: Shift Type,Early Exit Consequence,အစောပိုင်း Exit ကိုအကျိုးဆက်များ DocType: Accounts Settings,Make Payment via Journal Entry,ဂျာနယ် Entry မှတဆင့်ငွေပေးချေမှုရမည့် Make apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,တစ်ကြိမ် 500 ကျော်ပစ္စည်းများကိုဖန်တီးပါဘူးကျေးဇူးပြုပြီး apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,တွင်ပုံနှိပ် @@ -4784,6 +4847,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,ကန့်သ 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,လျှို့ဝှက်ချက် +DocType: Plaid Settings,Plaid Secret,Plaid လျှို့ဝှက်ချက် DocType: Company,Date of Establishment,တည်ထောင်သည့်ရက်စွဲ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,အကျိုးတူ Capital ကို apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,ဒီ '' ပညာရေးတစ်နှစ်တာ '' {0} နှင့် {1} ပြီးသားတည်ရှိ '' Term အမည် '' နှင့်အတူတစ်ဦးပညာသင်နှစ်သက်တမ်း။ ဤအ entries တွေကိုပြုပြင်မွမ်းမံခြင်းနှင့်ထပ်ကြိုးစားပါ။ @@ -4846,6 +4910,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,ဖောက်သည်အမျိုးအစား DocType: Compensatory Leave Request,Leave Allocation,ဖြန့်ဝေ Leave DocType: Payment Request,Recipient Message And Payment Details,လက်ခံရရှိသူကို Message ထိုအငွေပေးချေမှုရမည့်အသေးစိတ် +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,တစ်ဦး Delivery မှတ်ချက်ကို select ပေးပါ DocType: Support Search Source,Source DocType,source DOCTYPE apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,အသစ်တစ်ခုကိုလက်မှတ်ဖွင့်ပါ DocType: Training Event,Trainer Email,သင်တန်းပေးတဲ့အီးမေးလ်ဂ @@ -4968,6 +5033,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 မလုပ်ရွက်သယ် apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','' နေ့စွဲ မှစ. '' နေ့စွဲရန် '' နောက်မှာဖြစ်ရပါမည် apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,ဒီဒီဇိုင်းအတွက်မျှမတွေ့ Staffing စီမံကိန်းများကို apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,batch {0} အရာဝတ္ထု၏ {1} ကိုပိတ်ထားသည်။ @@ -4989,7 +5055,7 @@ DocType: Clinical Procedure,Patient,လူနာ apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,အရောင်းအမိန့်မှာ Bypass လုပ်ရအကြွေးစစ်ဆေးမှုများ DocType: Employee Onboarding Activity,Employee Onboarding Activity,ဝန်ထမ်း onboard လှုပ်ရှားမှု DocType: Location,Check if it is a hydroponic unit,က hydroponic ယူနစ်လျှင် Check -DocType: Stock Reconciliation Item,Serial No and Batch,serial ဘယ်သူမျှမကနှင့်အသုတ်လိုက် +DocType: Pick List Item,Serial No and Batch,serial ဘယ်သူမျှမကနှင့်အသုတ်လိုက် DocType: Warranty Claim,From Company,ကုမ္ပဏီအနေဖြင့် DocType: GSTR 3B Report,January,ဇန္နဝါရီလ apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,အကဲဖြတ်လိုအပ်ချက်များ၏ရမှတ်များပေါင်းလဒ် {0} ဖြစ်ရန်လိုအပ်ပါသည်။ @@ -5014,7 +5080,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,{0} အင်တာမီလန်ကုမ္ပဏီအရောင်းအဝယ်ဘို့မျှမတွေ့ပါ။ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,ငှားရမ်းထားသောကား apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,သင့်ရဲ့ကုမ္ပဏီအကြောင်း apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,အကောင့်ကိုရန်အကြွေးတစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည် @@ -5047,11 +5112,13 @@ apps/erpnext/erpnext/config/accounting.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 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 ကို apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,ကျန်ရှိနေသေးသော DocType: Appraisal,Appraisal,တန်ဖိုးခြင်း DocType: Loan,Loan Account,ချေးငွေအကောင့် apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,နူန်းကျော်ကျော်လယ်ကွင်းထဲကနေနှင့်တရားဝင်သက်တမ်းရှိသည့်စုပေါင်းအဘို့မဖြစ်မနေများမှာ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","ကို item များအတွက် {0} အတန်းမှာ {1}, အမှတ်စဉ်နံပါတ်များ count ကအဆိုပါကောက်ယူအရေအတွက်နှင့်အတူမကိုက်ညီ" DocType: Purchase Invoice,GST Details,GST အသေးစိတ် apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,ဒီကျန်းမာရေးစောင့်ရှောက်မှု Practitioner ဆန့်ကျင်အရောင်းအပေါ်တွင်အခြေခံထားသည်။ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},ကုန်ပစ္စည်းပေးသွင်း {0} မှစလှေတျတျောအီးမေးလ် @@ -5115,6 +5182,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),အထုပ်၏စုစုပေါင်းအလေးချိန်။ ပိုက်ကွန်ကိုအလေးချိန် + ထုပ်ပိုးပစ္စည်းအလေးချိန်များသောအားဖြင့်။ (ပုံနှိပ်သည်) DocType: Assessment Plan,Program,အစီအစဉ် DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ဒီအခန်းကဏ္ဍနှင့်အတူအသုံးပြုသူများကအေးခဲအကောင့်အသစ်များ၏ ထား. ဖန်တီး / အေးစက်နေတဲ့အကောင့်အသစ်များ၏ဆန့်ကျင်စာရင်းကိုင် entries တွေကိုပြုပြင်မွမ်းမံဖို့ခွင့်ပြုနေကြတယ် +DocType: Plaid Settings,Plaid Environment,Plaid ပတ်ဝန်းကျင် ,Project Billing Summary,Project မှငွေတောင်းခံလွှာအနှစ်ချုပ် DocType: Vital Signs,Cuts,ဖြတ်တောက်မှု DocType: Serial No,Is Cancelled,ဖျက်သိမ်းသည် @@ -5177,7 +5245,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,မှတ်ချက်: System ကို Item သည်ပို့ဆောင်မှု-ထပ်ခါထပ်ခါ-ဘွတ်ကင်စစ်ဆေးမည်မဟုတ် {0} အရေအတွက်သို့မဟုတ်ပမာဏပါ 0 င်သည်အဖြစ် DocType: Issue,Opening Date,နေ့စွဲဖွင့်လှစ် apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,ပထမဦးဆုံးလူနာကယ်တင်ပေးပါ -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,နယူးဆက်သွယ်ပါ Make apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,တက်ရောက်သူအောင်မြင်စွာမှတ်လိုက်ပါပြီ။ DocType: Program Enrollment,Public Transport,ပြည်သူ့ပို့ဆောင်ရေး DocType: Sales Invoice,GST Vehicle Type,GST ယာဉ်အမျိုးအစား @@ -5204,6 +5271,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,ပေး DocType: POS Profile,Write Off Account,အကောင့်ပိတ်ရေးထား DocType: Patient Appointment,Get prescribed procedures,သတ်မှတ်လုပ်ထုံးလုပ်နည်းများကိုရယူပါ DocType: Sales Invoice,Redemption Account,ရွေးနှုတ်အကောင့် +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,ပထမဦးဆုံးပစ္စည်းတည်နေရာများ table ထဲမှာပစ္စည်းများ add DocType: Pricing Rule,Discount Amount,လျော့စျေးပမာဏ DocType: Pricing Rule,Period Settings,ကာလက Settings DocType: Purchase Invoice,Return Against Purchase Invoice,ဝယ်ယူခြင်းပြေစာဆန့်ကျင်သို့ပြန်သွားသည် @@ -5236,7 +5304,6 @@ DocType: Assessment Plan,Assessment Plan,အကဲဖြတ်အစီအစဉ DocType: Travel Request,Fully Sponsored,အပြည့်အဝထောက်ပံ့ထား apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,ပြောင်းပြန်ဂျာနယ် Entry ' apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,ယောဘသည် Card ကို Create -DocType: Shift Type,Consequence after,အကျိုးဆက်အပြီး DocType: Quality Procedure Process,Process Description,ဖြစ်စဉ်ကိုဖျေါပွခကျြ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,ဖောက်သည် {0} နေသူများကဖန်တီး။ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,မည်သည့်ဂိုဒေါင်ထဲမှာရရှိနိုင်လောလောဆယ်အဘယ်သူမျှမစတော့ရှယ်ယာ @@ -5271,6 +5338,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,ရှင်းလင်း DocType: Delivery Settings,Dispatch Notification Template,dispatch သတိပေးချက် Template ကို apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,အကဲဖြတ်အစီရင်ခံစာ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,ဝန်ထမ်းများ get +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 လိပ်စာ @@ -5364,7 +5432,6 @@ DocType: Stock Settings,Use Naming Series,စီးရီးအမည်ဖြ apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,အဘယ်သူမျှမဇာတ်ကြမ်း apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,အဘိုးပြတ်သည်အတိုင်း type ကိုစွဲချက် Inclusive အဖြစ်မှတ်သားမရပါဘူး DocType: POS Profile,Update Stock,စတော့အိတ် Update -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setup ကို> Setting> အမည်ဖြင့်သမုတ်စီးရီးကနေတဆင့် {0} များအတွက်စီးရီးအမည်ဖြင့်သမုတ်သတ်မှတ်ထား ကျေးဇူးပြု. apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,ပစ္စည်းများသည်ကွဲပြားခြားနားသော UOM မမှန်ကန် (Total) Net ကအလေးချိန်တန်ဖိုးကိုဆီသို့ဦးတည်ပါလိမ့်မယ်။ အသီးအသီးကို item ၏ Net ကအလေးချိန်တူညီ UOM အတွက်ကြောင်းသေချာပါစေ။ DocType: Certification Application,Payment Details,ငွေပေးချေမှုရမည့်အသေးစိတ်အကြောင်းအရာ apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate @@ -5400,7 +5467,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,"ဒါကအမြစ်ရောင်းအားလူတစ်ဦးဖြစ်ပြီး, edited မရနိုင်ပါ။" DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","မရွေးလိုလျှင်, ဒီအစိတ်အပိုင်းအတွက်သတ်မှတ်ထားသောသို့မဟုတ်တွက်ချက်တန်ဖိုးအတွက်ဝင်ငွေသို့မဟုတ်ဖြတ်တောက်ရန်အထောက်အကူဖြစ်စေမည်မဟုတ်။ သို့ရာတွင်ထိုသို့တန်ဖိုးကိုဆက်ပြောသည်သို့မဟုတ်နုတ်ယူနိုင်ပါတယ်အခြားအစိတ်အပိုင်းများအားဖြင့်ရည်ညွှန်းနိုင်ပါသည်ပါပဲ။" DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","မရွေးလိုလျှင်, ဒီအစိတ်အပိုင်းအတွက်သတ်မှတ်ထားသောသို့မဟုတ်တွက်ချက်တန်ဖိုးအတွက်ဝင်ငွေသို့မဟုတ်ဖြတ်တောက်ရန်အထောက်အကူဖြစ်စေမည်မဟုတ်။ သို့ရာတွင်ထိုသို့တန်ဖိုးကိုဆက်ပြောသည်သို့မဟုတ်နုတ်ယူနိုင်ပါတယ်အခြားအစိတ်အပိုင်းများအားဖြင့်ရည်ညွှန်းနိုင်ပါသည်ပါပဲ။" -DocType: Asset Settings,Number of Days in Fiscal Year,ဘဏ္ဍာရေးတစ်နှစ်တာနေ့ရက်များအရေအတွက် ,Stock Ledger,စတော့အိတ်လယ်ဂျာ DocType: Company,Exchange Gain / Loss Account,ချိန်း Gain / ပျောက်ဆုံးခြင်းအကောင့် DocType: Amazon MWS Settings,MWS Credentials,MWS သံတမန်ဆောင်ဧည် @@ -5436,6 +5502,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,ဘဏ်ဖိုင်မှတ်တမ်းအတွက်ကော်လံ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},{0} ပြီးသားကျောင်းသား {1} ဆန့်ကျင်တည်ရှိ application ကိုစွန့်ခွာ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,ပစ္စည်းများအပေါငျးတို့သဘီလ်အတွက်နောက်ဆုံးပေါ်စျေးနှုန်းကို update တန်းစီထားသည်။ ဒါဟာမိနစ်အနည်းငယ်ကြာနိုင်ပါသည်။ +DocType: Pick List,Get Item Locations,Item တည်နေရာများကိုရယူပါ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,အသစ်သောအကောင့်အမည်ဖြစ်တယ်။ မှတ်ချက်: Customer နှင့်ပေးသွင်းများအတွက်အကောင့်တွေကိုဖန်တီးကြပါဘူးကျေးဇူးပြုပြီး DocType: POS Profile,Display Items In Stock,စတော့အိတ်ခုနှစ်တွင် display ပစ္စည်းများ apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,တိုင်းပြည်ပညာရှိသောသူကို default လိပ်စာ Templates @@ -5459,6 +5526,7 @@ DocType: Crop,Materials Required,လိုအပ်သောပစ္စည် apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,ကျောင်းသားများကို Found ဘယ်သူမျှမက DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,လစဉ်ဟရားကင်းလွတ်ခွင့် DocType: Clinical Procedure,Medical Department,ဆေးဘက်ဆိုင်ရာဦးစီးဌာန +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,စုစုပေါင်းအစောပိုင်းထွက်ပေါက် DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,ပေးသွင်း Scorecard အမှတ်ပေးလိုအပ်ချက် apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,ငွေတောင်းခံလွှာ Post date apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,ရောင်းချ @@ -5470,11 +5538,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","အဆိုပါထမ်း delete ကျေးဇူးပြု. {0} ဤစာရွက်စာတမ်းဖျက်သိမ်းရန် \" DocType: Program Enrollment,School House,School တွင်အိမ် DocType: Serial No,Out of AMC,AMC ထဲက DocType: Opportunity,Opportunity Amount,အခွင့်အလမ်းငွေပမာဏ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,သင့်ရဲ့ကိုယ်ရေးဖိုင် apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ကြိုတင်ဘွတ်ကင်တန်ဖိုးအရေအတွက်တန်ဖိုးစုစုပေါင်းအရေအတွက်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Purchase Order,Order Confirmation Date,အမိန့်အတည်ပြုချက်နေ့စွဲ DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5568,7 +5635,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","နှုန်း, ရှယ်ယာမျှနှင့်တွက်ချက်ပမာဏကိုအကြားရှေ့နောက်မညီရှိပါတယ်" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,သငျသညျအစားထိုးခွင့်တောင်းဆိုမှုကိုရက်ပေါင်းအကြားတနေ့လုံး (s) ကိုတင်ပြကြသည်မဟုတ် apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,အတည်ပြုရန်ကုမ္ပဏီ၏နာမ-type ကိုပြန်လည် ကျေးဇူးပြု. -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,စုစုပေါင်းထူးချွန် Amt DocType: Journal Entry,Printing Settings,ပုံနှိပ်ခြင်းက Settings DocType: Payment Order,Payment Order Type,ငွေပေးချေမှုရမည့်အမိန့်အမျိုးအစား DocType: Employee Advance,Advance Account,ကြိုတင်မဲအကောင့် @@ -5658,7 +5724,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,တစ်နှစ်တာအမည် apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,ယခုလအလုပ်လုပ်ရက်ပတ်လုံးထက်ပိုပြီးအားလပ်ရက်ရှိပါသည်။ apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,အောက်ပါပစ္စည်းများ {0} {1} ကို item အဖြစ်မှတ်သားကြသည်မဟုတ်။ သငျသညျက၎င်း၏ Item မာစတာထံမှ {1} ကို item အဖြစ်သူတို့ကိုဖွင့်နိုင်ပါသည် -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,ကောင်စီ / LC Ref DocType: Production Plan Item,Product Bundle Item,ထုတ်ကုန်ပစ္စည်း Bundle ကို Item DocType: Sales Partner,Sales Partner Name,အရောင်း Partner အမည် apps/erpnext/erpnext/hooks.py,Request for Quotations,ကိုးကားချက်များတောင်းခံ @@ -5667,7 +5732,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,ပုံမှန်စမ်းသပ်ပစ္စည်းများ DocType: QuickBooks Migrator,Company Settings,ကုမ္ပဏီက Settings DocType: Additional Salary,Overwrite Salary Structure Amount,လစာဖွဲ့စည်းပုံငွေပမာဏ Overwrite -apps/erpnext/erpnext/config/hr.py,Leaves,အရွက် +DocType: Leave Ledger Entry,Leaves,အရွက် DocType: Student Language,Student Language,ကျောင်းသားဘာသာစကားများ DocType: Cash Flow Mapping,Is Working Capital,အလုပ်အဖွဲ့ Capital ကို Is apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,သက်သေပြချက် Submit @@ -5675,12 +5740,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,အမိန့် / quote% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,စံချိန်လူနာအရေးပါသောအ DocType: Fee Schedule,Institution,တည်ထောင်ခြင်း -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},UOM ကူးပြောင်းခြင်းအချက် ({0} -> {1}) ကို item ဘို့မတွေ့ရှိ: {2} DocType: Asset,Partially Depreciated,တစ်စိတ်တစ်ပိုင်းတန်ဖိုးလျော့ကျ DocType: Issue,Opening Time,အချိန်ဖွင့်လှစ် apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,ကနေနှင့်လိုအပ်သည့်ရက်စွဲများရန် apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Securities မှ & ကုန်စည်ဒိုင် -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},{1}: {0} အားဖြင့်ခေါ်ရန်အကျဉ်းချုပ် apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,docs ရှာရန် apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variant များအတွက်တိုင်း၏ default အနေနဲ့ Unit မှ '' {0} '' Template: ထဲမှာရှိသကဲ့သို့တူညီသူဖြစ်ရမည် '' {1} '' DocType: Shipping Rule,Calculate Based On,အခြေတွင်တွက်ချက် @@ -5727,6 +5790,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,အများဆုံးခွင့်ပြုချက် Value ကို DocType: Journal Entry Account,Employee Advance,ဝန်ထမ်းကြိုတင် DocType: Payroll Entry,Payroll Frequency,လစာကြိမ်နှုန်း +DocType: Plaid Settings,Plaid Client ID,Plaid လိုင်း ID ကို DocType: Lab Test Template,Sensitivity,အာရုံများကိုထိခိုက်လွယ်ခြင်း DocType: Plaid Settings,Plaid Settings,Plaid Settings များ apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,အများဆုံးပြန်လည်ကျော်လွန်သွားပြီဖြစ်သောကြောင့် Sync ကိုယာယီပိတ်ထားလိုက်ပြီ @@ -5744,6 +5808,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Post date ပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု. apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,နေ့စွဲဖွင့်လှစ်နေ့စွဲပိတ်ပြီးမတိုင်မှီဖြစ်သင့် DocType: Travel Itinerary,Flight,လေယာဉ်ခရီးစဉ် +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,အိမ်ပြန်ဖို့ DocType: Leave Control Panel,Carry Forward,Forward သယ် apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,လက်ရှိအရောင်းအနှင့်အတူကုန်ကျစရိတ် Center ကလယ်ဂျာမှပြောင်းလဲမပြနိုင် DocType: Budget,Applicable on booking actual expenses,အမှန်တကယ်ကုန်ကျစရိတ် booking အပေါ်သက်ဆိုင်သော @@ -5800,6 +5865,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,စျေးနှ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,သငျသညျ Block ကိုနေ့အပေါ်အရွက်အတည်ပြုခွင့်ကြသည်မဟုတ် apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{1} များအတွက် {0} တောင်းဆိုခြင်း apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,အားလုံးသည်ဤပစ္စည်းများကိုပြီးသား invoiced ပြီ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,အဆိုပါ {0} {1} သင်သတ်မှတ်ထားသောထားသော filters အရည်အချင်းပြည့်မီသည့်မတွေ့ထူးချွန်ငွေတောင်းခံလွှာ။ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,နယူးဖြန့်ချိနေ့စွဲ Set DocType: Company,Monthly Sales Target,လစဉ်အရောင်းပစ်မှတ် apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,မျှမတွေ့ထူးချွန်ငွေတောင်းခံလွှာများ @@ -5847,6 +5913,7 @@ DocType: Batch,Source Document Name,source စာရွက်စာတမ်း DocType: Batch,Source Document Name,source စာရွက်စာတမ်းအမည် DocType: Production Plan,Get Raw Materials For Production,ထုတ်လုပ်မှုကုန်ကြမ်းကိုရယူလိုက်ပါ DocType: Job Opening,Job Title,အလုပ်အကိုင်အမည် +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,အနာဂတ်ငွေပေးချေမှုရမည့် Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.",{0} {1} တစ် quotation အပေးမည်မဟုတ်ကြောင်းညွှန်ပြပေမယ့်ပစ္စည်းများအားလုံးကိုးကားခဲ့ကြ \ ။ အဆိုပါ RFQ ကိုးကား status ကိုမွမ်းမံခြင်း။ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,အများဆုံးနမူနာ - {0} ပြီးသားအသုတ်လိုက် {1} နှင့် Item {2} အသုတ်လိုက်အတွက် {3} များအတွက်ထိန်းသိမ်းထားပါပြီ။ @@ -5857,12 +5924,10 @@ 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: Company,Product Code,ကုန်ပစ္စည်း Code ကို DocType: Quality Review Table,Objective,ရည်ရွယ်ချက် DocType: Supplier Scorecard,Per Month,တစ်လလျှင် DocType: Education Settings,Make Academic Term Mandatory,ပညာရေးဆိုင်ရာ Term မသင်မနေရ Make -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,ထုတ်လုပ်ခြင်းမှအရေအတွက်ပါ 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည်။ -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,ဘဏ္ဍာရေးတစ်နှစ်တာအပေါ်အခြေခံပြီးအကြိုသတ်မှတ်ထားသောတန်ဖိုးဇယားတွက်ချက် +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,ထုတ်လုပ်ခြင်းမှအရေအတွက်ပါ 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည်။ apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,ပြုပြင်ထိန်းသိမ်းမှုခေါ်ဆိုမှုအစီရင်ခံစာသွားရောက်ခဲ့ကြသည်။ DocType: Stock Entry,Update Rate and Availability,နှုန်းနှင့် Available Update 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 ယူနစ်အမိန့်ရပြီဆိုပါက။ နှင့်သင်၏ Allow သင် 110 ယူနစ်ကိုခံယူခွင့်ရနေကြပြီးတော့ 10% ဖြစ်ပါတယ်။ @@ -5874,7 +5939,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,ဖြန့်ချိသည့်ရက်စွဲအနာဂတ်၌ဖြစ်ရပါမည် DocType: BOM,Website Description,website ဖော်ပြချက်များ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Equity အတွက်ပိုက်ကွန်ကိုပြောင်းရန် -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,ပထမဦးဆုံးဝယ်ယူငွေတောင်းခံလွှာ {0} ဖျက်သိမ်းပေးပါ apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,အခွင့်မရှိကြ။ အဆိုပါဝန်ဆောင်မှုယူနစ်အမျိုးအစားကို disable ကျေးဇူးပြု. apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Email လိပ်စာထူးခြားတဲ့သူဖြစ်ရမည်, ပြီးသား {0} များအတွက်တည်ရှိ" DocType: Serial No,AMC Expiry Date,AMC သက်တမ်းကုန်ဆုံးသည့်ရက်စွဲ @@ -5918,6 +5982,7 @@ DocType: Pricing Rule,Price Discount Scheme,စျေးလျှော့အစ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,ကို Maintenance အခြေအနေ Submit မှပယ်ဖျက်ထားသည်မှာသို့မဟုတ် Completed ခံရဖို့ရှိပါတယ် DocType: Amazon MWS Settings,US,အမေရိကန် DocType: Holiday List,Add Weekly Holidays,အပတ်စဉ်အားလပ်ရက် Add +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,အစီရင်ခံစာ Item DocType: Staffing Plan Detail,Vacancies,လစ်လပ်သောနေရာ DocType: Hotel Room,Hotel Room,ဟိုတယ်အခန်း apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},အကောင့်ကို {0} ကုမ္ပဏီ {1} ပိုင်ပါဘူး @@ -5969,12 +6034,15 @@ DocType: Email Digest,Open Quotations,ပွင့်လင်းကိုးက 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","အဆိုပါထမ်း delete ကျေးဇူးပြု. {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,အခြေခံပညာပမာဏ @@ -5988,6 +6056,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,လစ်လပ်သော DocType: Patient,Alcohol Past Use,အရက်အတိတ်မှအသုံးပြုခြင်း DocType: Fertilizer Content,Fertilizer Content,ဓာတ်မြေသြဇာအကြောင်းအရာ +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,ဖော်ပြချက်အဘယ်သူမျှမ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,ငွေတောင်းခံပြည်နယ် DocType: Quality Goal,Monitoring Frequency,စောင့်ကြည့်မှုကြိမ်နှုန်း @@ -6005,6 +6074,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,နေ့စွဲတွင်အဆုံးသတ် Next ကိုဆက်သွယ်ပါနေ့စွဲမတိုင်မှီမဖြစ်နိုင်ပါ။ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,batch Entries DocType: Journal Entry,Pay To / Recd From,From / Recd ရန်ပေးဆောင် +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,မထုတ်ဝေရသေးသောပစ္စည်း DocType: Naming Series,Setup Series,Setup ကိုစီးရီး DocType: Payment Reconciliation,To Invoice Date,ပြေစာနေ့စွဲဖို့ DocType: Bank Account,Contact HTML,ဆက်သွယ်ရန် HTML ကို @@ -6026,6 +6096,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,လက်လီ DocType: Student Attendance,Absent,မရှိသော DocType: Staffing Plan,Staffing Plan Detail,ဝန်ထမ်းများအစီအစဉ်အသေးစိတ် DocType: Employee Promotion,Promotion Date,မြှင့်တင်ရေးနေ့စွဲ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,ခွဲဝေကို% s ခွင့်လျှောက်လွှာ% s ဖြင့်ဆက်စပ် Leave 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} @@ -6060,9 +6131,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,ငွေတောင်းခံလွှာ {0} မရှိတော့ပါ DocType: Guardian Interest,Guardian Interest,ဂါးဒီးယန်းအကျိုးစီးပွား DocType: Volunteer,Availability,အသုံးပြုနိုင်မှု +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,လျှောက်လွှာခွင့်ခွဲတမ်း {0} နှင့်အတူဆက်စပ်ချန်ထားပါ။ လစာမပါဘဲခွင့်အဖြစ်သတ်မှတ်ထားမရနိုင် application ကိုစွန့်ခွာ apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS ငွေတောင်းခံလွှာများအတွက် Setup ကို default အတန်ဖိုးများ DocType: Employee Training,Training,လေ့ကျင့်ရေး DocType: Project,Time to send,ပေးပို့ဖို့အချိန် +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,ဤစာမျက်နှာကိုဝယ်လက်အချို့စိတ်ဝင်စားမှုပြခဲ့ကြရာ၌သင်တို့၏ပစ္စည်းများကိုခြေရာခံစောင့်ရှောက်။ DocType: Timesheet,Employee Detail,ဝန်ထမ်း Detail apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,လုပ်ထုံးလုပ်နည်း {0} များအတွက် set ဂိုဒေါင် apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 အီးမေးလ် ID ကို @@ -6163,12 +6236,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ဖွင့်လှစ် Value တစ်ခု DocType: Salary Component,Formula,နည်း apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,serial # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,လူ့စွမ်းအားအရင်းအမြစ်အတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုထမ်း> HR က Settings 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/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} ပြီးသားဖြစ်ပါတယ်" @@ -6192,6 +6265,7 @@ DocType: Company,Default Employee Advance Account,default န်ထမ်းက apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),ရှာရန် Item (Ctrl + ဈ) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုဖျက်ပစ်မရနိုင်ပါ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,အဘယ်ကြောင့်ဒီအအရာဝတ္ထုဖယ်ရှားရမည်ထင်သလဲ DocType: Vehicle,Last Carbon Check,ပြီးခဲ့သည့်ကာဗွန်စစ်ဆေးမှု apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,ဥပဒေရေးရာအသုံးစရိတ်များ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,အတန်းအပေါ်အရေအတွက်ကို select ပေးပါ @@ -6211,6 +6285,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,ပျက်သည် DocType: Travel Itinerary,Vegetarian,သတ်သတ်လွတ် DocType: Patient Encounter,Encounter Date,တှေ့ဆုံနေ့စွဲ +DocType: Work Order,Update Consumed Material Cost In Project,စီမံကိန်းများတွင် Update ကိုစားသုံးပစ္စည်းကုန်ကျစရိတ် apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,အကောင့်ဖွင်: {0} ငွေကြေးနှင့်အတူ: {1} ကိုရှေးခယျြမရနိုငျ DocType: Bank Statement Transaction Settings Item,Bank Data,ဘဏ်ဒေတာများ DocType: Purchase Receipt Item,Sample Quantity,နမူနာအရေအတွက် @@ -6265,7 +6340,7 @@ DocType: GSTR 3B Report,April,ဧပြီလ DocType: Plant Analysis,Collection Datetime,ငွေကောက်ခံ DATETIME DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-Asr-.YYYY.- DocType: Work Order,Total Operating Cost,စုစုပေါင်း Operating ကုန်ကျစရိတ် -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,မှတ်စု: Item {0} အကြိမ်ပေါင်းများစွာသို့ဝင် +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,မှတ်စု: Item {0} အကြိမ်ပေါင်းများစွာသို့ဝင် apps/erpnext/erpnext/config/buying.py,All Contacts.,အားလုံးသည်ဆက်သွယ်ရန်။ DocType: Accounting Period,Closed Documents,ပိတ်ထားသောစာရွက်စာတမ်းများ DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,ခန့်အပ်တာဝန်ပေးခြင်းငွေတောင်းခံလွှာတင်သွင်းခြင်းနှင့်လူနာတှေ့ဆုံဘို့အလိုအလြောကျ cancel စီမံခန့်ခွဲရန် @@ -6347,9 +6422,7 @@ DocType: Member,Membership Type,အသင်းဝင်အမျိုးအစ ,Reqd By Date,နေ့စွဲအားဖြင့် Reqd apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,အကြွေးရှင် DocType: Assessment Plan,Assessment Name,အကဲဖြတ်အမည် -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,ပုံနှိပ်ပါထဲမှာကောင်စီပြရန် apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,row # {0}: Serial မရှိပါမဖြစ်မနေဖြစ်ပါသည် -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,အဆိုပါ {0} {1} မတွေ့ထူးချွန်ငွေတောင်းခံလွှာ။ DocType: Purchase Taxes and Charges,Item Wise Tax Detail,item ပညာရှိခွန် Detail DocType: Employee Onboarding,Job Offer,ယောဘသည်ကမ်းလှမ်းချက် apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute မှအတိုကောက် @@ -6408,6 +6481,7 @@ DocType: Serial No,Out of Warranty,အာမခံထဲက DocType: Bank Statement Transaction Settings Item,Mapped Data Type,မြေပုံနှင့်ညှိထားသောဒေတာအမျိုးအစား DocType: BOM Update Tool,Replace,အစားထိုးဖို့ apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,အဘယ်သူမျှမထုတ်ကုန်တွေ့ရှိခဲ့ပါတယ်။ +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,ပိုပစ္စည်းများ Publish apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},ဤဝန်ဆောင်မှုအဆင့်သဘောတူညီချက်ဖောက်သည် {0} မှတိကျတဲ့ဖြစ်ပါသည် apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} အရောင်းပြေစာ {1} ဆန့်ကျင် DocType: Antibiotic,Laboratory User,ဓာတ်ခွဲခန်းအသုံးပြုသူ @@ -6430,7 +6504,6 @@ DocType: Payment Order Reference,Bank Account Details,ဘဏ်အကောင DocType: Purchase Order Item,Blanket Order,စောင်အမိန့် 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,အခွန်ပိုင်ဆိုင်မှုများ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},ထုတ်လုပ်မှုအမိန့် {0} ခဲ့ DocType: BOM Item,BOM No,BOM မရှိပါ 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 @@ -6504,6 +6577,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),အပြင် taxable ထောက်ပံ့ရေးပစ္စည်းများ (သုည rated) DocType: BOM,Materials Required (Exploded),လိုအပ်သောပစ္စည်းများ (ပေါက်ကွဲ) 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/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 အနာဂတ်နေ့စွဲမဖွစျနိုငျ @@ -6561,7 +6635,6 @@ DocType: Pricing Rule,Same Item,တူညီတဲ့အရာဝတ္ထု DocType: Stock Ledger Entry,Stock Ledger Entry,စတော့အိတ်လယ်ဂျာ Entry ' DocType: Quality Action Resolution,Quality Action Resolution,အရည်အသွေးလှုပ်ရှားမှုဆုံးဖြတ်ချက် apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} တစ်ဝက်နေ့၌ {1} အပေါ် Leave -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ထားပြီး DocType: Department,Leave Block List,Block List ကို Leave DocType: Purchase Invoice,Tax ID,အခွန် ID ကို apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,item {0} Serial အမှတ်သည် setup ကိုမဟုတ်ပါဘူး။ စစ်ကြောင်းအလွတ်ရှိရမည် @@ -6599,7 +6672,7 @@ 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} ကိုပိတ်ထားသည်သို့မဟုတ်မတည်ရှိပါဘူး DocType: Purchase Invoice,Return,ပြန်လာ -DocType: Accounting Dimension,Disable,ကို disable +DocType: Account,Disable,ကို disable apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,ငွေပေးချေမှု၏ Mode ကိုငွေပေးချေရန်လိုအပ်ပါသည် DocType: Task,Pending Review,ဆိုင်းငံ့ထားပြန်လည်ဆန်းစစ်ခြင်း apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","ပိုင်ဆိုင်မှု, အမှတ်စဉ် nos, သုတ်စသည်တို့ကိုတူသောပိုပြီးရွေးချယ်စရာအဘို့အပြည့်အဝစာမျက်နှာတည်းဖြတ်မှု" @@ -6713,7 +6786,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,ပေါင်းလိုက်သောငွေတောင်းခံလွှာသောအဘို့ကို 100% တူညီရမယ် DocType: Item Default,Default Expense Account,default သုံးစွဲမှုအကောင့် DocType: GST Account,CGST Account,CGST အကောင့် -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,item Code ကို> item Group မှ> အမှတ်တံဆိပ် apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,ကျောင်းသားသမဂ္ဂအီးမေးလ် ID ကို DocType: Employee,Notice (days),အသိပေးစာ (ရက်) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,voucher ငွေတောင်းခံလွှာကိုပိတ်ခြင်း POS @@ -6724,6 +6796,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ငွေတောင်းခံလွှာကိုကယ်တင်ပစ္စည်းများကို Select လုပ်ပါ DocType: Employee,Encashment Date,Encashment နေ့စွဲ DocType: Training Event,Internet,အင်တာနက်ကို +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,ရောင်းချသူအချက်အလက်များ DocType: Special Test Template,Special Test Template,အထူးစမ်းသပ် Template ကို DocType: Account,Stock Adjustment,စတော့အိတ် Adjustments apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},{0} - default လုပ်ဆောင်ချက်ကုန်ကျစရိတ်လုပ်ဆောင်ချက်ကအမျိုးအစားသည်တည်ရှိ @@ -6736,7 +6809,6 @@ 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,စမ်းသပ်ကာလကို Start နေ့စွဲနှင့်စမ်းသပ်ကာလပြီးဆုံးရက်စွဲကိုသတ်မှတ်ရမည်ဖြစ်သည်နှစ်ဦးစလုံး -DocType: Company,Bank Remittance Settings,ဘဏ်ငွေလွှဲလုပ်ငန်း Settings များ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,ပျမ်းမျှနှုန်း 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" အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှုန်းရှိသည်မဟုတ်နိုင်ပါတယ် @@ -6764,6 +6836,7 @@ DocType: Grading Scale Interval,Threshold,တံခါးဝ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filter န်ထမ်းအားဖြင့် (Optional) DocType: BOM Update Tool,Current BOM,လက်ရှိ BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),လက်ကျန်ငွေ (ဒေါက်တာ - CR) +DocType: Pick List,Qty of Finished Goods Item,ပြီးဆုံးကုန်စည်ပစ္စည်းများ၏အရည်အတွက် apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Serial No Add DocType: Work Order Item,Available Qty at Source Warehouse,အရင်းအမြစ်ဂိုဒေါင်မှာမရရှိနိုင်အရည်အတွက် apps/erpnext/erpnext/config/support.py,Warranty,အာမခံချက် @@ -6842,7 +6915,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ဒီနေရာတွင်အမြင့်, အလေးချိန်, ဓါတ်မတည်, ဆေးဘက်ဆိုင်ရာစိုးရိမ်ပူပန်မှုများစသည်တို့ကိုထိန်းသိမ်းထားနိုင်ပါတယ်" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Accounts ကိုဖန်တီးနေ ... DocType: Leave Block List,Applies to Company,ကုမ္ပဏီသက်ဆိုင် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"တင်သွင်းစတော့အိတ် Entry '{0} တည်ရှိသောကြောင့်, ဖျက်သိမ်းနိုင်ဘူး" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"တင်သွင်းစတော့အိတ် Entry '{0} တည်ရှိသောကြောင့်, ဖျက်သိမ်းနိုင်ဘူး" DocType: Loan,Disbursement Date,ငွေပေးချေနေ့စွဲ DocType: Service Level Agreement,Agreement Details,သဘောတူညီချက်အသေးစိတ် apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,သဘောတူညီချက်၏နေ့စွဲထက် သာ. ကြီးမြတ်သို့မဟုတ်ပြီးဆုံးရက်စွဲညီမျှမဖွစျနိုငျစတင်ပါ။ @@ -6851,6 +6924,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,ဆေးဘက်ဆိုင်ရာမှတ်တမ်း DocType: Vehicle,Vehicle,ယာဉ် DocType: Purchase Invoice,In Words,စကားအတွက် +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,ယနေ့အထိနေ့မှမတိုင်မီဖြစ်ရန်လိုအပ်သည် apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,submittting ရှေ့တော်၌ထိုဘဏ်သို့မဟုတ်ငွေချေးအဖွဲ့အစည်း၏အမည်ကိုရိုက်ထည့်ပါ။ apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} တင်သွင်းရမည်ဖြစ်သည် DocType: POS Profile,Item Groups,item အဖွဲ့များ @@ -6923,7 +6997,6 @@ DocType: Customer,Sales Team Details,အရောင်းရေးအဖွဲ apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,အမြဲတမ်းပယ်ဖျက်? DocType: Expense Claim,Total Claimed Amount,စုစုပေါင်းအခိုင်အမာငွေပမာဏ apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,ရောင်းချခြင်းသည်အလားအလာရှိသောအခွင့်အလမ်း။ -DocType: Plaid Settings,Link a new bank account,အသစ်တစ်ခုကိုဘဏ်အကောင့်သို့လင့်ထားသည် apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} တစ်ခုမမှန်ကန်တဲ့တက်ရောက်အခြေအနေဖြစ်ပါတယ်။ DocType: Shareholder,Folio no.,အဘယ်သူမျှမဖိုလီယို။ apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},မမှန်ကန်ခြင်း {0} @@ -6939,7 +7012,6 @@ DocType: Production Plan,Material Requested,ပစ္စည်းတောင် DocType: Warehouse,PIN,PIN ကို DocType: Bin,Reserved Qty for sub contract,ခွဲစာချုပ်အဘို့အချုပ်ထိန်းထားသည်အရည်အတွက် DocType: Patient Service Unit,Patinet Service Unit,Patinet ဝန်ဆောင်မှုယူနစ် -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,စာသားဖိုင်မှတ်တမ်း Generate DocType: Sales Invoice,Base Change Amount (Company Currency),base ပြောင်းလဲမှုပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,အောက်ပါသိုလှောင်ရုံမရှိပါစာရင်းကိုင် posts များ apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},သာ {0} စတော့ရှယ်ယာအတွက်ကို item များအတွက် {1} @@ -6953,6 +7025,7 @@ DocType: Item,No of Months,လ၏အဘယ်သူမျှမ DocType: Item,Max Discount (%),max လျှော့ (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,credit နေ့ရက်များအပျက်သဘောဆောင်သောအရေအတွက်ကမဖွစျနိုငျ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,ကြေညာချက် Upload လုပ်ပါ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,ဤအကြောင်းအရာအားသတင်းပို့ DocType: Purchase Invoice Item,Service Stop Date,Service ကိုရပ်တန့်နေ့စွဲ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,နောက်ဆုံးအမိန့်ငွေပမာဏ DocType: Cash Flow Mapper,e.g Adjustments for:,ဥပမာ Adjustments: @@ -7046,16 +7119,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,ဝန်ထမ်းအခွန်ကင်းလွတ်ခွင့်အမျိုးအစား apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,ငွေပမာဏသုညထက်လျော့နည်းဖြစ်သင့်ပါဘူး။ DocType: Sales Invoice,C-Form Applicable,သက်ဆိုင်သည့် C-Form တွင် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},စစ်ဆင်ရေးအချိန်ကစစ်ဆင်ရေး {0} များအတွက် 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည် +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},စစ်ဆင်ရေးအချိန်ကစစ်ဆင်ရေး {0} များအတွက် 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည် DocType: Support Search Source,Post Route String,Post ကိုလမ်းကြောင်း့ String apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,ဂိုဒေါင်မဖြစ်မနေဖြစ်ပါသည် apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,website ကိုဖန်တီးရန်မအောင်မြင်ခဲ့ပါ DocType: Soil Analysis,Mg/K,mg / K သည် DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ကူးပြောင်းခြင်း Detail apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,ဝန်ခံချက်နှင့်ကျောင်းအပ် -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,retention စတော့အိတ် Entry ပြီးသား created သို့မဟုတ်နမူနာအရေအတွက်မပေးထား +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,retention စတော့အိတ် Entry ပြီးသား created သို့မဟုတ်နမူနာအရေအတွက်မပေးထား DocType: Program,Program Abbreviation,Program ကိုအတိုကောက် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,ထုတ်လုပ်မှုအမိန့်တစ်ခု Item Template ဆန့်ကျင်ထမွောကျနိုငျမညျမဟု apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),ဘောက်ချာအားဖြင့်အုပ်စု (Consolidated) DocType: HR Settings,Encrypt Salary Slips in Emails,အီးမေးလ်များအတွက်လစာစလစ် Encrypt DocType: Question,Multiple Correct Answer,အကွိမျမြားစှာမှန်ကန်သောအဖြေ @@ -7102,7 +7174,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,nil rated သို့ DocType: Employee,Educational Qualification,ပညာရေးဆိုင်ရာအရည်အချင်း DocType: Workstation,Operating Costs,operating ကုန်ကျစရိတ် apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},{0} {1} ရှိရမည်များအတွက်ငွေကြေး -DocType: Employee Checkin,Entry Grace Period Consequence,entry ကျေးဇူးတော်ရှိစေသတည်းကာလအကျိုးဆက်များ DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,မာကုတက်ရောက်သူဤပြောင်းလဲမှုမှာတာဝန်ကျဝန်ထမ်းများအဘို့ '' န်ထမ်းစာရင်းသွင်း '' အပေါ်အခြေခံပါတယ်။ DocType: Asset,Disposal Date,စွန့်ပစ်နေ့စွဲ DocType: Service Level,Response and Resoution Time,တုန့်ပြန်နှင့် Resoution အချိန် @@ -7151,6 +7222,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,ပြီးစီးနေ့စွဲ DocType: Purchase Invoice Item,Amount (Company Currency),ငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) DocType: Program,Is Featured,Featured ဖြစ်ပါတယ် +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ရယူ ... DocType: Agriculture Analysis Criteria,Agriculture User,စိုက်ပျိုးရေးအသုံးပြုသူ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,ရက်စွဲမကုန်မှီတိုင်အောင်သက်တမ်းရှိငွေပေးငွေယူသည့်ရက်စွဲမတိုင်မီမဖွစျနိုငျ apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {3} {4} {5} ဒီအရောင်းအဝယ်ဖြည့်စွက်ရန်အဘို့အပေါ် {2} လိုသေး {1} ၏ယူနစ်။ @@ -7183,7 +7255,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,စုစုပေါင်း Paid Amt 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 အရောင်းမှတ်ပုံတင်မည် @@ -7207,6 +7278,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,အမည် apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,မှစ. ရရှိထားသည့် DocType: Lead,Converted,ပွောငျး DocType: Item,Has Serial No,Serial No ရှိပါတယ် +DocType: Stock Entry Detail,PO Supplied Item,စာတိုက်ထောက်ပံ့ပစ္စည်း 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} @@ -7321,7 +7393,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,အခွန်နှင် 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,{0} မတွေ့ရှိများအတွက် default BOM +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 အအရေအတွက် apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,ဒီနေရာမှာသူတို့ကိုထည့်သွင်းဖို့ပစ္စည်းများကိုအသာပုတ် @@ -7357,7 +7429,6 @@ DocType: Purchase Invoice,Y,Y က DocType: Maintenance Visit,Maintenance Date,ပြုပြင်ထိန်းသိမ်းမှုနေ့စွဲ DocType: Purchase Invoice Item,Rejected Serial No,ပယ်ချ Serial No apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,တစ်နှစ်တာစတင်နေ့စွဲသို့မဟုတ်အဆုံးနေ့စွဲ {0} နှင့်အတူထပ်ဖြစ်ပါတယ်။ ရှောင်ရှားရန်ကုမ္ပဏီသတ်မှတ်ထားကျေးဇူးပြုပြီး -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု. Setup ကို> နံပါတ်စီးရီးကနေတစ်ဆင့်တက်ရောက်ဘို့ setup ကိုစာရငျးစီးရီး apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},ခဲထဲမှာ {0} အဆိုပါခဲအမည်ဖော်ပြထားခြင်း ကျေးဇူးပြု. apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},နေ့စွဲ Item {0} သည်အဆုံးနေ့စွဲထက်နည်းဖြစ်သင့် Start DocType: Shift Type,Auto Attendance Settings,အော်တိုတက်ရောက် Settings များ @@ -7367,9 +7438,11 @@ DocType: Upload Attendance,Upload Attendance,တက်ရောက် upload apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM နှင့်ကုန်ထုတ်လုပ်မှုပမာဏလိုအပ်သည် apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Ageing Range 2 DocType: SG Creation Tool Course,Max Strength,မက်စ်အစွမ်းသတ္တိ +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","အကောင့် {0} ပြီးသားကလေးကကုမ္ပဏီ {1} ရှိ။ အောက်ပါကွက်လပ်များကိုကွဲပြားခြားနားသောတန်ဖိုးများရှိသည်, သူတို့အတူတူပင်ဖြစ်သင့်သည်:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,ရလာဒ်ကဒိ Installing DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU တွင်-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},ဖောက်သည်များအတွက်မရွေး Delivery မှတ်ချက် {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},{0} အတွက် Added အတန်း apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,ဝန်ထမ်း {0} မျှအကျိုးအမြတ်အများဆုံးပမာဏကိုရှိပါတယ် apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Delivery နေ့စွဲအပေါ်အခြေခံပြီးပစ္စည်းများကို Select လုပ်ပါ DocType: Grant Application,Has any past Grant Record,မည်သည့်အတိတ် Grant ကစံချိန်တင်ထားပါတယ် @@ -7415,6 +7488,7 @@ DocType: Fees,Student Details,ကျောင်းသားအသေးစိ DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",ဤသည်မှာပစ္စည်းများနှင့်အရောင်းအမိန့်အတှကျအသုံးပွုကို default UOM ဖြစ်ပါတယ်။ အဆိုပါ fallback UOM "nos" ဖြစ်ပါတယ်။ DocType: Purchase Invoice Item,Stock Qty,စတော့အိတ်အရည်အတွက် DocType: Purchase Invoice Item,Stock Qty,စတော့အိတ်အရည်အတွက် +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 သင်္ဘောအကောင့် DocType: Loan,Repayment Period in Months,လထဲမှာပြန်ဆပ်ကာလ @@ -7443,6 +7517,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise လျှော apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,တာဝန်များကိုဘို့ Timesheet ။ DocType: Purchase Invoice,Against Expense Account,အသုံးအကောင့်ဆန့်ကျင် apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installation မှတ်ချက် {0} ပြီးသားတင်သွင်းခဲ့ +DocType: BOM,Raw Material Cost (Company Currency),ကုန်ကြမ်းပစ္စည်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},{0} နှင့်အတူထပ်အိမ်ငှားပေးဆောင်ရက်ပေါင်း DocType: GSTR 3B Report,October,အောက်တိုဘာလ DocType: Bank Reconciliation,Get Payment Entries,ငွေပေးချေမှုရမည့် Entries Get @@ -7490,15 +7565,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,အသုံးပြုမှုနေ့စွဲများအတွက်ရရှိနိုင်လိုအပ်ပါသည် DocType: Request for Quotation,Supplier Detail,ပေးသွင်း Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},ဖော်မြူလာသို့မဟုတ်အခြေအနေအမှား: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Invoiced ငွေပမာဏ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Invoiced ငွေပမာဏ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,လိုအပ်ချက်အလေး 100% မှတက် add ရပါမည် apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,သွားရောက်ရှိနေခြင်း apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,စတော့အိတ်ပစ္စည်းများ DocType: Sales Invoice,Update Billed Amount in Sales Order,အရောင်းအမိန့်ထဲမှာ Update ကိုကောက်ခံခဲ့ငွေပမာဏ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,ဆက်သွယ်ရန်ရောင်းချသူ 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/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 ဈေးနှုန်းများ DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,သင်ဝယ်ယူခြင်းအမိန့်ကိုကယ်တင်တစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။ @@ -7512,6 +7589,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,စျေးနှုန်း List ကိုမာစတာ။ DocType: Task,Review Date,ပြန်လည်ဆန်းစစ်ခြင်းနေ့စွဲ DocType: BOM,Allow Alternative Item,အခြားရွေးချယ်စရာ Item Allow +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,အရစ်ကျငွေလက်ခံပြေစာနမူနာ enabled ဖြစ်ပါတယ်သိမ်းဆည်းထားရသောအဘို့မဆိုပစ္စည်းမရှိပါ။ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ငွေတောင်းခံလွှာက Grand စုစုပေါင်း DocType: Company,Series for Asset Depreciation Entry (Journal Entry),ပိုင်ဆိုင်မှုတန်ဖိုး Entry များအတွက်စီးရီး (ဂျာနယ် Entry) DocType: Membership,Member Since,အဖွဲ့ဝင်ကတည်းက @@ -7521,6 +7599,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Net ကစုစုပေါင်းတွင် 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} Item {4} ဘို့ {1} {3} ၏နှစ်တိုးအတွက် {2} မှများ၏အကွာအဝေးအတွင်းရှိရမည် Attribute ဘို့ Value တစ်ခု DocType: Pricing Rule,Product Discount Scheme,ကုန်ပစ္စည်းလျှော့အစီအစဉ် +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,အဘယ်သူမျှမကိစ္စကိုခေါ်ဆိုမှုအားဖြင့်ကြီးပြင်းခဲ့သည်။ DocType: Restaurant Reservation,Waitlisted,စောင့်နေစာရင်းထဲက DocType: Employee Tax Exemption Declaration Category,Exemption Category,ကင်းလွတ်ခွင့်အမျိုးအစား apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,ငွေကြေးအချို့သောအခြားငွေကြေးသုံးပြီး entries တွေကိုချမှတ်ပြီးနောက်ပြောင်းလဲသွားမရနိုငျ @@ -7534,7 +7613,6 @@ DocType: Customer Group,Parent Customer Group,မိဘဖောက်သည် apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ဘီလ် JSON သာအရောင်းပြေစာကနေထုတ်လုပ်လိုက်တဲ့နိုင်ပါတယ် E-Way ကို apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ဒီပဟေဠိများအတွက်အများဆုံးကြိုးစားမှုရောက်ရှိ! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,subscription -DocType: Purchase Invoice,Contact Email,ဆက်သွယ်ရန်အီးမေးလ် apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,အခကြေးငွေဖန်ဆင်းခြင်းရွှေ့ဆိုင်း DocType: Project Template Task,Duration (Days),Duration: (နေ့ရက်များ) DocType: Appraisal Goal,Score Earned,ရမှတ်ရရှိခဲ့သည် @@ -7560,7 +7638,6 @@ DocType: Landed Cost Item,Landed Cost Item,ဆင်းသက်ကုန်က 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions",တစ်ခုတည်းငွေပေးငွေယူဘို့ပမာဏကိုအရောင်းအကွဲနေဖြင့်သီးခြားငွေပေးချေနိုင်ရန်ဖန်တီးအများဆုံးခွင့်ပြုပမာဏကိုကျော်လွန် DocType: Service Level Agreement,Entity,entity DocType: Payment Reconciliation,Receivable / Payable Account,receiver / ပေးဆောင်အကောင့် DocType: Delivery Note Item,Against Sales Order Item,အရောင်းအမိန့် Item ဆန့်ကျင် @@ -7731,6 +7808,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,ရ DocType: Quality Inspection Reading,Reading 3,3 Reading DocType: Stock Entry,Source Warehouse Address,source ဂိုဒေါင်လိပ်စာ DocType: GL Entry,Voucher Type,ဘောက်ချာကအမျိုးအစား +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,အနာဂတ်ငွေချေမှု 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 ,နောက်ဆုံးလုပ်ဆောင်ချက် @@ -7757,6 +7835,7 @@ 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 ငွေကြေးသတ်မှတ်ပါတယ်။ DocType: Sales Invoice,Customer GSTIN,ဖောက်သည် GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,လယ်ပြင်ပေါ်တွင်ရှာဖွေတွေ့ရှိရောဂါများစာရင်း။ မရွေးသည့်အခါအလိုအလျောက်ရောဂါနှင့်အတူကိုင်တွယ်ရန်အလုပ်များကိုစာရင်းတစ်ခုထပ်ထည့်ပါမယ် +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,ဒါကအမြစ်ကျန်းမာရေးစောင့်ရှောက်မှုဝန်ဆောင်မှုယူနစ်သည်နှင့်တည်းဖြတ်မရနိုင်ပါ။ DocType: Asset Repair,Repair Status,ပြုပြင်ရေးအခြေအနေ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",အရည်အတွက်တောင်းဆိုထားသော: ပမာဏဝယ်ယူဘို့မေတ္တာရပ်ခံပေမယ့်အမိန့်မဟုတ်ပါဘူး။ @@ -7771,6 +7850,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,ပြောင်းလဲမှုပမာဏအဘို့အကောင့် DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks ချိတ်ဆက်ခြင်း DocType: Exchange Rate Revaluation,Total Gain/Loss,စုစုပေါင်း Gain / ပျောက်ဆုံးခြင်း +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Pick စာရင်း Create apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},row {0}: ပါတီ / အကောင့်ကို {3} {4} အတွက် {1} / {2} နှင့်ကိုက်ညီမပါဘူး DocType: Employee Promotion,Employee Promotion,ဝန်ထမ်းမြှင့်တင်ရေး DocType: Maintenance Team Member,Maintenance Team Member,ကို Maintenance အဖွဲ့အဖွဲ့ဝင် @@ -7854,6 +7934,7 @@ 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,ပိုင်ဆိုင်မှုအမျိုးအစား apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net ကအခပေးအနုတ်လက္ခဏာမဖြစ်နိုင် @@ -7885,7 +7966,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,အရည်အသွေးပန်းတိုင် DocType: BOM,Item to be manufactured or repacked,item ထုတ်လုပ်သောသို့မဟုတ် repacked ခံရဖို့ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},အခြေအနေ syntax အမှား: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,ဖောက်သည်များကကြီးပြင်းခြင်းမရှိပါပြဿနာ။ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU တွင်-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,ဗိုလ်မှူး / မလုပ်မဖြစ်ကျအောကျခံ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Settings များဝယ်ယူအတွက်ပေးသွင်း Group မှ Set ပေးပါ။ @@ -7978,8 +8058,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,ခရက်ဒစ် Days apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Lab ကစမ်းသပ်မှုအရလူနာကို select ပေးပါ DocType: Exotel Settings,Exotel Settings,Exotel Settings များ -DocType: Leave Type,Is Carry Forward,Forward ယူသွားတာဖြစ်ပါတယ် +DocType: Leave Ledger Entry,Is Carry Forward,Forward ယူသွားတာဖြစ်ပါတယ် DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ဒူးယောင်မှတ်သားသောအောက်တွင်ဖော်ပြထားသောအလုပ်လုပ်ကိုင်နာရီ။ (သုညကို disable လုပ်ဖို့) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,သတင်းစကားကိုပို့ပါ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,BOM ထံမှပစ္စည်းများ Get 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,ဝင်ငွေခွန်စျေးကြီးသည် diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 6e57649d4b..5ec7766043 100644 --- a/erpnext/translations/nl.csv +++ b/erpnext/translations/nl.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Meld Leverancier in apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Selecteer Party Type eerste DocType: Item,Customer Items,Klant Items +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Passiva DocType: Project,Costing and Billing,Kostenberekening en facturering apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Vooraf ingestelde accountvaluta moet hetzelfde zijn als bedrijfsvaluta {0} DocType: QuickBooks Migrator,Token Endpoint,Token-eindpunt @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Standaard Eenheid DocType: SMS Center,All Sales Partner Contact,Alle Sales Partner Contact DocType: Department,Leave Approvers,Verlof goedkeurders DocType: Employee,Bio / Cover Letter,Bio / sollicitatiebrief +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Zoek items ... DocType: Patient Encounter,Investigations,onderzoeken DocType: Restaurant Order Entry,Click Enter To Add,Klik op Enter om toe te voegen apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Ontbrekende waarde voor wachtwoord, API-sleutel of Shopify-URL" DocType: Employee,Rented,Verhuurd apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Alle accounts apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Kan werknemer niet overnemen met status links -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Gestopt productieorder kan niet worden geannuleerd, opendraaien het eerst te annuleren" DocType: Vehicle Service,Mileage,Mileage apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Wilt u dit actief echt schrappen? DocType: Drug Prescription,Update Schedule,Update Schema @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Klant DocType: Purchase Receipt Item,Required By,Benodigd op DocType: Delivery Note,Return Against Delivery Note,Terug Tegen Delivery Note DocType: Asset Category,Finance Book Detail,Financiën Boek Detail +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Alle afschrijvingen zijn geboekt DocType: Purchase Order,% Billed,% Gefactureerd apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Loonnummer apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Wisselkoers moet hetzelfde zijn als zijn {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Batch Item Vervaldatum Status apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bankcheque DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Totaal aantal late inzendingen DocType: Mode of Payment Account,Mode of Payment Account,Modus van Betaalrekening apps/erpnext/erpnext/config/healthcare.py,Consultation,Overleg DocType: Accounts Settings,Show Payment Schedule in Print,Toon betalingsschema in Print @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Op apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primaire contactgegevens apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Open Issues DocType: Production Plan Item,Production Plan Item,Productie Plan Artikel +DocType: Leave Ledger Entry,Leave Ledger Entry,Grootboekinvoer verlaten apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Gebruiker {0} is al aan Werknemer toegewezen {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} veld is beperkt tot grootte {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Max DocType: Purchase Invoice Item,Item Weight Details,Item Gewicht Details DocType: Asset Maintenance Log,Periodicity,Periodiciteit apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Boekjaar {0} is vereist +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Nettowinst (verlies DocType: Employee Group Table,ERPNext User ID,ERPNext gebruikers-ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,De minimale afstand tussen rijen planten voor optimale groei apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Selecteer Patiënt om de voorgeschreven procedure te krijgen @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Verkoopprijslijst DocType: Patient,Tobacco Current Use,Tabaksgebruik apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Verkoopcijfers -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Bewaar uw document voordat u een nieuw account toevoegt 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,pens DocType: Exchange Rate Revaluation Account,Gain/Loss,Winst / verlies DocType: Crop,Perennial,eeuwigdurend DocType: Program,Is Published,Is gepubliceerd +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Toon leveringsbonnen apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Als u overfacturering wilt toestaan, werkt u "Overfactureringstoeslag" bij in Accountinstellingen of het item." DocType: Patient Appointment,Procedure,Procedure DocType: Accounts Settings,Use Custom Cash Flow Format,Gebruik aangepaste kasstroomindeling @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Laat beleidsdetails achter DocType: BOM,Item Image (if not slideshow),Artikel Afbeelding (indien niet diashow) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Rij # {0}: bewerking {1} is niet voltooid voor {2} aantal voltooide goederen in werkorder {3}. Werk de bedieningsstatus bij via opdrachtkaart {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} is verplicht voor het genereren van overmakingsbetalingen, stel het veld in en probeer het opnieuw" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Uurtarief / 60) * Werkelijk Gepresteerde Tijd apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rij # {0}: Referentiedocumenttype moet één van de kostenrekening of het journaalboekje zijn apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Select BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Terug te betalen gedurende een aantal perioden apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Te produceren hoeveelheid mag niet minder zijn dan nul DocType: Stock Entry,Additional Costs,Bijkomende kosten +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klant> Klantengroep> Gebied apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Rekening met bestaande transactie kan niet worden omgezet naar een groep . DocType: Lead,Product Enquiry,Product Aanvraag DocType: Education Settings,Validate Batch for Students in Student Group,Batch valideren voor studenten in de studentengroep @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Student zonder graad apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Stel de standaardsjabloon in voor Verlofstatusmelding in HR-instellingen. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Doel op DocType: BOM,Total Cost,Totale kosten +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Toekenning verlopen! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maximaal doorgestuurde bladeren DocType: Salary Slip,Employee Loan,werknemer Loan DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.yy .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Stuur een e-mail voor betalingsverzoek @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Vastgo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Rekeningafschrift apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmacie DocType: Purchase Invoice Item,Is Fixed Asset,Is vaste activa +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Toekomstige betalingen weergeven DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Deze bankrekening is al gesynchroniseerd DocType: Homepage,Homepage Section,Homepage sectie @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Kunstmest apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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. -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel het naamsysteem voor instructeurs in Onderwijs> Onderwijsinstellingen in apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Ten minste één wijze van betaling is vereist voor POS factuur. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Batch-nummer is vereist voor batch-artikel {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Rekeningoverzicht Transactie Rekening Item @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,Select Voorwaarden apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,out Value DocType: Bank Statement Settings Item,Bank Statement Settings Item,Instellingen voor bankafschriftinstellingen DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce-instellingen +DocType: Leave Ledger Entry,Transaction Name,Naam transactie DocType: Production Plan,Sales Orders,Verkooporders apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Meervoudig loyaliteitsprogramma gevonden voor de klant. Selecteer alstublieft handmatig. DocType: Purchase Taxes and Charges,Valuation,Waardering @@ -461,6 +469,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Toon alleen de klant van deze klantengroepen DocType: Sales Invoice,Is Opening Entry,Wordt Opening Entry @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Vermeld als niet-standaard te ontvangen houdend met de toepasselijke 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 DocType: Supplier Scorecard,Criteria Setup,Criteria Setup -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Voor Magazijn is vereist voor het Indienen +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 DocType: Codification Table,Medical Code,Medisch code apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Verbind Amazon met ERPNext @@ -486,7 +496,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankrekeningen toegevoegd -DocType: Delivery Stop,Contact Name,Contact Naam +DocType: Call Log,Contact Name,Contact Naam DocType: Plaid Settings,Synchronize all accounts every hour,Synchroniseer alle accounts elk uur DocType: Course Assessment Criteria,Course Assessment Criteria,Cursus Beoordelingscriteria DocType: Pricing Rule Detail,Rule Applied,Regel toegepast @@ -530,7 +540,6 @@ 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. -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Onbekend nummer DocType: Website Filter Field,Website Filter Field,Websitefilterveld apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Leveringstype DocType: Material Request Item,Min Order Qty,Minimum Aantal @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,Totaal hoofdbedrag DocType: Student Guardian,Relation,Relatie DocType: Quiz Result,Correct,Correct DocType: Student Guardian,Mother,Moeder -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Voeg eerst geldige Plaid api-sleutels toe in site_config.json DocType: Restaurant Reservation,Reservation End Time,Eindtijd van reservering DocType: Crop,Biennial,tweejarig ,BOM Variance Report,BOM-variatierapport @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Betaling tegen {0} {1} kan niet groter zijn dan openstaande bedrag te zijn {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,Offline POS-instellingen DocType: Stock Entry Detail,Reference Purchase Receipt,Referentie aankoopontvangst DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variant van -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Voltooid aantal mag niet groter zijn dan 'Aantal te produceren' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Voltooid aantal mag niet groter zijn dan 'Aantal te produceren' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Periode gebaseerd op DocType: Period Closing Voucher,Closing Account Head,Sluiten Account Hoofd DocType: Employee,External Work History,Externe Werk Geschiedenis apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Kringverwijzing Error apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Studentenrapportkaart apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Van pincode +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Verkoopmedewerker weergeven DocType: Appointment Type,Is Inpatient,Is een patiënt apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Naam DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,In woorden (Export) wordt zichtbaar zodra u de vrachtbrief opslaat. @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Dimensienaam apps/erpnext/erpnext/healthcare/setup.py,Resistant,Resistant apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Stel de hotelkamerprijs in op {} +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: Journal Entry,Multi Currency,Valuta DocType: Bank Statement Transaction Invoice Item,Invoice Type,Factuur Type apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Geldig vanaf datum moet kleiner zijn dan geldig tot datum @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,toegelaten DocType: Workstation,Rent Cost,Huurkosten 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Aankomende Gebeurtenissen apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variant Attributen @@ -747,7 +760,6 @@ DocType: Request for Quotation,Request for Quotation,Offerte 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Verkoopmedewerker in druk weergeven 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 @@ -755,7 +767,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Maak een nieuwe klant apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Vervalt op apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Als er meerdere prijzen Regels blijven die gelden, worden gebruikers gevraagd om Prioriteit handmatig instellen om conflicten op te lossen." -DocType: Purchase Invoice,Scan Barcode,Scan barcode apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Maak Bestellingen ,Purchase Register,Inkoop Register apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Patiënt niet gevonden @@ -815,6 +826,7 @@ DocType: Account,Old Parent,Oude Parent apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Verplicht veld - Academiejaar apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Verplicht veld - Academiejaar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} is niet gekoppeld aan {2} {3} +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} @@ -858,6 +870,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Salaris Component voor rooster gebaseerde payroll. DocType: Driver,Applicable for external driver,Toepasbaar voor externe driver DocType: Sales Order Item,Used for Production Plan,Gebruikt voor Productie Plan +DocType: BOM,Total Cost (Company Currency),Totale kosten (bedrijfsvaluta) DocType: Loan,Total Payment,Totale betaling apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Kan transactie voor voltooide werkorder niet annuleren. DocType: Manufacturing Settings,Time Between Operations (in mins),Time Between Operations (in minuten) @@ -879,6 +892,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Meld andere aan DocType: Vital Signs,Blood Pressure (systolic),Bloeddruk (systolisch) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} is {2} DocType: Item Price,Valid Upto,Geldig Tot +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 . @@ -897,6 +911,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Veranderingen in {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Selecteer Company DocType: Employee Skill,Employee Skill,Vaardigheden van werknemers apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Verschillenrekening @@ -941,6 +956,7 @@ DocType: Patient,Risk Factors,Risicofactoren DocType: Patient,Occupational Hazards and Environmental Factors,Beroepsgevaren en milieufactoren apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Voorraadinvoer al gemaakt voor werkorder apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Bekijk eerdere bestellingen +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} gesprekken DocType: Vital Signs,Respiratory rate,Ademhalingsfrequentie apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Managing Subcontracting DocType: Vital Signs,Body Temperature,Lichaamstemperatuur @@ -982,6 +998,7 @@ DocType: Purchase Invoice,Registered Composition,Geregistreerde samenstelling apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Hallo apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Item verplaatsen DocType: Employee Incentive,Incentive Amount,Incentive Bedrag +,Employee Leave Balance Summary,Werknemersverlofsaldo Samenvatting DocType: Serial No,Warranty Period (Days),Garantieperiode (dagen) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Het totale krediet / debetbedrag moet hetzelfde zijn als de gekoppelde journaalboeking DocType: Installation Note Item,Installation Note Item,Installatie Opmerking Item @@ -995,6 +1012,7 @@ DocType: Vital Signs,Bloated,Opgeblazen DocType: Salary Slip,Salary Slip Timesheet,Loonstrook Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverancier Magazijn verplicht voor uitbesteedde Ontvangstbewijs DocType: Item Price,Valid From,Geldig van +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Uw cijfer: DocType: Sales Invoice,Total Commission,Totaal Commissie DocType: Tax Withholding Account,Tax Withholding Account,Belasting-inhouding-account DocType: Pricing Rule,Sales Partner,Verkoop Partner @@ -1002,6 +1020,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle leveranciers 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 +DocType: Item,Website Image,Website afbeelding apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Targetmagazijn in rij {0} moet hetzelfde zijn als werkorder apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Valuation Rate is verplicht als Opening Stock ingevoerd apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Geen records gevonden in de factuur tabel @@ -1036,8 +1055,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},G 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Voltooi uw Plaid API-configuratie voordat u uw account synchroniseert 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 DocType: Job Applicant,Resume Attachment,Resume Attachment @@ -1049,7 +1068,6 @@ DocType: Production Plan,Production Plan,Productieplan DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Opening factuur creatie tool DocType: Salary Component,Round to the Nearest Integer,Rond naar het dichtstbijzijnde gehele getal apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Terugkerende verkoop -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Opmerking: Totaal toegewezen bladeren {0} mag niet kleiner zijn dan die reeds zijn goedgekeurd bladeren zijn {1} voor de periode DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Aantal instellen in transacties op basis van serieel geen invoer ,Total Stock Summary,Totale voorraadoverzicht apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1078,6 +1096,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Een apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,hoofdsom DocType: Loan Application,Total Payable Interest,Totaal verschuldigde rente apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Totaal Uitstaande: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Contact openen DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Sales Invoice Timesheet 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} @@ -1087,6 +1106,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Standaard Invoice Naming S 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 DocType: Restaurant Reservation,Restaurant Reservation,Restaurant reservering +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Uw artikelen apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Voorstel Schrijven DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling Entry Aftrek DocType: Service Level Priority,Service Level Priority,Prioriteit serviceniveau @@ -1095,6 +1115,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Batchnummerserie apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Een andere Sales Person {0} bestaat met dezelfde werknemer id DocType: Employee Advance,Claimed Amount,Geclaimd bedrag +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Verlopen toewijzing 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 @@ -1164,7 +1185,6 @@ DocType: Student Batch Name,Batch Name,batch Naam DocType: Fee Validity,Max number of visit,Max. Aantal bezoeken DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Verplicht voor winst- en verliesrekening ,Hotel Room Occupancy,Hotel Kamer bezetting -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Rooster gemaakt: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Stel een standaard Kas- of Bankrekening in bij Betaalwijze {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Inschrijven DocType: GST Settings,GST Settings,GST instellingen @@ -1297,6 +1317,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Selecteer alsjeblieft Programma DocType: Project,Estimated Cost,Geschatte kosten DocType: Request for Quotation,Link to material requests,Koppeling naar materiaal aanvragen +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Publiceren apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Ruimtevaart ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Kredietkaart invoer @@ -1323,6 +1344,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Vlottende Activa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} is geen voorraad artikel apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Deel alstublieft uw feedback aan de training door op 'Training Feedback' te klikken en vervolgens 'New' +DocType: Call Log,Caller Information,Informatie beller DocType: Mode of Payment Account,Default Account,Standaardrekening apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Selecteer eerst Sample Retention Warehouse in Stock Settings apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Selecteer het Multiple Tier-programmatype voor meer dan één verzamelregel. @@ -1347,6 +1369,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Auto Materiaal Verzoeken Vernieuwd DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Werkuren waaronder Halve dag is gemarkeerd. (Nul uit te schakelen) DocType: Job Card,Total Completed Qty,Totaal voltooid aantal +DocType: HR Settings,Auto Leave Encashment,Auto Verlaten inkapseling apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Verloren apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,U kan geen 'Voucher' invoeren in een 'Tegen Journal Entry' kolom DocType: Employee Benefit Application Detail,Max Benefit Amount,Maximaal voordeelbedrag @@ -1376,9 +1399,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Abonnee DocType: Item Attribute Value,Item Attribute Value,Item Atribuutwaarde apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valutawissel moet van toepassing zijn voor Kopen of Verkopen. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Alleen verlopen toewijzing kan worden geannuleerd DocType: Item,Maximum sample quantity that can be retained,Maximum aantal monsters dat kan worden bewaard apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rij {0} # artikel {1} kan niet meer dan {2} worden overgedragen tegen bestelling {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Verkoop campagnes +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Onbekende beller DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1429,6 +1454,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Tijdschema apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Naam DocType: Expense Claim Detail,Expense Claim Type,Kostendeclaratie Type DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standaardinstellingen voor Winkelwagen +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Item opslaan apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Nieuwe uitgave apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Negeer bestaand bestelde aantal apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Voeg tijdsloten toe @@ -1441,6 +1467,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Review Uitnodiging verzonden DocType: Shift Assignment,Shift Assignment,Shift-toewijzing DocType: Employee Transfer Property,Employee Transfer Property,Overdracht van medewerkers +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Het veld Equity / Liability Account mag niet leeg zijn apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Van tijd moet minder zijn dan tijd apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotechnologie apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1522,11 +1549,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Course Schedule DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B-rapport DocType: Request for Quotation Supplier,Quote Status,Offerte Status DocType: GoCardless Settings,Webhooks Secret,Webhooks geheim DocType: Maintenance Visit,Completion Status,Voltooiingsstatus +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Het totale betalingsbedrag mag niet groter zijn dan {} DocType: Daily Work Summary Group,Select Users,Selecteer gebruikers DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Prijsbepaling Hotelkamer DocType: Loyalty Program Collection,Tier Name,Tiernaam @@ -1564,6 +1593,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST Bed DocType: Lab Test Template,Result Format,Resultaatformaat DocType: Expense Claim,Expenses,Uitgaven DocType: Service Level,Support Hours,Ondersteuningstijden +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Pakbonnen DocType: Item Variant Attribute,Item Variant Attribute,Artikel Variant Kenmerk ,Purchase Receipt Trends,Ontvangstbevestiging Trends DocType: Payroll Entry,Bimonthly,Tweemaandelijks @@ -1586,7 +1616,6 @@ DocType: Sales Team,Incentives,Incentives DocType: SMS Log,Requested Numbers,Gevraagde Numbers DocType: Volunteer,Evening,Avond DocType: Quiz,Quiz Configuration,Quiz configuratie -DocType: Customer,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 @@ -1633,7 +1662,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Wisselk ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Kan Time Slot in de volgende {0} dagen voor Operatie vinden {1} DocType: Work Order,Plan material for sub-assemblies,Plan materiaal voor onderdelen 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 @@ -1648,9 +1676,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,U moet automatisch opnieuw bestellen inschakelen in Voorraadinstellingen om opnieuw te bestellen. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Annuleren Materiaal Bezoeken {0} voor het annuleren van deze Maintenance Visit DocType: Pricing Rule,Rate or Discount,Tarief of korting +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bankgegevens DocType: Vital Signs,One Sided,Eenzijdig apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serienummer {0} behoort niet tot Artikel {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Benodigde hoeveelheid +DocType: Purchase Order Item Supplied,Required Qty,Benodigde hoeveelheid DocType: Marketplace Settings,Custom Data,Aangepaste gegevens apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Warehouses met bestaande transactie kan niet worden geconverteerd naar grootboek. DocType: Service Day,Service Day,Servicedag @@ -1678,7 +1707,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Account Valuta DocType: Lab Test,Sample ID,Voorbeeld ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Vermeld Ronde Off Account in Company -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Reeks DocType: Supplier,Default Payable Accounts,Standaard Crediteuren Accounts apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Werknemer {0} is niet actief of bestaat niet @@ -1719,8 +1747,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Informatieaanvraag DocType: Course Activity,Activity Date,Activiteitsdatum apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} van {} -,LeaderBoard,Scorebord DocType: Sales Invoice Item,Rate With Margin (Company Currency),Tarief met marge (bedrijfsvaluta) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Categorieën apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Facturen DocType: Payment Request,Paid,Betaald DocType: Service Level,Default Priority,Standaard prioriteit @@ -1755,11 +1783,11 @@ DocType: Agriculture Task,Agriculture Task,Landbouwtaak apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Indirecte Inkomsten DocType: Student Attendance Tool,Student Attendance Tool,Student Attendance Tool DocType: Restaurant Menu,Price List (Auto created),Prijslijst (automatisch aangemaakt) +DocType: Pick List Item,Picked Qty,Gekozen aantal DocType: Cheque Print Template,Date Settings,date Settings 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 -,Company Name,Bedrijfsnaam 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. @@ -1778,7 +1806,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Laatste poging DocType: Quiz Result,Quiz Result,Quizresultaat 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} -DocType: BOM,Raw Material Cost(Company Currency),Grondstofkosten (Company Munt) 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 @@ -1847,6 +1874,7 @@ DocType: Travel Itinerary,Train,Trein ,Delayed Item Report,Vertraagd itemrapport apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,In aanmerking komende ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Inpatient Bezetting +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Publiceer uw eerste items DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tijd na het einde van de dienst waarin uitchecken wordt overwogen. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Geef een {0} @@ -1963,6 +1991,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,alle stuklijsten apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Creëer Inter Company Journaalboeking DocType: Company,Parent Company,Moeder bedrijf apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotelkamers van het type {0} zijn niet beschikbaar op {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Vergelijk BOM's voor wijzigingen in grondstoffen en bewerkingen apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Document {0} is succesvol gewist DocType: Healthcare Practitioner,Default Currency,Standaard valuta apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Verzoen dit account @@ -1997,6 +2026,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Factuurspecificatie DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Afletteren Factuur DocType: Clinical Procedure,Procedure Template,Procedure sjabloon +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Items publiceren apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Bijdrage % apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Conform de Aankoop Instellingen indien Aankoop Order Vereist == 'JA', dient de gebruiker eerst een Aankoop Order voor item {0} aan te maken om een Aankoop Factuur aan te kunnen maken" ,HSN-wise-summary of outward supplies,HSN-wise-samenvatting van uitgaande benodigdheden @@ -2009,7 +2039,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Stel 'Solliciteer Extra Korting op' DocType: Party Tax Withholding Config,Applicable Percent,Toepasselijk percentage ,Ordered Items To Be Billed,Bestelde artikelen te factureren -DocType: Employee Checkin,Exit Grace Period Consequence,Verlaten Grace Periode Gevolg apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Van Range moet kleiner zijn dan om het bereik DocType: Global Defaults,Global Defaults,Global Standaardwaarden apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Project Uitnodiging Collaboration @@ -2017,13 +2046,11 @@ DocType: Salary Slip,Deductions,Inhoudingen DocType: Setup Progress Action,Action Name,Actie Naam apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Start Jaar apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Lening aanmaken -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Begindatum van de huidige factuurperiode DocType: Shift Type,Process Attendance After,Procesbezoek na ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Onbetaald verlof DocType: Payment Request,Outward,naar buiten -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Capacity Planning Fout apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Staat / UT belasting ,Trial Balance for Party,Trial Balance voor Party ,Gross and Net Profit Report,Bruto- en nettowinstrapport @@ -2042,7 +2069,6 @@ DocType: Payroll Entry,Employee Details,Medewerker Details 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} -DocType: Setup Progress Action,Domains,Domeinen 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} @@ -2085,7 +2111,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Totale oud 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.","Betaling Mode is niet geconfigureerd. Controleer, of rekening is ingesteld op de wijze van betalingen of op POS Profile." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Hetzelfde item kan niet meerdere keren worden ingevoerd. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Verdere accounts kan worden gemaakt onder groepen, maar items kunnen worden gemaakt tegen niet-Groepen" -DocType: Email Campaign,Lead,Lead +DocType: Call Log,Lead,Lead DocType: Email Digest,Payables,Schulden DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,E-mailcampagne voor @@ -2097,6 +2123,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Inkooporder Artikelen nog te factureren 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 DocType: Purchase Invoice Item,Net Rate,Net Rate apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Selecteer een klant alsjeblieft DocType: Leave Policy,Leave Allocations,Verlof toewijzingen @@ -2110,6 +2137,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Sluiten Probleem Na Days ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,U moet een gebruiker zijn met de functies System Manager en Item Manager om gebruikers toe te voegen aan Marketplace. +DocType: Attendance,Early Exit,Vroege exit DocType: Job Opening,Staffing Plan,Personeelsplan apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON kan alleen worden gegenereerd op basis van een ingediend document apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Werknemersbelasting en voordelen @@ -2132,6 +2160,7 @@ DocType: Maintenance Team Member,Maintenance Role,Onderhoudsrol apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dubbele rij {0} met dezelfde {1} DocType: Marketplace Settings,Disable Marketplace,Schakel Marketplace uit DocType: Quality Meeting,Minutes,Notulen +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Uw aanbevolen items ,Trial Balance,Proefbalans apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Show voltooid apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Boekjaar {0} niet gevonden @@ -2141,8 +2170,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Hotelreservering Gebruike 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 DocType: Contract,Fulfilment Deadline,Uiterste nalevingstermijn +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Dichtbij jou DocType: Student,O-,O- -DocType: Shift Type,Consequence,Gevolg DocType: Subscription Settings,Subscription Settings,Abonnementsinstellingen DocType: Purchase Invoice,Update Auto Repeat Reference,Update automatische herhaalreferentie apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Optionele vakantielijst niet ingesteld voor verlofperiode {0} @@ -2153,7 +2182,6 @@ DocType: Maintenance Visit Purpose,Work Done,Afgerond Werk apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Gelieve ten minste één attribuut in de tabel attributen opgeven DocType: Announcement,All Students,Alle studenten apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Item {0} moet een niet-voorraad artikel zijn -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankdeatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Bekijk Grootboek DocType: Grading Scale,Intervals,intervallen DocType: Bank Statement Transaction Entry,Reconciled Transactions,Verzoeningstransacties @@ -2189,6 +2217,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Opportuniteit artikel DocType: Quality Action,Quality Review,Kwaliteitsbeoordeling @@ -2215,7 +2244,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Get openstaande facturen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Verkooporder {0} is niet geldig +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Inkooporders helpen bij het plannen en opvolgen van uw aankopen apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab Test Prescriptions @@ -2240,6 +2269,7 @@ DocType: Employee Onboarding,Notify users by email,Gebruikers op de hoogte stell DocType: Travel Request,International,Internationale DocType: Training Event,Training Event,training Event DocType: Item,Auto re-order,Auto re-order +DocType: Attendance,Late Entry,Late toegang apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Totaal Bereikt DocType: Employee,Place of Issue,Plaats van uitgifte DocType: Promotional Scheme,Promotional Scheme Price Discount,Promotieschema Prijskorting @@ -2286,6 +2316,7 @@ DocType: Serial No,Serial No Details,Serienummer Details DocType: Purchase Invoice Item,Item Tax Rate,Artikel BTW-tarief apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Van partijnaam apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Netto salarisbedrag +DocType: Pick List,Delivery against Sales Order,Levering tegen verkooporder DocType: Student Group Student,Group Roll Number,Groepsrolnummer DocType: Student Group Student,Group Roll Number,Groepsrolnummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Voor {0}, kan alleen credit accounts worden gekoppeld tegen een andere debetboeking" @@ -2358,7 +2389,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Deze waarde wordt gebruikt voor pro-rata temporisberekening apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,U moet Winkelwagen activeren. DocType: Payment Entry,Writeoff,Afschrijven DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2372,6 +2402,7 @@ DocType: Delivery Trip,Total Estimated Distance,Totale geschatte afstand DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Accounts te ontvangen onbetaalde account DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Mag geen boekhoudingsdimensie maken voor {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Update uw status voor dit trainingsevenement DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Toevoegen of aftrekken @@ -2381,7 +2412,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Inactieve verkoopartikelen DocType: Quality Review,Additional Information,Extra informatie apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Totale orderwaarde -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Service Level Agreement Reset. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Voeding apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Vergrijzing Range 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-sluitingsbondetails @@ -2428,6 +2458,7 @@ 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 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 ' DocType: Healthcare Practitioner,Contacts and Address,Contacten en adres DocType: Shift Type,Determine Check-in and Check-out,Bepaal het in- en uitchecken @@ -2447,7 +2478,6 @@ DocType: Student Admission,Eligibility and Details,Geschiktheid en details apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Opgenomen in brutowinst apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Netto wijziging in vaste activa apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Gewenste hoeveelheid -DocType: Company,Client Code,Klantcode apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge van het type ' Actual ' in rij {0} kan niet worden opgenomen in Item Rate apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Van Datetime @@ -2516,6 +2546,7 @@ DocType: Journal Entry Account,Account Balance,Rekeningbalans apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: een klant is vereist voor Te Ontvangen rekening {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totaal belastingen en toeslagen (Bedrijfsvaluta) DocType: Weather,Weather Parameter,Weerparameter @@ -2578,6 +2609,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Werkuren drempel voor afw apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Er kan een meerlaagse verzamelfactor zijn op basis van het totaal uitgegeven. Maar de conversiefactor voor inlossing zal altijd hetzelfde zijn voor alle niveaus. apps/erpnext/erpnext/config/help.py,Item Variants,Item Varianten apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Services +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,E-mail loonstrook te Employee DocType: Cost Center,Parent Cost Center,Bovenliggende kostenplaats @@ -2588,7 +2620,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","S DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Verzendingsnota's importeren vanuit Shopify bij verzending apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Toon gesloten DocType: Issue Priority,Issue Priority,Prioriteit uitgeven -DocType: Leave Type,Is Leave Without Pay,Is onbetaald verlof +DocType: Leave Ledger Entry,Is Leave Without Pay,Is onbetaald verlof apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset Categorie is verplicht voor post der vaste activa DocType: Fee Validity,Fee Validity,Geldigheidsgeldigheid @@ -2637,6 +2669,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Verkrijgbaar Aantal apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Bijwerken Print Format DocType: Bank Account,Is Company Account,Is bedrijfsaccount apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Verloftype {0} is niet ingesloten +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Kredietlimiet is al gedefinieerd voor het bedrijf {0} DocType: Landed Cost Voucher,Landed Cost Help,Vrachtkosten Help DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Selecteer Verzendadres @@ -2661,6 +2694,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Tweezijdig DocType: Item,Manufacturers,fabrikanten @@ -2698,7 +2732,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Bank Aflettering Statement DocType: Patient Encounter,Medical Coding,Medische codering DocType: Healthcare Settings,Reminder Message,Herinnering Bericht -,Lead Name,Lead Naam +DocType: Call Log,Lead Name,Lead Naam ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,prospectie @@ -2730,12 +2764,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Leverancier Magazijn DocType: Opportunity,Contact Mobile No,Contact Mobiele nummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Selecteer Bedrijf ,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: 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 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.,Gebruiker {0} heeft geen standaard POS-profiel. Schakel Standaard in rij {1} voor deze gebruiker in. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kwaliteitsvergaderingsnotulen +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverancier> Type leverancier apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Employee Referral DocType: Student Group,Set 0 for no limit,Stel 0 voor geen limiet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,De dag (en) waarop je solliciteert verlof zijn vakantie. U hoeft niet voor verlof. @@ -2769,12 +2805,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Netto wijziging in cash DocType: Assessment Plan,Grading Scale,Grading Scale apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Eenheid {0} is meer dan eens ingevoerd in Conversie Factor Tabel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Reeds voltooid apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Voorraad in de hand apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Voeg alsjeblieft de resterende voordelen {0} toe aan de toepassing als \ pro-rata component apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Stel de fiscale code in voor de% s van de overheid -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Betalingsverzoek bestaat al {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Kosten van Items Afgegeven DocType: Healthcare Practitioner,Hospital,Ziekenhuis apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Hoeveelheid mag niet meer zijn dan {0} @@ -2819,6 +2853,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Human Resources apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Bovenste Inkomen DocType: Item Manufacturer,Item Manufacturer,Item Manufacturer +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Maak een nieuwe lead DocType: BOM Operation,Batch Size,Seriegrootte apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,afwijzen DocType: Journal Entry Account,Debit in Company Currency,Debet in Company Valuta @@ -2839,9 +2874,11 @@ DocType: Bank Transaction,Reconciled,verzoend DocType: Expense Claim,Total Amount Reimbursed,Totaal bedrag terug! apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Dit is gebaseerd op stammen tegen dit voertuig. Zie tijdlijn hieronder voor meer informatie apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,De salarisdatum kan niet minder zijn dan de toetredingsdatum van de werknemer +DocType: Pick List,Item Locations,Artikellocaties apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} aangemaakt apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Taakopeningen voor aanduiding {0} reeds geopend \ of verhuren voltooid volgens Staffing Plan {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,U kunt maximaal 200 items publiceren. DocType: Vital Signs,Constipated,Verstopt apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Tegen Leverancier Factuur {0} gedateerd {1} DocType: Customer,Default Price List,Standaard Prijslijst @@ -2935,6 +2972,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Shift werkelijke start DocType: Tally Migration,Is Day Book Data Imported,Worden dagboekgegevens geïmporteerd apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Marketingkosten +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} eenheden van {1} is niet beschikbaar. ,Item Shortage Report,Artikel Tekort Rapport 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 @@ -2958,6 +2996,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 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 DocType: Material Request,Transferred,overgedragen DocType: Vehicle,Doors,deuren @@ -3038,7 +3077,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Artikelcode van Klant DocType: Stock Reconciliation,Stock Reconciliation,Voorraad Aflettering DocType: Territory,Territory Name,Regio Naam DocType: Email Digest,Purchase Orders to Receive,Inkooporders om te ontvangen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Werk in uitvoering Magazijn is vereist alvorens in te dienen +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Werk in uitvoering Magazijn is vereist alvorens in te dienen apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,U kunt alleen abonnementen met dezelfde betalingscyclus in een abonnement hebben DocType: Bank Statement Transaction Settings Item,Mapped Data,Toegewezen gegevens DocType: Purchase Order Item,Warehouse and Reference,Magazijn en Referentie @@ -3114,6 +3153,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Bezorginstellingen apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Gegevens ophalen apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maximaal verlof toegestaan in het verloftype {0} is {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publiceer 1 item DocType: SMS Center,Create Receiver List,Maak Ontvanger Lijst DocType: Student Applicant,LMS Only,Alleen LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Beschikbaar voor gebruik De datum moet na de aankoopdatum zijn @@ -3147,6 +3187,7 @@ 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 DocType: Vital Signs,Furry,Furry apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Stel 'winst / verliesrekening op de verkoop van activa in Company {0} +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} @@ -3158,6 +3199,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Bekijk alle problemen van {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kwaliteit vergadertafel +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/templates/pages/help.html,Visit the forums,Bezoek de forums DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Heeft Varianten @@ -3169,9 +3211,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Naam van de verde DocType: Quality Procedure Process,Quality Procedure Process,Kwaliteitsproces-proces apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch ID is verplicht apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch ID is verplicht +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Selecteer eerst Klant DocType: Sales Person,Parent Sales Person,Parent Sales Person apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Er zijn geen items die moeten worden ontvangen te laat apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,De verkoper en de koper kunnen niet hetzelfde zijn +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Nog geen meningen DocType: Project,Collect Progress,Verzamel vooruitgang DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Selecteer eerst het programma @@ -3193,11 +3237,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Bereikt DocType: Student Admission,Application Form Route,Aanvraagformulier Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Einddatum van overeenkomst kan niet minder zijn dan vandaag. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter om in te dienen DocType: Healthcare Settings,Patient Encounters in valid days,Patiënt ontmoetingen in geldige dagen apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Laat Type {0} kan niet worden toegewezen omdat het te verlaten zonder te betalen 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},Rij {0}: Toegewezen bedrag {1} moet kleiner zijn dan of gelijk aan openstaande bedrag te factureren {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In Woorden zijn zichtbaar zodra u de Verkoopfactuur opslaat. DocType: Lead,Follow Up,Opvolgen +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Kostenplaats: {0} bestaat niet DocType: Item,Is Sales Item,Is verkoopartikel apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Artikel groepstructuur apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Artikel {0} is niet ingesteld voor serienummers. Controleer Artikelstam @@ -3242,9 +3288,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Meegeleverde Aantal DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Materiaal Aanvraag Artikel -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Annuleer eerst Purchase Receipt {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Boom van Artikelgroepen . DocType: Production Plan,Total Produced Qty,Totaal geproduceerd aantal +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Nog geen beoordelingen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Kan niet verwijzen rij getal groter dan of gelijk aan de huidige rijnummer voor dit type Charge DocType: Asset,Sold,uitverkocht ,Item-wise Purchase History,Artikelgebaseerde Inkoop Geschiedenis @@ -3263,7 +3309,7 @@ DocType: Designation,Required Skills,Benodigde vaardigheden DocType: Inpatient Record,O Positive,O Positief apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investeringen DocType: Issue,Resolution Details,Oplossing Details -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Transactie Type +DocType: Leave Ledger Entry,Transaction Type,Transactie Type DocType: Item Quality Inspection Parameter,Acceptance Criteria,Acceptatiecriteria apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Vul Materiaal Verzoeken in de bovenstaande tabel apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Geen terugbetalingen beschikbaar voor journaalboeking @@ -3304,6 +3350,7 @@ DocType: Bank Account,Bank Account No,Bankrekening nummer DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Vrijstelling van werknemersbelasting Bewijsverzending DocType: Patient,Surgical History,Chirurgische Geschiedenis DocType: Bank Statement Settings Item,Mapped Header,Toegewezen koptekst +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: 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. 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} @@ -3372,7 +3419,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Voeg briefhoofd toe DocType: Program Enrollment,Self-Driving Vehicle,Zelfrijdend voertuig 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totaal toegewezen bladeren {0} kan niet lager zijn dan die reeds zijn goedgekeurd bladeren {1} voor de periode DocType: Contract Fulfilment Checklist,Requirement,eis DocType: Journal Entry,Accounts Receivable,Debiteuren DocType: Quality Goal,Objectives,Doelen @@ -3395,7 +3441,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Drempel voor enkele t DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Deze waarde is bijgewerkt in de standaard verkoopprijslijst. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Uw winkelwagen is leeg DocType: Email Digest,New Expenses,nieuwe Uitgaven -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC Bedrag apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Kan route niet optimaliseren omdat het adres van de bestuurder ontbreekt. DocType: Shareholder,Shareholder,Aandeelhouder DocType: Purchase Invoice,Additional Discount Amount,Extra korting Bedrag @@ -3432,6 +3477,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Onderhoudstaak apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Stel B2C-limiet in GST-instellingen in. DocType: Marketplace Settings,Marketplace Settings,Marketplace-instellingen DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magazijn waar u voorraad bijhoudt van afgewezen artikelen +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Publiceer {0} items 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,Kan wisselkoers voor {0} tot {1} niet vinden voor de sleuteldatum {2}. Creëer alsjeblieft een valuta-wisselrecord DocType: POS Profile,Price List,Prijslijst 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 . @@ -3468,6 +3514,7 @@ DocType: Salary Component,Deduction,Aftrek DocType: Item,Retain Sample,Bewaar monster apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Rij {0}: Van tijd en binnen Tijd is verplicht. DocType: Stock Reconciliation Item,Amount Difference,bedrag Verschil +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Deze pagina houdt bij welke artikelen u van verkopers wilt kopen. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Item Prijs toegevoegd {0} in de prijslijst {1} DocType: Delivery Stop,Order Information,order informatie apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Vul Employee Id van deze verkoper @@ -3496,6 +3543,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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**. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Beoordeling plannaam apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Doelgegevens apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Van toepassing als het bedrijf SpA, SApA of SRL is" @@ -3548,7 +3596,6 @@ DocType: Company,Transactions Annual History,Transacties Jaaroverzicht 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Boven 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 @@ -3601,6 +3648,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Jaarwinst 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 @@ -3655,12 +3703,10 @@ DocType: Supplier Scorecard,Scoring Setup,Scoring instellen apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,elektronica 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Geen GST-nummer gevonden voor het bedrijf. 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 DocType: Question,Single Correct Answer,Enkel correct antwoord -DocType: Employee,Contact Details,Contactgegevens DocType: C-Form,Received Date,Ontvangstdatum DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Als u een standaard template in Sales en -heffingen Template hebt gemaakt, selecteert u een en klik op de knop hieronder." DocType: BOM Scrap Item,Basic Amount (Company Currency),Basisbedrag (Company Munt) @@ -3690,12 +3736,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,Leverancierscore apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Plan toegang +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Het totale bedrag van het betalingsverzoek mag niet groter zijn dan {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Cumulatieve transactiedrempel DocType: Promotional Scheme Price Discount,Discount Type,Kortingstype -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Totale gefactureerde Amt DocType: Purchase Invoice Item,Is Free Item,Is gratis item +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Percentage dat u meer mag overbrengen tegen de bestelde hoeveelheid. Bijvoorbeeld: als u 100 eenheden heeft besteld. en uw toelage is 10%, dan mag u 110 eenheden overdragen." DocType: Supplier,Warn RFQs,Waarschuw RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,onderzoeken +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,onderzoeken DocType: BOM,Conversion Rate,Conversion Rate apps/erpnext/erpnext/www/all-products/index.html,Product Search,product zoeken ,Bank Remittance,Bankoverschrijving @@ -3707,6 +3754,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Totaal betaald bedrag DocType: Asset,Insurance End Date,Verzekering Einddatum apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Selecteer een studententoelating die verplicht is voor de betaalde student-aanvrager +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Budgetlijst DocType: Campaign,Campaign Schedules,Campagneschema's DocType: Job Card Time Log,Completed Qty,Voltooid aantal @@ -3729,6 +3777,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Nieuw adr DocType: Quality Inspection,Sample Size,Monster grootte apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Vul Ontvangst Document apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Alle items zijn reeds gefactureerde +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Bladeren genomen apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Geef een geldig 'Van Zaaknummer' 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,"Verdere kostenplaatsen kan in groepen worden gemaakt, maar items kunnen worden gemaakt tegen niet-Groepen" 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,Totaal toegewezen bladeren zijn meer dagen dan de maximale toewijzing van {0} verloftype voor werknemer {1} in de periode @@ -3829,6 +3878,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Inclusief a 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 DocType: Leave Block List,Allow Users,Gebruikers toestaan 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: 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. @@ -3882,6 +3933,7 @@ DocType: Support Search Source,Result Title Field,Resultaat Titelveld apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Oproep samenvatting DocType: Sample Collection,Collected Time,Verzamelde tijd DocType: Employee Skill Map,Employee Skills,Vaardigheden van werknemers +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Brandstofkosten DocType: Company,Sales Monthly History,Verkoop Maandelijkse Geschiedenis apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Stel ten minste één rij in de tabel Belastingen en kosten in DocType: Asset Maintenance Task,Next Due Date,volgende vervaldatum @@ -3891,6 +3943,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Vital Sig DocType: Payment Entry,Payment Deductions or Loss,Betaling Aftrek of verlies DocType: Soil Analysis,Soil Analysis Criterias,Bodemanalyse Criterias apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standaard contractvoorwaarden voor Verkoop of Inkoop . +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Rijen verwijderd in {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Begin met inchecken voor de starttijd van de dienst (in minuten) DocType: BOM Item,Item operation,Item bewerking apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Groep volgens Voucher @@ -3916,11 +3969,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Loonstrook van de werknemer {0} al gemaakt voor deze periode apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmaceutisch apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,U kunt verlofcasus alleen indienen voor een geldig incassotaalbedrag +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Items door apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kosten van gekochte artikelen DocType: Employee Separation,Employee Separation Template,Werknemersscheidingssjabloon DocType: Selling Settings,Sales Order Required,Verkooporder Vereist apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Word een verkoper -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Het aantal gebeurtenissen waarna het gevolg wordt uitgevoerd. ,Procurement Tracker,Procurement Tracker DocType: Purchase Invoice,Credit To,Met dank aan apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC omgekeerd @@ -3933,6 +3986,7 @@ DocType: Quality Meeting,Agenda,Agenda DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Onderhoudsschema Detail DocType: Supplier Scorecard,Warn for new Purchase Orders,Waarschuw voor nieuwe inkooporders DocType: Quality Inspection Reading,Reading 9,Meting 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Verbind uw Exotel-account met ERPNext en houd oproeplogboeken bij DocType: Supplier,Is Frozen,Is Bevroren DocType: Tally Migration,Processed Files,Verwerkte bestanden apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Groep knooppunt magazijn is niet toegestaan om te kiezen voor transacties @@ -3942,6 +3996,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Stuklijst nr voor e DocType: Upload Attendance,Attendance To Date,Aanwezigheid graag: 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 @@ -3966,7 +4021,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,aanvrager apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Ongeldige referentie {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regels voor het toepassen van verschillende promotieregelingen. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan niet groter zijn dan geplande hoeveelheid ({2}) in productieorders {3} DocType: Shipping Rule,Shipping Rule Label,Verzendregel Label DocType: Journal Entry Account,Payroll Entry,Payroll Entry apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Bekijk tarieven Records @@ -3978,6 +4032,7 @@ DocType: Contract,Fulfilment Status,Fulfillment-status DocType: Lab Test Sample,Lab Test Sample,Lab Test Sample DocType: Item Variant Settings,Allow Rename Attribute Value,Toestaan Rename attribuutwaarde toestaan apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Quick Journal Entry +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Toekomstig betalingsbedrag apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,U kunt het tarief niet veranderen als een artikel Stuklijst-gerelateerd is. DocType: Restaurant,Invoice Series Prefix,Prefix voor factuurreeks DocType: Employee,Previous Work Experience,Vorige Werkervaring @@ -4007,6 +4062,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Project Status DocType: UOM,Check this to disallow fractions. (for Nos),Aanvinken om delingen te verbieden. DocType: Student Admission Program,Naming Series (for Student Applicant),Naming Series (voor Student Aanvrager) +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/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 @@ -4022,6 +4078,7 @@ DocType: Fiscal Year,Year End Date,Jaar Einddatum DocType: Task Depends On,Task Depends On,Taak Hangt On apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Opportunity DocType: Options,Option,Keuze +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},U kunt geen boekhoudingen maken in de gesloten boekhoudperiode {0} DocType: Operation,Default Workstation,Standaard Werkstation DocType: Payment Entry,Deductions or Loss,Aftrek of verlies apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} is gesloten @@ -4030,6 +4087,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Get Huidige voorraad DocType: Purchase Invoice,ineligible,niet in aanmerking komen apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Boom van de Bill of Materials +DocType: BOM,Exploded Items,Geëxplodeerde items DocType: Student,Joining Date,Datum indiensttreding ,Employees working on a holiday,Werknemers die op vakantie ,TDS Computation Summary,Samenvatting van de TDS-berekening @@ -4062,6 +4120,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basistarief (per eenhe DocType: SMS Log,No of Requested SMS,Aantal gevraagde SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Onbetaald verlof komt niet overeen met de goedgekeurde verlofaanvraag verslagen apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Volgende stappen +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Opgeslagen items DocType: Travel Request,Domestic,Huiselijk apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Gelieve de opgegeven items aan de best mogelijke prijzen apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Overdracht van werknemers kan niet vóór overdrachtsdatum worden ingediend @@ -4135,7 +4194,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Asset Categorie Account apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,De waarde {0} is al toegewezen aan een bestaand item {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Rij # {0} (betalingstabel): bedrag moet positief zijn -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Kan niet meer produceren van Artikel {0} dan de Verkooporder hoeveelheid {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Kan niet meer produceren van Artikel {0} dan de Verkooporder hoeveelheid {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Niets is bruto inbegrepen apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill bestaat al voor dit document apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Selecteer kenmerkwaarden @@ -4170,12 +4229,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Verschillende consequenties inschakelen voor vroegtijdig verlaten ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Employee Benefit Application apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Extra salariscomponent bestaat. DocType: Purchase Invoice,Unregistered,niet ingeschreven -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Gelieve Afleveringsbon eerste DocType: Student Applicant,Application Date,Application Date DocType: Salary Component,Amount based on formula,Bedrag op basis van de formule DocType: Purchase Invoice,Currency and Price List,Valuta en Prijslijst @@ -4204,6 +4261,7 @@ DocType: Purchase Receipt,Time at which materials were received,Tijdstip waarop DocType: Products Settings,Products per Page,Producten per pagina 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Toegewezen bedrag kan niet negatief zijn DocType: Sales Order,Billing Status,Factuurstatus apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Issue melden? @@ -4213,6 +4271,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-Boven 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,Rij # {0}: Journal Entry {1} heeft geen account {2} of al vergeleken met een ander voucher DocType: Supplier Scorecard Criteria,Criteria Weight,Criteria Gewicht +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Account: {0} is niet toegestaan onder Betaling invoeren DocType: Production Plan,Ignore Existing Projected Quantity,Negeer bestaande geprojecteerde hoeveelheid apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Laat goedkeuringskennisgeving achter DocType: Buying Settings,Default Buying Price List,Standaard Inkoop Prijslijst @@ -4221,6 +4280,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,Betaling Type apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Selecteer een partij voor item {0}. Kan geen enkele batch vinden die aan deze eis voldoet @@ -4249,6 +4309,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Winkelwagen Instellingen DocType: Journal Entry,Accounting Entries,Boekingen 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'." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Stel het naamsysteem voor instructeurs in Onderwijs> Onderwijsinstellingen in DocType: Journal Entry,Paid Loan,Betaalde lening 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 @@ -4265,12 +4326,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks details apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Geen tijd sheets DocType: GoCardless Mandate,GoCardless Customer,GoCardless klant apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Verlaat Type {0} kan niet worden doorgestuurd dragen- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgroep> Merk apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Onderhoudsschema wordt niet gegenereerd voor alle items . Klik op ' Generate Schedule' ,To Produce,Produceren DocType: Leave Encashment,Payroll,Loonlijst 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","Voor rij {0} in {1}. Om {2} onder in punt tarief, rijen {3} moet ook opgenomen worden" DocType: Healthcare Service Unit,Parent Service Unit,Parent Service Unit DocType: Packing Slip,Identification of the package for the delivery (for print),Identificatie van het pakket voor de levering (voor afdrukken) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Service Level Agreement is opnieuw ingesteld. DocType: Bin,Reserved Quantity,Gereserveerde Hoeveelheid apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Vul alstublieft een geldig e-mailadres in apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Vul alstublieft een geldig e-mailadres in @@ -4292,7 +4355,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Prijs of productkorting apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Voor rij {0}: Voer het geplande aantal in DocType: Account,Income Account,Inkomstenrekening -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klant> Klantengroep> Gebied DocType: Payment Request,Amount in customer's currency,Bedrag in de valuta van de klant apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Levering apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Structuren toewijzen ... @@ -4315,6 +4377,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,U verliest records van eerder gegenereerde facturen. Weet je zeker dat je dit abonnement opnieuw wilt opstarten? @@ -4370,11 +4433,10 @@ DocType: Additional Salary,HR User,HR Gebruiker DocType: Bank Guarantee,Reference Document Name,Referentiedocumentnaam DocType: Purchase Invoice,Taxes and Charges Deducted,Belastingen en Toeslagen Afgetrokken DocType: Support Settings,Issues,Kwesties -DocType: Shift Type,Early Exit Consequence after,Vervroegde uittreding Gevolg na DocType: Loyalty Program,Loyalty Program Name,Naam loyaliteitsprogramma apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Status moet één zijn van {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Herinnering om GSTIN verzonden te updaten -DocType: Sales Invoice,Debit To,Debitering van +DocType: Discounted Invoice,Debit To,Debitering van DocType: Restaurant Menu Item,Restaurant Menu Item,Restaurant Menu-item DocType: Delivery Note,Required only for sample item.,Alleen benodigd voor Artikelmonster. DocType: Stock Ledger Entry,Actual Qty After Transaction,Werkelijke Aantal Na Transactie @@ -4457,6 +4519,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Parameter Naam apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Alleen verlofaanvragen met de status 'Goedgekeurd' en 'Afgewezen' kunnen worden ingediend apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Dimensies maken ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Student groepsnaam is verplicht in de rij {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Bypass credit limit_check DocType: Homepage,Products to be shown on website homepage,Producten die worden getoond op de website homepage DocType: HR Settings,Password Policy,Wachtwoord beleid apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Dit is een basis klantgroep en kan niet worden bewerkt . @@ -4516,10 +4579,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Als apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Stel de standaardklant in in restaurantinstellingen ,Salary Register,salaris Register DocType: Company,Default warehouse for Sales Return,Standaard magazijn voor verkoopretour -DocType: Warehouse,Parent Warehouse,Parent Warehouse +DocType: Pick List,Parent Warehouse,Parent Warehouse DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definieer verschillende soorten lening DocType: Bin,FCFS Rate,FCFS Rate @@ -4556,6 +4619,7 @@ DocType: Travel Itinerary,Lodging Required,Onderdak vereist DocType: Promotional Scheme,Price Discount Slabs,Prijs korting platen DocType: Stock Reconciliation Item,Current Serial No,Huidig serienummer DocType: Employee,Attendance and Leave Details,Aanwezigheids- en verlofdetails +,BOM Comparison Tool,BOM-vergelijkingstool ,Requested,Aangevraagd apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Geen Opmerkingen DocType: Asset,In Maintenance,In onderhoud @@ -4578,6 +4642,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Standaard Service Level Agreement DocType: SG Creation Tool Course,Course Code,cursus Code apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Meer dan één selectie voor {0} niet toegestaan +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Het aantal grondstoffen wordt bepaald op basis van het aantal van het gereed product DocType: Location,Parent Location,Bovenliggende locatie DocType: POS Settings,Use POS in Offline Mode,Gebruik POS in de offline modus apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prioriteit is gewijzigd in {0}. @@ -4596,7 +4661,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Sample Retention Warehouse DocType: Company,Default Receivable Account,Standaard Vordering Account apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Voorgestelde hoeveelheidformule DocType: Sales Invoice,Deemed Export,Geachte export -DocType: Stock Entry,Material Transfer for Manufacture,Materiaal Verplaatsing voor Productie +DocType: Pick List,Material Transfer for Manufacture,Materiaal Verplaatsing voor Productie 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.,Kortingspercentage kan worden toegepast tegen een prijslijst of voor alle prijslijsten. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Boekingen voor Voorraad DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4639,7 +4704,6 @@ DocType: Training Event,Theory,Theorie apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Waarschuwing: Materiaal Aanvraag Aantal is minder dan Minimum Bestelhoeveelheid apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Rekening {0} is bevroren DocType: Quiz Question,Quiz Question,Quizvraag -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverancier> Type leverancier 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" @@ -4670,6 +4734,7 @@ 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 DocType: Account,Expense Account,Kostenrekening apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,software apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Kleur @@ -4708,6 +4773,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Beheer Verkoop Par 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 DocType: Fee Validity,Visited yet,Nog bezocht +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,U kunt maximaal 8 items gebruiken. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Warehouses met bestaande transactie kan niet worden geconverteerd naar groep. 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. @@ -4715,7 +4781,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Uitgeklapte Artikelen 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 @@ -4740,7 +4805,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM-conversie in u DocType: Contract,Signee Details,Onderteken Details apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} heeft momenteel een {1} leverancierscorekaart, en RFQs aan deze leverancier moeten met voorzichtigheid worden uitgegeven." DocType: Certified Consultant,Non Profit Manager,Non-profit manager -DocType: BOM,Total Cost(Company Currency),Total Cost (Company Munt) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serienummer {0} aangemaakt DocType: Homepage,Company Description for website homepage,Omschrijving bedrijf voor website homepage DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Voor het gemak van de klanten, kunnen deze codes worden gebruikt in gedrukte formaten zoals facturen en de leveringsbonnen" @@ -4769,7 +4833,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Ontvangst DocType: Amazon MWS Settings,Enable Scheduled Synch,Schakel geplande synchronisatie in apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Om Datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Logs voor het behoud van sms afleverstatus -DocType: Shift Type,Early Exit Consequence,Gevolgen voor vervroegde uittreding DocType: Accounts Settings,Make Payment via Journal Entry,Betalen via Journal Entry apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Maak niet meer dan 500 items tegelijk apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Gedrukt op @@ -4826,6 +4889,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Crossed 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,datum van oprichting apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Een wetenschappelijke term met deze 'Academisch Jaar' {0} en 'Term Name' {1} bestaat al. Wijzig deze ingangen en probeer het opnieuw. @@ -4888,6 +4952,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,klant type DocType: Compensatory Leave Request,Leave Allocation,Verlof Toewijzing DocType: Payment Request,Recipient Message And Payment Details,Ontvanger Bericht en betalingsgegevens +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Selecteer een afleveringsbewijs DocType: Support Search Source,Source DocType,Bron DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Open een nieuw ticket DocType: Training Event,Trainer Email,trainer Email @@ -5009,6 +5074,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Van Datum' moet na 'Tot Datum' zijn apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Geen personeelsplanning gevonden voor deze aanwijzing apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} van item {1} is uitgeschakeld. @@ -5030,7 +5096,7 @@ DocType: Clinical Procedure,Patient,Patient apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Bypass credit check op klantorder DocType: Employee Onboarding Activity,Employee Onboarding Activity,Employee Onboarding Activity DocType: Location,Check if it is a hydroponic unit,Controleer of het een hydrocultuur is -DocType: Stock Reconciliation Item,Serial No and Batch,Serienummer en Batch +DocType: Pick List Item,Serial No and Batch,Serienummer en Batch DocType: Warranty Claim,From Company,Van Bedrijf DocType: GSTR 3B Report,January,januari- apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Som van de scores van de beoordelingscriteria moet {0} te zijn. @@ -5055,7 +5121,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Korting 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Geen {0} gevonden voor transacties tussen bedrijven. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Credit Om rekening moet een balansrekening zijn @@ -5088,11 +5153,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kostenplaats 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,resterende DocType: Appraisal,Appraisal,Beoordeling DocType: Loan,Loan Account,Lening account apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Geldige van en geldige tot-velden zijn verplicht voor de cumulatieve +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",Voor artikel {0} op rij {1} komt het aantal serienummers niet overeen met de gepickte hoeveelheid DocType: Purchase Invoice,GST Details,GST Details apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Dit is gebaseerd op transacties met deze zorgverlener. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-mail verzonden naar leverancier {0} @@ -5156,6 +5223,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Het bruto gewicht van het pakket. Meestal nettogewicht + verpakkingsmateriaal gewicht. (Voor afdrukken) DocType: Assessment Plan,Program,Programma DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts +DocType: Plaid Settings,Plaid Environment,Geruite omgeving ,Project Billing Summary,Projectfactuuroverzicht DocType: Vital Signs,Cuts,Cuts DocType: Serial No,Is Cancelled,Is Geannuleerd @@ -5218,7 +5286,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Opmerking : Het systeem controleert niet over- levering en overboeking voor post {0} als hoeveelheid of bedrag 0 DocType: Issue,Opening Date,Openingsdatum apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Sla de patiënt alstublieft eerst op -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Maak nieuw contact apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Aanwezigheid is met succes gemarkeerd. DocType: Program Enrollment,Public Transport,Openbaar vervoer DocType: Sales Invoice,GST Vehicle Type,GST voertuigtype @@ -5245,6 +5312,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Facturen va DocType: POS Profile,Write Off Account,Afschrijvingsrekening DocType: Patient Appointment,Get prescribed procedures,Krijg voorgeschreven procedures DocType: Sales Invoice,Redemption Account,Aflossingsrekening +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Voeg eerst items toe in de tabel Itemlocaties DocType: Pricing Rule,Discount Amount,Korting Bedrag DocType: Pricing Rule,Period Settings,Periode instellingen DocType: Purchase Invoice,Return Against Purchase Invoice,Terug Tegen Purchase Invoice @@ -5277,7 +5345,6 @@ DocType: Assessment Plan,Assessment Plan,assessment Plan DocType: Travel Request,Fully Sponsored,Volledig gesponsord apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Reverse Journal Entry apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Maak een opdrachtkaart -DocType: Shift Type,Consequence after,Gevolg na DocType: Quality Procedure Process,Process Description,Procesbeschrijving apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Klant {0} is gemaakt. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Momenteel is er geen voorraad beschikbaar in een magazijn @@ -5312,6 +5379,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Clearance Datum DocType: Delivery Settings,Dispatch Notification Template,Berichtensjabloon voor verzending apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Beoordelingsverslag apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Krijg medewerkers +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 @@ -5405,7 +5473,6 @@ DocType: Stock Settings,Use Naming Series,Gebruik Naming Series apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Geen actie apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Soort waardering kosten kunnen niet zo Inclusive gemarkeerd DocType: POS Profile,Update Stock,Voorraad bijwerken -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Verschillende eenheden voor artikelen zal leiden tot een onjuiste (Totaal) Netto gewicht. Zorg ervoor dat Netto gewicht van elk artikel in dezelfde eenheid is. DocType: Certification Application,Payment Details,Betalingsdetails apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Stuklijst tarief @@ -5441,7 +5508,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Dit is een basis verkoper en kan niet worden bewerkt . DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Als geselecteerd, draagt de waarde die is opgegeven of berekend in dit onderdeel niet bij tot de winst of aftrek. De waarde ervan kan echter worden verwezen door andere componenten die kunnen worden toegevoegd of afgetrokken." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Als geselecteerd, draagt de waarde die is opgegeven of berekend in dit onderdeel niet bij tot de winst of aftrek. De waarde ervan kan echter worden verwezen door andere componenten die kunnen worden toegevoegd of afgetrokken." -DocType: Asset Settings,Number of Days in Fiscal Year,Aantal dagen in fiscaal jaar ,Stock Ledger,Voorraad Dagboek DocType: Company,Exchange Gain / Loss Account,Exchange winst / verliesrekening DocType: Amazon MWS Settings,MWS Credentials,MWS-referenties @@ -5477,6 +5543,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Kolom in bankbestand apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Laat toepassing {0} al bestaan tegen de student {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,In afwachting van het bijwerken van de laatste prijs in alle Materialen. Het kan enkele minuten duren. +DocType: Pick List,Get Item Locations,Zoek itemlocaties apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,De naam van de nieuwe account. Let op: Gelieve niet goed voor klanten en leveranciers te creëren DocType: POS Profile,Display Items In Stock,Display-items op voorraad apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Landgebaseerde standaard adressjablonen @@ -5500,6 +5567,7 @@ DocType: Crop,Materials Required,Benodigde materialen apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Geen studenten gevonden DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Maandelijkse HRA-vrijstelling DocType: Clinical Procedure,Medical Department,Medische Afdeling +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Totaal vroege uitgangen DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Scorecard Scoringscriteria voor leveranciers apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Factuur Boekingsdatum apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Verkopen @@ -5511,11 +5579,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Verwijder de werknemer {0} \ om dit document te annuleren" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Uit AMC DocType: Opportunity,Opportunity Amount,Kansbedrag +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Jouw profiel apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Aantal afschrijvingen geboekt kan niet groter zijn dan het totale aantal van de afschrijvingen zijn DocType: Purchase Order,Order Confirmation Date,Bevestigingsdatum bestellen DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5609,7 +5676,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Er zijn inconsistenties tussen de koers, aantal aandelen en het berekende bedrag" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,U bent niet de hele dag (en) aanwezig tussen compenserende verlofdagen apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Gelieve re-type bedrijfsnaam te bevestigen -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Totale uitstaande Amt DocType: Journal Entry,Printing Settings,Instellingen afdrukken DocType: Payment Order,Payment Order Type,Type betalingsopdracht DocType: Employee Advance,Advance Account,Voorschot rekening @@ -5699,7 +5765,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Jaar Naam apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Er zijn meer vakanties dan werkdagen deze maand . apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,De volgende items {0} zijn niet gemarkeerd als {1} item. U kunt ze inschakelen als item {1} van de artikelstam -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Product Bundle Item DocType: Sales Partner,Sales Partner Name,Verkoop Partner Naam apps/erpnext/erpnext/hooks.py,Request for Quotations,Verzoek om Offertes @@ -5708,7 +5773,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,bladeren +DocType: Leave Ledger Entry,Leaves,bladeren DocType: Student Language,Student Language,student Taal DocType: Cash Flow Mapping,Is Working Capital,Is werkkapitaal apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Bewijs indienen @@ -5716,12 +5781,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Order / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Record Patient Vitals DocType: Fee Schedule,Institution,Instelling -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: Asset,Partially Depreciated,gedeeltelijk afgeschreven DocType: Issue,Opening Time,Opening Tijd apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Van en naar data vereist apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Securities & Commodity Exchanges -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Oproepsamenvatting van {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Google Documenten zoeken apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standaard maateenheid voor Variant '{0}' moet hetzelfde zijn als in zijn Template '{1}' DocType: Shipping Rule,Calculate Based On,Berekenen gebaseerd op @@ -5768,6 +5831,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maximaal toelaatbare waarde DocType: Journal Entry Account,Employee Advance,Medewerker Advance DocType: Payroll Entry,Payroll Frequency,payroll Frequency +DocType: Plaid Settings,Plaid Client ID,Plaid-klant-ID DocType: Lab Test Template,Sensitivity,Gevoeligheid DocType: Plaid Settings,Plaid Settings,Plaid-instellingen apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Synchronisatie is tijdelijk uitgeschakeld omdat de maximale pogingen zijn overschreden @@ -5785,6 +5849,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Selecteer Boekingsdatum eerste apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Openingsdatum moeten vóór Sluitingsdatum DocType: Travel Itinerary,Flight,Vlucht +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Terug naar huis DocType: Leave Control Panel,Carry Forward,Carry Forward apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Kostenplaats met bestaande transacties kan niet worden omgezet naar grootboek DocType: Budget,Applicable on booking actual expenses,Van toepassing op het boeken van werkelijke uitgaven @@ -5841,6 +5906,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Maak Offerte apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,U bent niet bevoegd om afwezigheid goed te keuren op Block Dates apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Verzoek om {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Al deze items zijn reeds gefactureerde +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Geen openstaande facturen gevonden voor {0} {1} die in aanmerking komen voor de door u opgegeven filters. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Stel nieuwe releasedatum in DocType: Company,Monthly Sales Target,Maandelijks verkooppunt apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Geen openstaande facturen gevonden @@ -5888,6 +5954,7 @@ DocType: Batch,Source Document Name,Bron Document Naam DocType: Batch,Source Document Name,Bron Document Naam DocType: Production Plan,Get Raw Materials For Production,Krijg grondstoffen voor productie DocType: Job Opening,Job Title,Functietitel +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Toekomstige betaling Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} geeft aan dat {1} geen offerte zal opgeven, maar alle items \ zijn geciteerd. De RFQ-citaatstatus bijwerken." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximale voorbeelden - {0} zijn al bewaard voor Batch {1} en Item {2} in Batch {3}. @@ -5898,12 +5965,10 @@ 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: Company,Product Code,Productcode DocType: Quality Review Table,Objective,Doelstelling DocType: Supplier Scorecard,Per Month,Per maand DocType: Education Settings,Make Academic Term Mandatory,Maak een academische termijn verplicht -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Hoeveelheid voor fabricage moet groter dan 0 zijn. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Bereken het pro rata van afschrijving op basis van het fiscale jaar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Hoeveelheid voor fabricage moet groter dan 0 zijn. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Bezoek rapport voor onderhoud gesprek. DocType: Stock Entry,Update Rate and Availability,Update snelheid en beschikbaarheid 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.,Percentage dat u meer mag ontvangen of leveren dan de bestelde hoeveelheid. Bijvoorbeeld: Als u 100 eenheden heeft besteld en uw bandbreedte is 10% dan mag u 110 eenheden ontvangen. @@ -5915,7 +5980,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Releasedatum moet in de toekomst liggen DocType: BOM,Website Description,Website Beschrijving apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Netto wijziging in het eigen vermogen -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Annuleer Purchase Invoice {0} eerste apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Niet toegestaan. Schakel het type service-eenheid uit apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-mailadres moet uniek zijn, bestaat al voor {0}" DocType: Serial No,AMC Expiry Date,AMC Vervaldatum @@ -5959,6 +6023,7 @@ DocType: Pricing Rule,Price Discount Scheme,Prijs kortingsregeling apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Onderhoudsstatus moet worden geannuleerd of voltooid om te verzenden DocType: Amazon MWS Settings,US,ONS DocType: Holiday List,Add Weekly Holidays,Wekelijkse feestdagen toevoegen +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Meld item DocType: Staffing Plan Detail,Vacancies,vacatures DocType: Hotel Room,Hotel Room,Hotelkamer apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Account {0} behoort niet tot bedrijf {1} @@ -6010,12 +6075,15 @@ DocType: Email Digest,Open Quotations,Open offertes 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Verwijder de werknemer {0} \ om dit document te annuleren" 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 @@ -6029,6 +6097,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Vrijgekomen DocType: Patient,Alcohol Past Use,Alcohol voorbij gebruik DocType: Fertilizer Content,Fertilizer Content,Kunstmestinhoud +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Geen beschrijving apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Billing State DocType: Quality Goal,Monitoring Frequency,Monitoring frequentie @@ -6046,6 +6115,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Eindigt op datum kan niet eerder zijn dan volgende contactdatum. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Batchvermeldingen DocType: Journal Entry,Pay To / Recd From,Betaal aan / Ontv van +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Publicatie ongedaan maken DocType: Naming Series,Setup Series,Instellen Reeksen DocType: Payment Reconciliation,To Invoice Date,Om factuurdatum DocType: Bank Account,Contact HTML,Contact HTML @@ -6067,6 +6137,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Retail DocType: Student Attendance,Absent,Afwezig DocType: Staffing Plan,Staffing Plan Detail,Personeelsplan Detail DocType: Employee Promotion,Promotion Date,Promotiedatum +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Verloftoewijzing% s is gekoppeld aan verlofaanvraag% s 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} @@ -6101,9 +6172,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Factuur {0} bestaat niet meer DocType: Guardian Interest,Guardian Interest,Guardian Interest DocType: Volunteer,Availability,Beschikbaarheid +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Verlofaanvraag is gekoppeld aan verloftoekenningen {0}. Verlofaanvraag kan niet worden ingesteld als verlof zonder betaling apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Stel standaardwaarden in voor POS-facturen DocType: Employee Training,Training,Opleiding DocType: Project,Time to send,Tijd om te verzenden +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Deze pagina houdt uw items bij waarin kopers enige interesse hebben getoond. DocType: Timesheet,Employee Detail,werknemer Detail apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Magazijn instellen voor procedure {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID @@ -6204,12 +6277,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,opening Value DocType: Salary Component,Formula,Formule apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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: 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/setup/doctype/company/company.py,Sales Account,Verkoopaccount DocType: Purchase Invoice Item,Total Weight,Totale gewicht +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}" @@ -6233,6 +6306,7 @@ DocType: Company,Default Employee Advance Account,Standaard Employee Advance Acc apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Zoek item (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Rekening met bestaande transactie kan niet worden verwijderd +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Waarom zou dit artikel moeten worden verwijderd? DocType: Vehicle,Last Carbon Check,Laatste Carbon controleren apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Juridische Kosten apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Selecteer alstublieft de hoeveelheid op rij @@ -6252,6 +6326,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Storing DocType: Travel Itinerary,Vegetarian,Vegetarisch DocType: Patient Encounter,Encounter Date,Encounter Date +DocType: Work Order,Update Consumed Material Cost In Project,Verbruikte materiaalkosten in project bijwerken apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Account: {0} met valuta: {1} kan niet worden geselecteerd DocType: Bank Statement Transaction Settings Item,Bank Data,Bankgegevens DocType: Purchase Receipt Item,Sample Quantity,Monsterhoeveelheid @@ -6306,7 +6381,7 @@ DocType: GSTR 3B Report,April,april DocType: Plant Analysis,Collection Datetime,Verzameling Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Totale exploitatiekosten -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Opmerking : Artikel {0} meerdere keren ingevoerd +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Opmerking : Artikel {0} meerdere keren ingevoerd apps/erpnext/erpnext/config/buying.py,All Contacts.,Alle contactpersonen. DocType: Accounting Period,Closed Documents,Gesloten documenten DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Afspraakfactuur beheren indienen en automatisch annuleren voor patiëntontmoeting @@ -6388,9 +6463,7 @@ DocType: Member,Membership Type,soort lidmaatschap ,Reqd By Date,Benodigd op datum apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Crediteuren DocType: Assessment Plan,Assessment Name,assessment Naam -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,PDC weergeven in Afdrukken apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Rij # {0}: Serienummer is verplicht -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Geen openstaande facturen gevonden voor {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Artikelgebaseerde BTW Details DocType: Employee Onboarding,Job Offer,Vacature apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Instituut Afkorting @@ -6450,6 +6523,7 @@ DocType: Serial No,Out of Warranty,Uit de garantie DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Toegepast gegevenstype DocType: BOM Update Tool,Replace,Vervang apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Geen producten gevonden. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Meer items publiceren apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Deze Service Level Agreement is specifiek voor klant {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} tegen verkoopfactuur {1} DocType: Antibiotic,Laboratory User,Laboratoriumgebruiker @@ -6472,7 +6546,6 @@ DocType: Payment Order Reference,Bank Account Details,Bankgegevens DocType: Purchase Order Item,Blanket Order,Dekenvolgorde 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Productieorder is {0} DocType: BOM Item,BOM No,Stuklijst nr. 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 @@ -6546,6 +6619,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Belastbare leveringen (nul) DocType: BOM,Materials Required (Exploded),Benodigde materialen (uitgeklapt) 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/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 @@ -6603,7 +6677,6 @@ DocType: Pricing Rule,Same Item,Zelfde item DocType: Stock Ledger Entry,Stock Ledger Entry,Voorraad Dagboek post DocType: Quality Action Resolution,Quality Action Resolution,Kwaliteit Actie Resolutie apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} op halve dag Verlof op {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Hetzelfde artikel is meerdere keren ingevoerd DocType: Department,Leave Block List,Verlof bloklijst DocType: Purchase Invoice,Tax ID,BTW-nummer apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Artikel {0} is niet ingesteld voor serienummers. Kolom moet leeg zijn @@ -6641,7 +6714,7 @@ 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 DocType: Purchase Invoice,Return,Terugkeer -DocType: Accounting Dimension,Disable,Uitschakelen +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 DocType: Task,Pending Review,In afwachting van Beoordeling apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Bewerken op de volledige pagina voor meer opties zoals activa, serienummers, batches etc." @@ -6753,7 +6826,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Gecombineerd factuurgedeelte moet 100% zijn DocType: Item Default,Default Expense Account,Standaard Kostenrekening DocType: GST Account,CGST Account,CGST-account -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Artikelcode> Artikelgroep> Merk apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student Email ID DocType: Employee,Notice (days),Kennisgeving ( dagen ) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS Closing Voucher Facturen @@ -6764,6 +6836,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Selecteer items om de factuur te slaan DocType: Employee,Encashment Date,Betalingsdatum DocType: Training Event,Internet,internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Verkopersinformatie DocType: Special Test Template,Special Test Template,Special Test Template DocType: Account,Stock Adjustment,Voorraad aanpassing apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Default Activiteit Kosten bestaat voor Activity Type - {0} @@ -6776,7 +6849,6 @@ 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 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 -DocType: Company,Bank Remittance Settings,Bankoverschrijvingsinstellingen apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gemiddelde score 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 @@ -6804,6 +6876,7 @@ DocType: Grading Scale Interval,Threshold,Drempel apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Werknemers filteren op (optioneel) DocType: BOM Update Tool,Current BOM,Huidige Stuklijst apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Evenwicht (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Aantal gereed product apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Voeg Serienummer toe DocType: Work Order Item,Available Qty at Source Warehouse,Beschikbaar Aantal bij Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Garantie @@ -6882,7 +6955,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Hier kunt u onderhouden lengte, gewicht, allergieën, medische zorgen, enz." apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Accounts maken ... DocType: Leave Block List,Applies to Company,Geldt voor Bedrijf -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Kan niet annuleren omdat ingediende Voorraad Invoer {0} bestaat +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Kan niet annuleren omdat ingediende Voorraad Invoer {0} bestaat DocType: Loan,Disbursement Date,uitbetaling Date DocType: Service Level Agreement,Agreement Details,Overeenkomst details apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,De startdatum van de overeenkomst kan niet groter zijn dan of gelijk zijn aan de einddatum. @@ -6891,6 +6964,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medisch dossier DocType: Vehicle,Vehicle,Voertuig DocType: Purchase Invoice,In Words,In Woorden +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Tot datum moet vóór datum zijn apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Voer de naam van de bank of uitleeninstelling in voordat u ze indient. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} moet worden ingediend DocType: POS Profile,Item Groups,Item Groepen @@ -6962,7 +7036,6 @@ DocType: Customer,Sales Team Details,Verkoop Team Details apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Permanent verwijderen? DocType: Expense Claim,Total Claimed Amount,Totaal gedeclareerd bedrag apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potentiële mogelijkheden voor verkoop. -DocType: Plaid Settings,Link a new bank account,Koppel een nieuwe bankrekening apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} is een ongeldige aanwezigheidsstatus. DocType: Shareholder,Folio no.,Folio nr. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ongeldige {0} @@ -6978,7 +7051,6 @@ DocType: Production Plan,Material Requested,Gevraagde materiaal DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Gereserveerde hoeveelheid voor subcontract DocType: Patient Service Unit,Patinet Service Unit,Patinet service-eenheid -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Genereer tekstbestand DocType: Sales Invoice,Base Change Amount (Company Currency),Base Change Bedrag (Company Munt) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Geen boekingen voor de volgende magazijnen apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Alleen {0} op voorraad voor artikel {1} @@ -6992,6 +7064,7 @@ DocType: Item,No of Months,No of Months DocType: Item,Max Discount (%),Max Korting (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Kredietdagen mogen geen negatief getal zijn apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Upload een verklaring +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Meld dit item DocType: Purchase Invoice Item,Service Stop Date,Dienststopdatum apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Laatste Orderbedrag DocType: Cash Flow Mapper,e.g Adjustments for:,bijv. aanpassingen voor: @@ -7085,16 +7158,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Categorie werknemersbelastingvrijstelling apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Bedrag mag niet minder dan nul zijn. DocType: Sales Invoice,C-Form Applicable,C-Form Toepasselijk -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Operatie tijd moet groter zijn dan 0 voor de operatie zijn {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Operatie tijd moet groter zijn dan 0 voor de operatie zijn {0} DocType: Support Search Source,Post Route String,Post Route String apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Magazijn is verplicht apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Kan website niet maken DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Eenheid Omrekeningsfactor Detail apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Toelating en inschrijving -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Retentie Stock Entry al gemaakt of Sample Quantity niet verstrekt +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Retentie Stock Entry al gemaakt of Sample Quantity niet verstrekt DocType: Program,Program Abbreviation,programma Afkorting -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Productie bestelling kan niet tegen een Item Template worden verhoogd apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Groeperen op tegoedbon (geconsolideerd) DocType: HR Settings,Encrypt Salary Slips in Emails,Versleutel loonstroken in e-mails DocType: Question,Multiple Correct Answer,Meervoudig correct antwoord @@ -7141,7 +7213,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Is nul beoordeeld of vri DocType: Employee,Educational Qualification,Educatieve Kwalificatie DocType: Workstation,Operating Costs,Bedrijfskosten apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Munt voor {0} moet {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Entry Grace Periode Gevolg DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Markeer aanwezigheid op basis van 'Medewerkers Checkin' voor werknemers die zijn toegewezen aan deze dienst. DocType: Asset,Disposal Date,verwijdering Date DocType: Service Level,Response and Resoution Time,Reactie- en resoutietijd @@ -7190,6 +7261,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Voltooiingsdatum DocType: Purchase Invoice Item,Amount (Company Currency),Bedrag (Company Munt) DocType: Program,Is Featured,Is uitgelicht +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Ophalen ... DocType: Agriculture Analysis Criteria,Agriculture User,Landbouw Gebruiker apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Geldig tot datum kan niet vóór de transactiedatum zijn apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} eenheden van {1} die nodig zijn in {2} op {3} {4} te {5} om deze transactie te voltooien. @@ -7222,7 +7294,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Totale betaalde Amt 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 @@ -7246,6 +7317,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anoniem apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Gekregen van DocType: Lead,Converted,Omgezet DocType: Item,Has Serial No,Heeft Serienummer +DocType: Stock Entry Detail,PO Supplied Item,PO Geleverd item 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} @@ -7360,7 +7432,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Belastingen en kosten samen 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Standaard BOM voor {0} niet gevonden +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Tik op items om ze hier toe te voegen @@ -7396,7 +7468,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Onderhoud Datum DocType: Purchase Invoice Item,Rejected Serial No,Afgewezen Serienummer apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Jaar begindatum of einddatum overlapt met {0}. Om te voorkomen dat stel bedrijf -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Vermeld alstublieft de naam van de lood in lood {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Startdatum moet kleiner zijn dan einddatum voor Artikel {0} DocType: Shift Type,Auto Attendance Settings,Instellingen voor automatische aanwezigheid @@ -7406,9 +7477,11 @@ DocType: Upload Attendance,Upload Attendance,Aanwezigheid uploaden apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM en Productie Hoeveelheid nodig apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Vergrijzing Range 2 DocType: SG Creation Tool Course,Max Strength,Max Strength +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Account {0} bestaat al in kinderbedrijf {1}. De volgende velden hebben verschillende waarden, ze moeten hetzelfde zijn:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Voorinstellingen installeren DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Geen leveringsbewijs geselecteerd voor klant {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Rijen toegevoegd in {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Werknemer {0} heeft geen maximale uitkering apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Selecteer items op basis van leveringsdatum DocType: Grant Application,Has any past Grant Record,Heeft een eerdere Grant Record @@ -7453,6 +7526,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Student Details DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Dit is de standaard UOM die wordt gebruikt voor artikelen en verkooporders. De reserve UOM is "Nos". DocType: Purchase Invoice Item,Stock Qty,Aantal voorraad +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 DocType: Loan,Repayment Period in Months,Terugbetaling Periode in maanden @@ -7481,6 +7555,7 @@ DocType: Authorization Rule,Customerwise Discount,Klantgebaseerde Korting apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet voor taken. DocType: Purchase Invoice,Against Expense Account,Tegen Kostenrekening apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installatie Opmerking {0} is al ingediend +DocType: BOM,Raw Material Cost (Company Currency),Grondstofkosten (bedrijfsvaluta) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Huizenhuur betaalde dagen overlappend met {0} DocType: GSTR 3B Report,October,oktober DocType: Bank Reconciliation,Get Payment Entries,Krijg Betaling Entries @@ -7528,15 +7603,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Beschikbaar voor gebruik datum is vereist DocType: Request for Quotation,Supplier Detail,Leverancier Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Fout in formule of aandoening: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Factuurbedrag +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Factuurbedrag apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Criteriumgewichten moeten maximaal 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Aanwezigheid apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Stock items DocType: Sales Invoice,Update Billed Amount in Sales Order,Factuurbedrag in klantorder bijwerken +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Contact opnemen met de verkoper 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,In Woorden zijn zichtbaar zodra u de Inkooporder opslaat @@ -7550,6 +7627,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Prijslijst stam. DocType: Task,Review Date,Herzieningsdatum DocType: BOM,Allow Alternative Item,Toestaan alternatief item +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Aankoopbewijs heeft geen artikel waarvoor Voorbeeld behouden is ingeschakeld. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Totaal factuurbedrag DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serie voor de afschrijving van de waardevermindering DocType: Membership,Member Since,Lid sinds @@ -7559,6 +7637,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Op Netto Totaal 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},Waarde voor kenmerk {0} moet binnen het bereik van {1} tot {2} in de stappen van {3} voor post {4} DocType: Pricing Rule,Product Discount Scheme,Kortingsregeling voor producten +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,De beller heeft geen probleem opgeworpen. DocType: Restaurant Reservation,Waitlisted,wachtlijst DocType: Employee Tax Exemption Declaration Category,Exemption Category,Uitzonderingscategorie apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valuta kan niet na het maken van data met behulp van een andere valuta worden veranderd @@ -7572,7 +7651,6 @@ DocType: Customer Group,Parent Customer Group,Bovenliggende klantgroep apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON kan alleen worden gegenereerd op basis van verkoopfactuur apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Maximale pogingen voor deze quiz bereikt! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonnement -DocType: Purchase Invoice,Contact Email,Contact E-mail apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Fee Creation In afwachting DocType: Project Template Task,Duration (Days),Duur (dagen) DocType: Appraisal Goal,Score Earned,Verdiende Score @@ -7598,7 +7676,6 @@ DocType: Landed Cost Item,Landed Cost Item,Vrachtkosten Artikel 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Bedrag voor een enkele transactie overschrijdt het maximaal toegestane bedrag, maak een afzonderlijke betalingsopdracht door de transacties te splitsen" 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 @@ -7769,6 +7846,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,besch DocType: Quality Inspection Reading,Reading 3,Meting 3 DocType: Stock Entry,Source Warehouse Address,Bron magazijnadres DocType: GL Entry,Voucher Type,Voucher Type +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Toekomstige betalingen 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 @@ -7795,6 +7873,7 @@ DocType: Travel Request,Identification Document Number,identificatie document nu 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." DocType: Sales Invoice,Customer GSTIN,Klant GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Lijst met gedetecteerde ziekten op het veld. Na selectie voegt het automatisch een lijst met taken toe om de ziekte aan te pakken +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Dit is een service-eenheid voor basisgezondheidszorg en kan niet worden bewerkt. DocType: Asset Repair,Repair Status,Reparatiestatus 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." @@ -7809,6 +7888,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Account for Change Bedrag DocType: QuickBooks Migrator,Connecting to QuickBooks,Verbinden met QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Totale winst / verlies +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Maak een keuzelijst apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rij {0}: Party / Account komt niet overeen met {1} / {2} in {3} {4} DocType: Employee Promotion,Employee Promotion,Werknemersbevordering DocType: Maintenance Team Member,Maintenance Team Member,Onderhoudsteamlid @@ -7892,6 +7972,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettoloon kan niet negatief zijn @@ -7923,7 +8004,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Kwaliteitsdoel DocType: BOM,Item to be manufactured or repacked,Artikel te vervaardigen of herverpakken apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Syntaxisfout in voorwaarde: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Geen probleem opgeworpen door de klant. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Major / keuzevakken apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Gelieve Leveranciergroep in te stellen in Koopinstellingen. @@ -8016,8 +8096,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Credit Dagen apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Selecteer Patiënt om Lab-tests te krijgen DocType: Exotel Settings,Exotel Settings,Exotel-instellingen -DocType: Leave Type,Is Carry Forward,Is Forward Carry +DocType: Leave Ledger Entry,Is Carry Forward,Is Forward Carry DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Werkuren waaronder Afwezig wordt gemarkeerd. (Nul uit te schakelen) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Stuur een bericht apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Artikelen ophalen van Stuklijst 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 diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv index 5e0d53f6d3..04347f7d39 100644 --- a/erpnext/translations/no.csv +++ b/erpnext/translations/no.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Informer Leverandør apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Vennligst velg Partiet Type først DocType: Item,Customer Items,Kunde Items +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,gjeld DocType: Project,Costing and Billing,Kalkulasjon og fakturering apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Forhåndskonto valuta må være den samme som selskapets valuta {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Standard måleenhet DocType: SMS Center,All Sales Partner Contact,All Sales Partner Kontakt DocType: Department,Leave Approvers,La godkjennere DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Søk etter artikler ... DocType: Patient Encounter,Investigations,undersøkelser DocType: Restaurant Order Entry,Click Enter To Add,Klikk på Enter for å legge til apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Manglende verdi for Password, API Key eller Shopify URL" DocType: Employee,Rented,Leide apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Alle kontoer apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Kan ikke overføre medarbeider med status til venstre -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Stoppet produksjonsordre kan ikke avbestilles, Døves det første å avbryte" DocType: Vehicle Service,Mileage,Kilometer apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Har du virkelig ønsker å hugge denne eiendelen? DocType: Drug Prescription,Update Schedule,Oppdater plan @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Kunde DocType: Purchase Receipt Item,Required By,Kreves av DocType: Delivery Note,Return Against Delivery Note,Tilbake mot følgeseddel DocType: Asset Category,Finance Book Detail,Finansbokdetaljer +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Alle avskrivningene er booket DocType: Purchase Order,% Billed,% Fakturert apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Lønnsnummer apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate må være samme som {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Batch Element Utløps Status apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bank Draft DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Totalt antall sene oppføringer DocType: Mode of Payment Account,Mode of Payment Account,Modus for betaling konto apps/erpnext/erpnext/config/healthcare.py,Consultation,Konsultasjon DocType: Accounts Settings,Show Payment Schedule in Print,Vis betalingsplan i utskrift @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,P apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primær kontaktdetaljer apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,åpne spørsmål DocType: Production Plan Item,Production Plan Item,Produksjonsplan Sak +DocType: Leave Ledger Entry,Leave Ledger Entry,La Ledger Entry apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Bruker {0} er allerede tildelt Employee {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} -feltet er begrenset til størrelse {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Mak DocType: Purchase Invoice Item,Item Weight Details,Vektdetaljer DocType: Asset Maintenance Log,Periodicity,Periodisitet apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Regnskapsår {0} er nødvendig +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Netto fortjeneste / tap DocType: Employee Group Table,ERPNext User ID,ERPNeste Bruker-ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimumsavstanden mellom rader av planter for optimal vekst apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Velg pasient for å få forskrevet prosedyre @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Selge prisliste DocType: Patient,Tobacco Current Use,Nåværende bruk av tobakk apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Selgingsfrekvens -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Lagre dokumentet før du legger til en ny konto 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Pens DocType: Exchange Rate Revaluation Account,Gain/Loss,Gevinst / tap DocType: Crop,Perennial,Flerårig DocType: Program,Is Published,Publiseres +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Vis leveringsmerknader apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","For å tillate overfakturering, oppdater "Over Billing Allowance" i Kontoinnstillinger eller elementet." DocType: Patient Appointment,Procedure,Fremgangsmåte DocType: Accounts Settings,Use Custom Cash Flow Format,Bruk tilpasset kontantstrømformat @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Legg til policyinformasjon DocType: BOM,Item Image (if not slideshow),Sak Image (hvis ikke show) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Rad # {0}: Betjening {1} er ikke fullført for {2} antall ferdige varer i arbeidsordre {3}. Oppdater driftsstatus via Jobbkort {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} er obligatorisk for å generere overføringsbetalinger, angi feltet og prøv igjen" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Timepris / 60) * Faktisk Operation Tid apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Referansedokumenttype må være en av kostnadskrav eller journaloppføring apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Velg BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Betale tilbake over antall perioder apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Mengde å produsere kan ikke være mindre enn null DocType: Stock Entry,Additional Costs,Tilleggskostnader +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Konto med eksisterende transaksjon kan ikke konverteres til gruppen. DocType: Lead,Product Enquiry,Produkt Forespørsel DocType: Education Settings,Validate Batch for Students in Student Group,Valider batch for studenter i studentgruppen @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Under Graduate apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Vennligst angi standardmal for statusmeldingsstatus i HR-innstillinger. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Target På DocType: BOM,Total Cost,Totalkostnad +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Tildeling utløpt! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maksimum bære fremoverblader DocType: Salary Slip,Employee Loan,Medarbeider Loan DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Send betalingsanmodning e-post @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Eiendo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Kontoutskrift apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmasi DocType: Purchase Invoice Item,Is Fixed Asset,Er Fast Asset +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Vis fremtidige betalinger DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Denne bankkontoen er allerede synkronisert DocType: Homepage,Homepage Section,Hjemmeseksjonen @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Gjødsel apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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. -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 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,I det minste én modus av betaling er nødvendig for POS faktura. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Batch-nr er nødvendig for batch-varen {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bankkonto Transaksjonsfaktura @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,Velg Vilkår apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,ut Verdi DocType: Bank Statement Settings Item,Bank Statement Settings Item,Innstillingsinnstillinger for bankkontoen DocType: Woocommerce Settings,Woocommerce Settings,Innstillinger for WoCommerce +DocType: Leave Ledger Entry,Transaction Name,Transaksjonsnavn DocType: Production Plan,Sales Orders,Salgsordrer apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Flere lojalitetsprogram funnet for kunden. Vennligst velg manuelt. DocType: Purchase Taxes and Charges,Valuation,Verdivurdering @@ -461,6 +469,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Vis kun kunde for disse kundegruppene DocType: Sales Invoice,Is Opening Entry,Åpner Entry @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Nevn hvis ikke-standard fordring konto aktuelt 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 DocType: Supplier Scorecard,Criteria Setup,Kriterieoppsett -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,For Warehouse er nødvendig før Send +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 DocType: Codification Table,Medical Code,Medisinsk kode apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Koble Amazon med ERPNext @@ -486,7 +496,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankkontoer lagt til -DocType: Delivery Stop,Contact Name,Kontakt Navn +DocType: Call Log,Contact Name,Kontakt Navn DocType: Plaid Settings,Synchronize all accounts every hour,Synkroniser alle kontoer hver time DocType: Course Assessment Criteria,Course Assessment Criteria,Kursvurderingskriteriene DocType: Pricing Rule Detail,Rule Applied,Regel anvendt @@ -530,7 +540,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Ukjent nummer DocType: Website Filter Field,Website Filter Field,Nettstedets filterfelt apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Forsyningstype DocType: Material Request Item,Min Order Qty,Min Bestill Antall @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,Sum hovedbeløp DocType: Student Guardian,Relation,Relasjon DocType: Quiz Result,Correct,Riktig DocType: Student Guardian,Mother,Mor -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Vennligst legg til gyldige Plaid-api-nøkler i site_config.json først DocType: Restaurant Reservation,Reservation End Time,Reservasjons sluttid DocType: Crop,Biennial,Biennial ,BOM Variance Report,BOM Variansrapport @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Betaling mot {0} {1} kan ikke være større enn utestående beløp {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,Offline POS-innstillinger DocType: Stock Entry Detail,Reference Purchase Receipt,Referansekjøpskvittering DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variant av -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Fullført Antall kan ikke være større enn "Antall å Manufacture ' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Fullført Antall kan ikke være større enn "Antall å Manufacture ' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Periode basert på DocType: Period Closing Voucher,Closing Account Head,Lukke konto Leder DocType: Employee,External Work History,Ekstern Work History apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Rundskriv Reference Error apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Studentrapportkort apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Fra Pin Code +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Vis selger DocType: Appointment Type,Is Inpatient,Er pasient apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Name DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,I Words (eksport) vil være synlig når du lagrer følgeseddel. @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Dimensjonsnavn apps/erpnext/erpnext/healthcare/setup.py,Resistant,Resistant apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Vennligst sett inn hotellrenten på {} +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: Journal Entry,Multi Currency,Multi Valuta DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktura Type apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Gyldig fra dato må være mindre enn gyldig til dato @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,innrømmet DocType: Workstation,Rent Cost,Rent Cost 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Kommende kalenderhendelser apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variant attributter @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,Forespørsel om kostnadsove 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Vis selger på trykk 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 @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Opprett en ny kunde apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Utløper på apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Hvis flere Pris Regler fortsette å råde, blir brukerne bedt om å sette Priority manuelt for å løse konflikten." -DocType: Purchase Invoice,Scan Barcode,Skann strekkode apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Opprette innkjøpsordrer ,Purchase Register,Kjøp Register apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pasient ikke funnet @@ -817,6 +828,7 @@ DocType: Account,Old Parent,Gammel Parent apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Obligatorisk felt - akademisk år apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Obligatorisk felt - akademisk år apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} er ikke knyttet til {2} {3} +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} @@ -860,6 +872,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Lønn Component for timebasert lønn. DocType: Driver,Applicable for external driver,Gjelder for ekstern driver DocType: Sales Order Item,Used for Production Plan,Brukes for Produksjonsplan +DocType: BOM,Total Cost (Company Currency),Total kostnad (selskapets valuta) DocType: Loan,Total Payment,totalt betaling apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Kan ikke avbryte transaksjonen for fullført arbeidsordre. DocType: Manufacturing Settings,Time Between Operations (in mins),Time Between Operations (i minutter) @@ -881,6 +894,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Varsle Andre DocType: Vital Signs,Blood Pressure (systolic),Blodtrykk (systolisk) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} er {2} DocType: Item Price,Valid Upto,Gyldig Opp +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. @@ -899,6 +913,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Endringer i {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Vennligst velg selskapet DocType: Employee Skill,Employee Skill,Ansattes ferdighet apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Forskjellen konto @@ -943,6 +958,7 @@ DocType: Patient,Risk Factors,Risikofaktorer DocType: Patient,Occupational Hazards and Environmental Factors,Arbeidsfare og miljøfaktorer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Lageroppføringer allerede opprettet for arbeidsordre apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Se tidligere bestillinger +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} samtaler DocType: Vital Signs,Respiratory rate,Respirasjonsfrekvens apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Administrerende Underleverandører DocType: Vital Signs,Body Temperature,Kroppstemperatur @@ -984,6 +1000,7 @@ DocType: Purchase Invoice,Registered Composition,Registrert sammensetning apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Hallo apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Flytt element DocType: Employee Incentive,Incentive Amount,Incentivbeløp +,Employee Leave Balance Summary,Ansattes permisjonsbalanse Sammendrag DocType: Serial No,Warranty Period (Days),Garantiperioden (dager) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Totalt kreditt / debetbeløp skal være det samme som koblet journalinngang DocType: Installation Note Item,Installation Note Item,Installasjon Merk Element @@ -997,6 +1014,7 @@ DocType: Vital Signs,Bloated,oppblåst DocType: Salary Slip,Salary Slip Timesheet,Lønn Slip Timeregistrering apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverandør Warehouse obligatorisk for underleverandør Kjøpskvittering DocType: Item Price,Valid From,Gyldig Fra +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Din vurdering: DocType: Sales Invoice,Total Commission,Total Commission DocType: Tax Withholding Account,Tax Withholding Account,Skattebetalingskonto DocType: Pricing Rule,Sales Partner,Sales Partner @@ -1004,6 +1022,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alle leverandøre 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 +DocType: Item,Website Image,Nettstedets bilde apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Mållager i rad {0} må være det samme som Arbeidsordre apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Verdsettelse Rate er obligatorisk hvis Åpning Stock oppgitt apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Ingen poster ble funnet i Faktura tabellen @@ -1038,8 +1057,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},L 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Vennligst fullfør din Plaid API-konfigurasjon før du synkroniserer kontoen din 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 DocType: Job Applicant,Resume Attachment,Fortsett Vedlegg @@ -1051,7 +1070,6 @@ DocType: Production Plan,Production Plan,Produksjonsplan DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Åpning av fakturaopprettingsverktøy DocType: Salary Component,Round to the Nearest Integer,Rund til nærmeste heltall apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Sales Return -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Merk: Totalt tildelte blader {0} bør ikke være mindre enn allerede innvilgede permisjoner {1} for perioden DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Angi antall i transaksjoner basert på serienummerinngang ,Total Stock Summary,Totalt lageroppsummering apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1080,6 +1098,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,En apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,hovedstol DocType: Loan Application,Total Payable Interest,Total skyldige renter apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Totalt utestående: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Åpen kontakt DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Salg Faktura Timeregistrering 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} @@ -1089,6 +1108,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Standard Faktura Naming Se 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 DocType: Restaurant Reservation,Restaurant Reservation,Restaurantreservasjon +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Varene dine apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Forslaget Writing DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling Entry Fradrag DocType: Service Level Priority,Service Level Priority,Servicenivåprioritet @@ -1097,6 +1117,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Batchnummer Serie apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,En annen Sales Person {0} finnes med samme Employee id DocType: Employee Advance,Claimed Amount,Påkrevd beløp +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Utløp tildeling 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 @@ -1166,7 +1187,6 @@ DocType: Student Batch Name,Batch Name,batch Name DocType: Fee Validity,Max number of visit,Maks antall besøk DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Obligatorisk for resultatregnskap ,Hotel Room Occupancy,Hotellrom Occupancy -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timeregistrering opprettet: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Vennligst angi standard kontanter eller bankkontoen i modus for betaling {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Registrere DocType: GST Settings,GST Settings,GST-innstillinger @@ -1300,6 +1320,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Vennligst velg Program DocType: Project,Estimated Cost,anslått pris DocType: Request for Quotation,Link to material requests,Lenke til materiale forespørsler +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,publisere apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Kredittkort Entry @@ -1326,6 +1347,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Omløpsmidler apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} er ikke en lagervare apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Vennligst del din tilbakemelding til treningen ved å klikke på 'Trenings tilbakemelding' og deretter 'Ny' +DocType: Call Log,Caller Information,Anropsinformasjon DocType: Mode of Payment Account,Default Account,Standard konto apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Vennligst velg Sample Retention Warehouse i lagerinnstillinger først apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Vennligst velg flerverdierprogrammet for mer enn ett samlingsreglement. @@ -1350,6 +1372,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Auto Materiell Forespørsler Generert DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Arbeidstid under som Half Day er markert. (Null å deaktivere) DocType: Job Card,Total Completed Qty,Totalt fullført antall +DocType: HR Settings,Auto Leave Encashment,Automatisk forlate omgivelser apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Mistet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Du kan ikke legge inn dagens kupong i "Against Journal Entry-kolonnen DocType: Employee Benefit Application Detail,Max Benefit Amount,Maksimal fordelbeløp @@ -1379,9 +1402,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,abonnent DocType: Item Attribute Value,Item Attribute Value,Sak data Verdi apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valutaveksling må gjelde for kjøp eller salg. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Bare utløpt tildeling kan avlyses DocType: Item,Maximum sample quantity that can be retained,Maksimal prøvemengde som kan beholdes apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Row {0} # Item {1} kan ikke overføres mer enn {2} mot innkjøpsordre {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Salgskampanjer. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Ukjent anroper DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1413,6 +1438,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Helseplanle apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Name DocType: Expense Claim Detail,Expense Claim Type,Expense krav Type DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standardinnstillingene for handlekurv +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Lagre varen apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Ny kostnad apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignorer eksisterende rekkefølge apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Legg til Timeslots @@ -1425,6 +1451,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Gjennomgå invitasjon sendt DocType: Shift Assignment,Shift Assignment,Shift-oppgave DocType: Employee Transfer Property,Employee Transfer Property,Medarbeideroverføringseiendom +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Feltet Egenkapital / ansvarskonto kan ikke være blankt apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Fra tiden burde være mindre enn til tid apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Bioteknologi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1507,11 +1534,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kursplan DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B-rapport DocType: Request for Quotation Supplier,Quote Status,Sitatstatus DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Completion Status +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Det totale betalingsbeløpet kan ikke være større enn {} DocType: Daily Work Summary Group,Select Users,Velg Brukere DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotellromprisepris DocType: Loyalty Program Collection,Tier Name,Tiernavn @@ -1549,6 +1578,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST Bel DocType: Lab Test Template,Result Format,Resultatformat DocType: Expense Claim,Expenses,Utgifter DocType: Service Level,Support Hours,Støtte timer +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Leverings notater DocType: Item Variant Attribute,Item Variant Attribute,Sak Variant Egenskap ,Purchase Receipt Trends,Kvitteringen Trender DocType: Payroll Entry,Bimonthly,annenhver måned @@ -1571,7 +1601,6 @@ DocType: Sales Team,Incentives,Motivasjon DocType: SMS Log,Requested Numbers,Etterspør Numbers DocType: Volunteer,Evening,Kveld DocType: Quiz,Quiz Configuration,Quiz-konfigurasjon -DocType: Customer,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 @@ -1618,7 +1647,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Valutak ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Å finne tidsluke i de neste {0} dager for Operation klarer {1} DocType: Work Order,Plan material for sub-assemblies,Plan materiale for sub-assemblies 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 @@ -1633,9 +1661,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Du må aktivere automatisk ombestilling i lagerinnstillinger for å opprettholde ombestillingsnivåer. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Avbryt Material Besøk {0} før den sletter denne Maintenance Visit DocType: Pricing Rule,Rate or Discount,Pris eller rabatt +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bankinformasjon DocType: Vital Signs,One Sided,Ensidig apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serial No {0} tilhører ikke Element {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Påkrevd antall +DocType: Purchase Order Item Supplied,Required Qty,Påkrevd antall DocType: Marketplace Settings,Custom Data,Tilpassede data apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Næringslokaler med eksisterende transaksjon kan ikke konverteres til hovedbok. DocType: Service Day,Service Day,Servicedag @@ -1663,7 +1692,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Account Valuta DocType: Lab Test,Sample ID,Eksempel ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Vennligst oppgi Round Off-konto i selskapet -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Område DocType: Supplier,Default Payable Accounts,Standard Leverandørgjeld apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Ansatt {0} er ikke aktiv eller ikke eksisterer @@ -1704,8 +1732,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Spør etter informasjon DocType: Course Activity,Activity Date,Aktivitetsdato apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} av {} -,LeaderBoard,Leaderboard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Vurder med margin (Bedriftsvaluta) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,kategorier apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Synkroniser Offline Fakturaer DocType: Payment Request,Paid,Betalt DocType: Service Level,Default Priority,Standard prioritet @@ -1740,11 +1768,11 @@ DocType: Agriculture Task,Agriculture Task,Landbruk Oppgave apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Indirekte inntekt DocType: Student Attendance Tool,Student Attendance Tool,Student Oppmøte Tool DocType: Restaurant Menu,Price List (Auto created),Prisliste (automatisk opprettet) +DocType: Pick List Item,Picked Qty,Valgt antall DocType: Cheque Print Template,Date Settings,Dato Innstillinger 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 -,Company Name,Selskapsnavn 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. @@ -1763,7 +1791,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Siste forsøk 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},Totalt antall permisjoner er obligatorisk for permisjonstype {0} -DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Selskap Valuta) 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 @@ -1832,6 +1859,7 @@ DocType: Travel Itinerary,Train,Tog ,Delayed Item Report,Forsinket varerapport apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Kvalifisert ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Inpatient Occupancy +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Publiser de første varene dine DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tid etter endt skifte hvor utsjekking vurderes for oppmøte. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Vennligst oppgi en {0} @@ -1950,6 +1978,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,alle stykklister apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Opprett Inter Company Journal Entry DocType: Company,Parent Company,Moderselskap apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotellrom av typen {0} er utilgjengelig på {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Sammenlign BOM-er for endringer i råvarer og drift apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokument {0} er velutviklet DocType: Healthcare Practitioner,Default Currency,Standard Valuta apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Forsone denne kontoen @@ -1984,6 +2013,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktura Detalj DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betaling Avstemming Faktura DocType: Clinical Procedure,Procedure Template,Prosedyre Mal +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publiser elementer apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Bidrag% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","I henhold til kjøpsinnstillingene hvis innkjøpsordre er påkrevd == 'JA' og deretter for å opprette Kjøpfaktura, må brukeren opprette innkjøpsordre først for element {0}" ,HSN-wise-summary of outward supplies,HSN-vis-oppsummering av utadvendte forsyninger @@ -1996,7 +2026,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Vennligst sett 'Apply Ytterligere rabatt på' DocType: Party Tax Withholding Config,Applicable Percent,Gjeldende prosentandel ,Ordered Items To Be Billed,Bestilte varer til å bli fakturert -DocType: Employee Checkin,Exit Grace Period Consequence,Konsekvens av utløpet av nådeperioden apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Fra Range må være mindre enn til kolleksjonen DocType: Global Defaults,Global Defaults,Global Defaults apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Prosjekt Samarbeid Invitasjon @@ -2004,13 +2033,11 @@ DocType: Salary Slip,Deductions,Fradrag DocType: Setup Progress Action,Action Name,Handlingsnavn apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,start-år apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Opprette lån -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Startdato for nåværende fakturaperiode DocType: Shift Type,Process Attendance After,Prosessoppmøte etter ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Dager uten lønn DocType: Payment Request,Outward,Ytre -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Kapasitetsplanlegging Error apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Stat / UT-skatt ,Trial Balance for Party,Trial Balance for partiet ,Gross and Net Profit Report,Brutto og netto resultatrapport @@ -2029,7 +2056,6 @@ DocType: Payroll Entry,Employee Details,Ansattes detaljer 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} -DocType: Setup Progress Action,Domains,Domener 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} @@ -2072,7 +2098,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Totalt for 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.","Betaling Mode er ikke konfigurert. Kontroller, om kontoen er satt på modus for betalinger eller på POS-profil." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Samme elementet kan ikke legges inn flere ganger. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ytterligere kontoer kan gjøres under grupper, men oppføringene kan gjøres mot ikke-grupper" -DocType: Email Campaign,Lead,Lead +DocType: Call Log,Lead,Lead DocType: Email Digest,Payables,Gjeld DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,E-postkampanje for @@ -2084,6 +2110,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Purchase Order Elementer som skal faktureres 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 DocType: Purchase Invoice Item,Net Rate,Net Rate apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Vennligst velg en kunde DocType: Leave Policy,Leave Allocations,Forlate allokeringer @@ -2097,6 +2124,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Lukk Issue Etter dager ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Du må være en bruker med System Manager og Item Manager roller for å legge til brukere på Marketplace. +DocType: Attendance,Early Exit,Tidlig avkjørsel DocType: Job Opening,Staffing Plan,Bemanning Plan apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON kan bare genereres fra et innsendt dokument apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Ansatt skatt og fordeler @@ -2119,6 +2147,7 @@ DocType: Maintenance Team Member,Maintenance Role,Vedlikeholdsrolle apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Duplicate rad {0} med samme {1} DocType: Marketplace Settings,Disable Marketplace,Deaktiver Marketplace DocType: Quality Meeting,Minutes,Minutter +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Dine utvalgte varer ,Trial Balance,Balanse Trial apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Vis fullført apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Regnskapsåret {0} ikke funnet @@ -2128,8 +2157,8 @@ 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 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- -DocType: Shift Type,Consequence,Konsekvens DocType: Subscription Settings,Subscription Settings,Abonnementsinnstillinger DocType: Purchase Invoice,Update Auto Repeat Reference,Oppdater Auto Repeat Reference apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Valgfri ferieliste ikke angitt for permisjon {0} @@ -2140,7 +2169,6 @@ DocType: Maintenance Visit Purpose,Work Done,Arbeidet Som Er Gjort apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Vennligst oppgi minst ett attributt i Attributter tabellen DocType: Announcement,All Students,alle studenter apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Element {0} må være et ikke-lagervare -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Vis Ledger DocType: Grading Scale,Intervals,intervaller DocType: Bank Statement Transaction Entry,Reconciled Transactions,Avstemte transaksjoner @@ -2176,6 +2204,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Opportunity Element DocType: Quality Action,Quality Review,Kvalitetsanmeldelse @@ -2202,7 +2231,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Få utestående fakturaer -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Salgsordre {0} er ikke gyldig +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Innkjøpsordrer hjelpe deg å planlegge og følge opp kjøpene apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab Test Prescriptions @@ -2227,6 +2256,7 @@ DocType: Employee Onboarding,Notify users by email,Varsle brukere via e-post DocType: Travel Request,International,Internasjonal DocType: Training Event,Training Event,trening Hendelses DocType: Item,Auto re-order,Auto re-order +DocType: Attendance,Late Entry,Sen inngang apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Oppnådd Total DocType: Employee,Place of Issue,Utstedelsessted DocType: Promotional Scheme,Promotional Scheme Price Discount,Kampanjepriser Rabatt @@ -2273,6 +2303,7 @@ DocType: Serial No,Serial No Details,Serie ingen opplysninger DocType: Purchase Invoice Item,Item Tax Rate,Sak Skattesats apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Fra Festnavn apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Netto lønnsmengde +DocType: Pick List,Delivery against Sales Order,Levering mot salgsordre DocType: Student Group Student,Group Roll Number,Gruppe-nummer DocType: Student Group Student,Group Roll Number,Gruppe-nummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",For {0} kan bare kredittkontoer kobles mot en annen belastning oppføring @@ -2346,7 +2377,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Denne verdien brukes til pro rata temporis beregning apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Du må aktivere Handlevogn DocType: Payment Entry,Writeoff,writeoff DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2360,6 +2390,7 @@ DocType: Delivery Trip,Total Estimated Distance,Totalt estimert avstand DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Kundefordringer Ubetalt konto DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Nettleser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Ikke tillatt å opprette regnskapsmessig dimensjon for {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Vennligst oppdatere statusen din for denne treningshendelsen DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Legge til eller trekke fra @@ -2369,7 +2400,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Inaktive salgsvarer DocType: Quality Review,Additional Information,Tilleggsinformasjon apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Total ordreverdi -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Servicenivåavtale tilbakestilt. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Mat apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Aldring Range 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS Closing Voucher Detaljer @@ -2416,6 +2446,7 @@ 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 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" DocType: Healthcare Practitioner,Contacts and Address,Kontakter og adresse DocType: Shift Type,Determine Check-in and Check-out,Bestem innsjekking og utsjekking @@ -2435,7 +2466,6 @@ DocType: Student Admission,Eligibility and Details,Kvalifisering og detaljer apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Inkludert i brutto fortjeneste apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Netto endring i Fixed Asset apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Antall -DocType: Company,Client Code,Klientkode apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge of type 'Actual' i rad {0} kan ikke inkluderes i Element Ranger apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Fra Datetime @@ -2503,6 +2533,7 @@ DocType: Journal Entry Account,Account Balance,Saldo apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Kunden er nødvendig mot fordringer kontoen {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totale skatter og avgifter (Selskapet valuta) DocType: Weather,Weather Parameter,Værparameter @@ -2565,6 +2596,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Arbeidstidsgrense for fra apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Det kan være flere lagdelt innsamlingsfaktor basert på totalt brukt. Men konverteringsfaktoren for innløsning vil alltid være den samme for alle nivåer. apps/erpnext/erpnext/config/help.py,Item Variants,Element Varianter apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Tjenester +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,E-post Lønn Slip til Employee DocType: Cost Center,Parent Cost Center,Parent kostnadssted @@ -2575,7 +2607,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","V DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importer leveringsnotater fra Shopify på forsendelse apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Vis stengt DocType: Issue Priority,Issue Priority,Utgaveprioritet -DocType: Leave Type,Is Leave Without Pay,Er permisjon uten Pay +DocType: Leave Ledger Entry,Is Leave Without Pay,Er permisjon uten Pay apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset Kategori er obligatorisk for Fixed Asset element DocType: Fee Validity,Fee Validity,Avgift Gyldighet @@ -2624,6 +2656,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Tilgjengelig Batch apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Oppdater Print Format DocType: Bank Account,Is Company Account,Er selskapskonto apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Forlatype {0} er ikke innrykkbar +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Kredittgrensen er allerede definert for selskapet {0} DocType: Landed Cost Voucher,Landed Cost Help,Landed Cost Hjelp DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-vlog-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Velg leveringsadresse @@ -2648,6 +2681,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Toveis DocType: Item,Manufacturers,produsenter @@ -2685,7 +2719,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Bankavstemming Statement DocType: Patient Encounter,Medical Coding,Medisinsk koding DocType: Healthcare Settings,Reminder Message,Påminnelsesmelding -,Lead Name,Lead Name +DocType: Call Log,Lead Name,Lead Name ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,prospecting @@ -2717,12 +2751,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Leverandør Warehouse DocType: Opportunity,Contact Mobile No,Kontakt Mobile No apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Velg firma ,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: 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- 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.,Bruker {0} har ingen standard POS-profil. Kontroller standard i rad {1} for denne brukeren. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Møtereferater for kvalitet +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Ansatt henvisning DocType: Student Group,Set 0 for no limit,Sett 0 for ingen begrensning apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dagen (e) der du søker om permisjon er helligdager. Du trenger ikke søke om permisjon. @@ -2756,12 +2792,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Netto endring i kontanter DocType: Assessment Plan,Grading Scale,Grading Scale apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Enhet {0} har blitt lagt inn mer enn én gang i omregningsfaktor tabell -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,allerede fullført apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Lager i hånd apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Vennligst legg de resterende fordelene {0} til applikasjonen som \ pro-rata-komponent apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Angi fiskale koder for den offentlige administrasjonen '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Betaling Request allerede eksisterer {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Cost of Utstedte Items DocType: Healthcare Practitioner,Hospital,Sykehus apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Antall må ikke være mer enn {0} @@ -2806,6 +2840,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Menneskelige Ressurser apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Øvre Inntekt DocType: Item Manufacturer,Item Manufacturer,varen Produsent +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Lag ny kunde DocType: BOM Operation,Batch Size,"Partistørrelse, Gruppestørrelse" apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Avvis DocType: Journal Entry Account,Debit in Company Currency,Debet i selskapet Valuta @@ -2826,9 +2861,11 @@ DocType: Bank Transaction,Reconciled,forsonet DocType: Expense Claim,Total Amount Reimbursed,Totalbeløp Refusjon apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Dette er basert på loggene mot denne bilen. Se tidslinjen nedenfor for detaljer apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Lønnsdato kan ikke være mindre enn ansattes tilmeldingsdato +DocType: Pick List,Item Locations,Vareposisjoner apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} er opprettet apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Jobbåpninger for betegnelse {0} allerede åpen \ eller ansettelse fullført i henhold til personaleplan {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Du kan publisere opptil 200 artikler. DocType: Vital Signs,Constipated,forstoppelse apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Mot Leverandør Faktura {0} datert {1} DocType: Customer,Default Price List,Standard Prisliste @@ -2921,6 +2958,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Skift faktisk start DocType: Tally Migration,Is Day Book Data Imported,Er dagbokdata importert apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Markedsføringskostnader +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} enheter på {1} er ikke tilgjengelig. ,Item Shortage Report,Sak Mangel Rapporter 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 @@ -2944,6 +2982,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 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 DocType: Material Request,Transferred,overført DocType: Vehicle,Doors,dører @@ -3023,7 +3062,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Kundens Elementkode DocType: Stock Reconciliation,Stock Reconciliation,Stock Avstemming DocType: Territory,Territory Name,Territorium Name DocType: Email Digest,Purchase Orders to Receive,Innkjøpsordre for å motta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Work-in-progress Warehouse er nødvendig før Send +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Work-in-progress Warehouse er nødvendig før Send apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Du kan bare ha planer med samme faktureringsperiode i en abonnement DocType: Bank Statement Transaction Settings Item,Mapped Data,Mappedata DocType: Purchase Order Item,Warehouse and Reference,Warehouse og Reference @@ -3097,6 +3136,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Leveringsinnstillinger apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Hent data apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maksimum permisjon tillatt i permisjonstypen {0} er {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publiser 1 vare DocType: SMS Center,Create Receiver List,Lag Receiver List DocType: Student Applicant,LMS Only,LMS Bare apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Tilgjengelig for bruk Dato bør være etter kjøpsdato @@ -3130,6 +3170,7 @@ 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 DocType: Vital Signs,Furry,furry apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Vennligst sett 'Gevinst / tap-konto på Asset Deponering "i selskapet {0} +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} @@ -3141,6 +3182,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Se alle utgaver fra {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Møtebord av kvalitet +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/templates/pages/help.html,Visit the forums,Besøk forumene DocType: Student,Student Mobile Number,Student Mobilnummer DocType: Item,Has Variants,Har Varianter @@ -3152,9 +3194,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Navn på Monthly DocType: Quality Procedure Process,Quality Procedure Process,Kvalitetsprosedyre apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch-ID er obligatorisk apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch-ID er obligatorisk +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Velg kunde først DocType: Sales Person,Parent Sales Person,Parent Sales Person apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Ingen elementer som skal mottas er for sent apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Selgeren og kjøperen kan ikke være det samme +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Ingen visninger enda DocType: Project,Collect Progress,Samle fremgang DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Velg programmet først @@ -3176,11 +3220,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Oppnås DocType: Student Admission,Application Form Route,Søknadsskjema Rute apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Sluttdato for avtalen kan ikke være mindre enn i dag. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter for å sende DocType: Healthcare Settings,Patient Encounters in valid days,Pasientmøter i gyldige dager apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,La Type {0} kan ikke tildeles siden det er permisjon uten lønn 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},Rad {0}: Nummerert mengden {1} må være mindre enn eller lik fakturere utestående beløp {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,I Ord vil være synlig når du lagrer salgsfaktura. DocType: Lead,Follow Up,Følge opp +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Kostnadssenter: {0} eksisterer ikke DocType: Item,Is Sales Item,Er Sales Element apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Varegruppe treet apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Element {0} er ikke oppsett for Serial Nos. Sjekk Element mester @@ -3224,9 +3270,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Medfølgende Antall DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Materialet Request Element -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Vennligst avbryt kjøp kvittering {0} først apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Tree of varegrupper. DocType: Production Plan,Total Produced Qty,Totalt produsert antall +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Ingen omtaler ennå apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Kan ikke se rad tall større enn eller lik gjeldende rad nummer for denne debiteringstype DocType: Asset,Sold,selges ,Item-wise Purchase History,Element-messig Purchase History @@ -3245,7 +3291,7 @@ DocType: Designation,Required Skills,Nødvendige ferdigheter DocType: Inpatient Record,O Positive,O Positiv apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investeringer DocType: Issue,Resolution Details,Oppløsning Detaljer -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Transaksjonstype +DocType: Leave Ledger Entry,Transaction Type,Transaksjonstype DocType: Item Quality Inspection Parameter,Acceptance Criteria,Akseptkriterier apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Fyll inn Material forespørsler i tabellen over apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Ingen tilbakebetalinger tilgjengelig for Journal Entry @@ -3287,6 +3333,7 @@ DocType: Bank Account,Bank Account No,Bankkonto nr DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Skattefrihetsbevis for arbeidstakere DocType: Patient,Surgical History,Kirurgisk historie DocType: Bank Statement Settings Item,Mapped Header,Mapped Header +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: 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. 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} @@ -3355,7 +3402,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Legg til brevpapir DocType: Program Enrollment,Self-Driving Vehicle,Selvkjørende kjøretøy 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totalt bevilget blader {0} kan ikke være mindre enn allerede godkjente blader {1} for perioden DocType: Contract Fulfilment Checklist,Requirement,Krav DocType: Journal Entry,Accounts Receivable,Kundefordringer DocType: Quality Goal,Objectives,Mål @@ -3378,7 +3424,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Enkelt transaksjonsgr DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Denne verdien er oppdatert i standard salgsprislisten. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Vognen din er tom DocType: Email Digest,New Expenses,nye Utgifter -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC Beløp apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Kan ikke optimalisere ruten ettersom driveradressen mangler. DocType: Shareholder,Shareholder,Aksjonær DocType: Purchase Invoice,Additional Discount Amount,Ekstra rabatt Beløp @@ -3415,6 +3460,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Vedlikeholdsoppgave apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Vennligst sett inn B2C Limit i GST-innstillinger. DocType: Marketplace Settings,Marketplace Settings,Markedsplassinnstillinger DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Warehouse hvor du opprettholder lager avviste elementer +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Publiser {0} varer 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,Kan ikke finne valutakurs for {0} til {1} for nøkkeldato {2}. Vennligst opprett en valutautvekslingsrekord manuelt DocType: POS Profile,Price List,Pris Liste 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. @@ -3451,6 +3497,7 @@ DocType: Salary Component,Deduction,Fradrag DocType: Item,Retain Sample,Behold prøve apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Rad {0}: Fra tid og Tid er obligatorisk. DocType: Stock Reconciliation Item,Amount Difference,beløp Difference +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Denne siden holder oversikt over varer du vil kjøpe fra selgere. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Varen Pris lagt for {0} i Prisliste {1} DocType: Delivery Stop,Order Information,BESTILLINGSINFORMASJON apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Skriv inn Employee Id av denne salgs person @@ -3479,6 +3526,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Evalueringsplan Navn apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Måldetaljer apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Gjelder hvis selskapet er SpA, SApA eller SRL" @@ -3531,7 +3579,6 @@ DocType: Company,Transactions Annual History,Transaksjoner Årlig Historie 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Above 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 @@ -3585,6 +3632,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Årets resultat 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 @@ -3639,12 +3687,10 @@ DocType: Supplier Scorecard,Scoring Setup,Scoring Setup apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronikk 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Fant ingen GST-nummer for selskapet. 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 DocType: Question,Single Correct Answer,Enkelt riktig svar -DocType: Employee,Contact Details,Kontaktinformasjon DocType: C-Form,Received Date,Mottatt dato DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Hvis du har opprettet en standard mal i salgs skatter og avgifter mal, velger du ett og klikk på knappen under." DocType: BOM Scrap Item,Basic Amount (Company Currency),Grunnbeløpet (Selskap Valuta) @@ -3674,12 +3720,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Nettstedet Operasjon DocType: Bank Statement Transaction Payment Item,outstanding_amount,utestående beløp DocType: Supplier Scorecard,Supplier Score,Leverandørpoeng apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Planleggingsopptak +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Totalt beløp for forespørsel om betaling kan ikke være større enn {0} beløp DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kumulativ transaksjonsgrense DocType: Promotional Scheme Price Discount,Discount Type,Rabatttype -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Total Fakturert Amt DocType: Purchase Invoice Item,Is Free Item,Er gratis vare +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Prosentandel du har lov til å overføre mer mot bestilt mengde. For eksempel: Hvis du har bestilt 100 enheter. og godtgjørelsen din er 10%, har du lov til å overføre 110 enheter." DocType: Supplier,Warn RFQs,Advarsel RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,Utforske +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Utforske DocType: BOM,Conversion Rate,konverterings~~POS=TRUNC apps/erpnext/erpnext/www/all-products/index.html,Product Search,Produktsøk ,Bank Remittance,Bankoverføring @@ -3691,6 +3738,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Totalt beløp betalt DocType: Asset,Insurance End Date,Forsikrings sluttdato apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Vennligst velg Student Admission, som er obligatorisk for den betalte student søkeren" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Budsjettliste DocType: Campaign,Campaign Schedules,Kampanjeplaner DocType: Job Card Time Log,Completed Qty,Fullført Antall @@ -3713,6 +3761,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Ny adress DocType: Quality Inspection,Sample Size,Sample Size apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Fyll inn Kvittering Document apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Alle elementene er allerede blitt fakturert +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Blader tatt apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Vennligst oppgi en gyldig "Fra sak nr ' 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,Ytterligere kostnadsbærere kan gjøres under Grupper men oppføringene kan gjøres mot ikke-grupper 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,Totalt tildelte blader er flere dager enn maksimal tildeling av {0} permisjonstype for ansatt {1} i perioden @@ -3813,6 +3862,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Inkluder al 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 DocType: Leave Block List,Allow Users,Gi brukere 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: 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. @@ -3866,6 +3917,7 @@ DocType: Support Search Source,Result Title Field,Resultattittelfelt apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Samtaleoppsummering DocType: Sample Collection,Collected Time,Samlet tid DocType: Employee Skill Map,Employee Skills,Ansattes ferdigheter +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Drivstoffutgift DocType: Company,Sales Monthly History,Salg Månedlig historie apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Angi minst en rad i tabellen Skatter og avgifter DocType: Asset Maintenance Task,Next Due Date,neste frist @@ -3875,6 +3927,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Livstegn DocType: Payment Entry,Payment Deductions or Loss,Betalings fradrag eller tap DocType: Soil Analysis,Soil Analysis Criterias,Jordanalysekriterier apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standard kontraktsvilkår for salg eller kjøp. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Rader fjernet om {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Begynn innsjekking før skiftets starttid (i minutter) DocType: BOM Item,Item operation,Vareoperasjon apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Grupper etter Voucher @@ -3900,11 +3953,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Lønn Slip av ansattes {0} som allerede er opprettet for denne perioden apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Pharmaceutical apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Du kan kun sende permittering for et gyldig innkjøpsbeløp +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Artikler etter apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kostnad for kjøpte varer DocType: Employee Separation,Employee Separation Template,Medarbeider separasjonsmal DocType: Selling Settings,Sales Order Required,Salgsordre Påkrevd apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Bli en selger -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Antall forekomster som konsekvensen blir utført etter. ,Procurement Tracker,Anskaffelsesspor DocType: Purchase Invoice,Credit To,Kreditt til apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC omvendt @@ -3917,6 +3970,7 @@ DocType: Quality Meeting,Agenda,Dagsorden DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Vedlikeholdsplan Detalj DocType: Supplier Scorecard,Warn for new Purchase Orders,Varsle om nye innkjøpsordrer DocType: Quality Inspection Reading,Reading 9,Lese 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Koble Exotel-kontoen din til ERPNekst og spore anropslogger DocType: Supplier,Is Frozen,Er Frozen DocType: Tally Migration,Processed Files,Behandlede filer apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Gruppe node lageret er ikke lov til å velge for transaksjoner @@ -3926,6 +3980,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM No. for et ferd DocType: Upload Attendance,Attendance To Date,Oppmøte To Date 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 @@ -3950,7 +4005,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,forespørselen apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Ugyldig referanse {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regler for anvendelse av forskjellige kampanjer. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan ikke være større enn planlagt quanitity ({2}) i produksjonsordre {3} DocType: Shipping Rule,Shipping Rule Label,Shipping Rule Etikett DocType: Journal Entry Account,Payroll Entry,Lønninngang apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Se avgifter @@ -3962,6 +4016,7 @@ DocType: Contract,Fulfilment Status,Oppfyllelsesstatus DocType: Lab Test Sample,Lab Test Sample,Lab Test prøve DocType: Item Variant Settings,Allow Rename Attribute Value,Tillat omdøpe attributtverdi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Hurtig Journal Entry +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Fremtidig betalingsbeløp apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Du kan ikke endre prisen dersom BOM nevnt agianst ethvert element DocType: Restaurant,Invoice Series Prefix,Faktura Serie Prefiks DocType: Employee,Previous Work Experience,Tidligere arbeidserfaring @@ -3991,6 +4046,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Prosjekt Status DocType: UOM,Check this to disallow fractions. (for Nos),Sjekk dette for å forby fraksjoner. (For Nos) DocType: Student Admission Program,Naming Series (for Student Applicant),Naming Series (Student søkeren) +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/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 @@ -4006,6 +4062,7 @@ DocType: Fiscal Year,Year End Date,År Sluttdato DocType: Task Depends On,Task Depends On,Task Avhenger apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Opportunity DocType: Options,Option,Alternativ +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Du kan ikke opprette regnskapsposter i den lukkede regnskapsperioden {0} DocType: Operation,Default Workstation,Standard arbeidsstasjon DocType: Payment Entry,Deductions or Loss,Fradrag eller tap apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} er stengt @@ -4014,6 +4071,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Få Current Stock DocType: Purchase Invoice,ineligible,ikke kvalifisert apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Tree of Bill of Materials +DocType: BOM,Exploded Items,Eksploderte elementer DocType: Student,Joining Date,Bli med dato ,Employees working on a holiday,Arbeidstakere som arbeider på ferie ,TDS Computation Summary,TDS-beregningsoppsummering @@ -4046,6 +4104,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (som per St DocType: SMS Log,No of Requested SMS,Ingen av Spurt SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Dager uten lønn samsvarer ikke med godkjente Dager uten lønn apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Neste skritt +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Lagrede elementer DocType: Travel Request,Domestic,Innenlands apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Vennligst oppgi de angitte elementene på de best mulige priser apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Ansatteoverføring kan ikke sendes før overføringsdato @@ -4099,7 +4158,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Asset Kategori konto apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Verdien {0} er allerede tilordnet en eksisterende vare {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Betalingstabell): Beløpet må være positivt -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Kan ikke produsere mer Element {0} enn Salgsordre kvantitet {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Kan ikke produsere mer Element {0} enn Salgsordre kvantitet {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Ingenting er inkludert i brutto apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill eksisterer allerede for dette dokumentet apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Velg Attributtverdier @@ -4134,12 +4193,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Aktiver ulik konsekvens for tidlig avkjørsel ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Ansattes fordel søknad apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Ekstra lønnskomponent eksisterer. DocType: Purchase Invoice,Unregistered,uregistrert -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Vennligst følgeseddel først DocType: Student Applicant,Application Date,Søknadsdato DocType: Salary Component,Amount based on formula,Beløp basert på formelen DocType: Purchase Invoice,Currency and Price List,Valuta og prisliste @@ -4168,6 +4225,7 @@ DocType: Purchase Receipt,Time at which materials were received,Tidspunktet for DocType: Products Settings,Products per Page,Produkter per side 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Tildelt beløp kan ikke være negativt DocType: Sales Order,Billing Status,Billing Status apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Melde om et problem @@ -4177,6 +4235,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-Above 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,Row # {0}: Bilagsregistrering {1} har ikke konto {2} eller allerede matchet mot en annen kupong DocType: Supplier Scorecard Criteria,Criteria Weight,Kriterier Vekt +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Konto: {0} er ikke tillatt under betalingsoppføringen DocType: Production Plan,Ignore Existing Projected Quantity,Ignorer eksisterende anslått mengde apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Legg igjen godkjenningsvarsling DocType: Buying Settings,Default Buying Price List,Standard Kjøpe Prisliste @@ -4185,6 +4244,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,Betalings Type apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Vennligst velg en batch for element {0}. Kunne ikke finne en enkelt batch som oppfyller dette kravet @@ -4214,6 +4274,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Handlevogn Innstillinger DocType: Journal Entry,Accounting Entries,Regnskaps Entries 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'." +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 DocType: Journal Entry,Paid Loan,Betalt lån 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 @@ -4230,12 +4291,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Detaljer apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Ingen timelister DocType: GoCardless Mandate,GoCardless Customer,GoCardless kunde apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,La Type {0} kan ikke bære-videre +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Merke apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Vedlikeholdsplan genereres ikke for alle elementene. Vennligst klikk på "Generer Schedule ' ,To Produce,Å Produsere DocType: Leave Encashment,Payroll,lønn 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","For rad {0} i {1}. For å inkludere {2} i Element rate, rader {3} må også inkluderes" DocType: Healthcare Service Unit,Parent Service Unit,Foreldre Service Unit DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikasjon av pakken for levering (for print) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Servicenivåavtale ble tilbakestilt. DocType: Bin,Reserved Quantity,Reservert Antall apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Vennligst skriv inn gyldig e-postadresse apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Vennligst skriv inn gyldig e-postadresse @@ -4257,7 +4320,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Pris eller produktrabatt apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,For rad {0}: Skriv inn planlagt antall DocType: Account,Income Account,Inntekt konto -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Payment Request,Amount in customer's currency,Beløp i kundens valuta apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Levering apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Tildeler strukturer ... @@ -4280,6 +4342,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Du vil miste oversikt over tidligere genererte fakturaer. Er du sikker på at du vil starte dette abonnementet på nytt? @@ -4335,11 +4398,10 @@ DocType: Additional Salary,HR User,HR User DocType: Bank Guarantee,Reference Document Name,Referansedokumentnavn DocType: Purchase Invoice,Taxes and Charges Deducted,Skatter og avgifter fratrukket DocType: Support Settings,Issues,Problemer -DocType: Shift Type,Early Exit Consequence after,Konsekvens av tidlig utgang etter DocType: Loyalty Program,Loyalty Program Name,Lojalitetsprogramnavn apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Status må være en av {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Påminnelse om å oppdatere GSTIN Sendt -DocType: Sales Invoice,Debit To,Debet Å +DocType: Discounted Invoice,Debit To,Debet Å DocType: Restaurant Menu Item,Restaurant Menu Item,Restaurant menyelement DocType: Delivery Note,Required only for sample item.,Kreves bare for prøve element. DocType: Stock Ledger Entry,Actual Qty After Transaction,Selve Antall Etter Transaksjons @@ -4422,6 +4484,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Parameternavn apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Bare La Applikasjoner med status 'Godkjent' og 'Avvist' kan sendes inn apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Oppretter dimensjoner ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Student Gruppenavn er obligatorisk i rad {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Omkjør kredittgrense_sjekk DocType: Homepage,Products to be shown on website homepage,Produkter som skal vises på nettstedet hjemmeside DocType: HR Settings,Password Policy,Passordpolicy apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,"Dette er en rot kundegruppe, og kan ikke redigeres." @@ -4469,10 +4532,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Hvis apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Vennligst sett standardkunden i Restaurantinnstillinger ,Salary Register,lønn Register DocType: Company,Default warehouse for Sales Return,Standard lager for salgsavkastning -DocType: Warehouse,Parent Warehouse,Parent Warehouse +DocType: Pick List,Parent Warehouse,Parent Warehouse DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definere ulike typer lån DocType: Bin,FCFS Rate,FCFS Rate @@ -4509,6 +4572,7 @@ DocType: Travel Itinerary,Lodging Required,Overnatting påkrevd DocType: Promotional Scheme,Price Discount Slabs,Pris Rabattplater DocType: Stock Reconciliation Item,Current Serial No,Gjeldende serienr DocType: Employee,Attendance and Leave Details,Oppmøte og permisjon detaljer +,BOM Comparison Tool,BOM-sammenligningsverktøy ,Requested,Spurt apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Nei Anmerkninger DocType: Asset,In Maintenance,Ved vedlikehold @@ -4531,6 +4595,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Standard servicenivåavtale DocType: SG Creation Tool Course,Course Code,Kurskode apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Mer enn ett valg for {0} er ikke tillatt +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Antall råvarer blir bestemt ut fra mengden av ferdige varer DocType: Location,Parent Location,Parent Location DocType: POS Settings,Use POS in Offline Mode,Bruk POS i frakoblet modus apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prioritet er endret til {0}. @@ -4549,7 +4614,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Prøvebehandlingslager DocType: Company,Default Receivable Account,Standard fordringer konto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Prosjektert mengdeformel DocType: Sales Invoice,Deemed Export,Gjeldende eksport -DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer for Produksjon +DocType: Pick List,Material Transfer for Manufacture,Material Transfer for Produksjon 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.,Rabattprosenten kan brukes enten mot en prisliste eller for alle Prisliste. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Regnskap Entry for Stock DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4592,7 +4657,6 @@ DocType: Training Event,Theory,Teori apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Advarsel: Material Requested Antall er mindre enn Minimum Antall apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Konto {0} er frosset DocType: Quiz Question,Quiz Question,Quiz Spørsmål -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverandør> Leverandørtype 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" @@ -4623,6 +4687,7 @@ 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 DocType: Account,Expense Account,Expense konto apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Programvare apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Farge @@ -4661,6 +4726,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Administrer Salgs 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 DocType: Fee Validity,Visited yet,Besøkt ennå +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Du kan ha opptil 8 artikler. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Næringslokaler med eksisterende transaksjon kan ikke konverteres til gruppen. 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. @@ -4668,7 +4734,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4693,7 +4758,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Konvertering i DocType: Contract,Signee Details,Signee Detaljer apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} har for øyeblikket en {1} leverandør scorecard, og RFQs til denne leverandøren skal utstedes med forsiktighet." DocType: Certified Consultant,Non Profit Manager,Non Profit Manager -DocType: BOM,Total Cost(Company Currency),Totalkostnad (Selskap Valuta) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serial No {0} opprettet DocType: Homepage,Company Description for website homepage,Selskapet beskrivelse for nettstedet hjemmeside DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","For det lettere for kunder, kan disse kodene brukes i trykte formater som regningene og leveringssedlene" @@ -4722,7 +4786,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Kvitterin DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktiver Planlagt synkronisering apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Til Datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Logger for å opprettholde sms leveringsstatus -DocType: Shift Type,Early Exit Consequence,Konsekvens av tidlig utgang DocType: Accounts Settings,Make Payment via Journal Entry,Utfør betaling via bilagsregistrering apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Ikke lag mer enn 500 elementer om gangen apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Trykt på @@ -4779,6 +4842,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Krysset 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Dato for etablering apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Et semester med denne 'Academic Year' {0} og "Term Name {1} finnes allerede. Vennligst endre disse oppføringene og prøv igjen. @@ -4841,6 +4905,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Kundetype DocType: Compensatory Leave Request,Leave Allocation,La Allocation DocType: Payment Request,Recipient Message And Payment Details,Mottakers Message og betalingsinformasjon +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Velg en leveringsmerknad DocType: Support Search Source,Source DocType,Kilde DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Åpne en ny billett DocType: Training Event,Trainer Email,trener E-post @@ -4962,6 +5027,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""Fra dato"" må være etter 'Til Dato'" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Ingen bemanningsplaner funnet for denne betegnelsen apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} i vare {1} er deaktivert. @@ -4983,7 +5049,7 @@ DocType: Clinical Procedure,Patient,Pasient apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Bypass kreditt sjekk på salgsordre DocType: Employee Onboarding Activity,Employee Onboarding Activity,Ansatte ombord på aktiviteten DocType: Location,Check if it is a hydroponic unit,Sjekk om det er en hydroponisk enhet -DocType: Stock Reconciliation Item,Serial No and Batch,Serial No og Batch +DocType: Pick List Item,Serial No and Batch,Serial No og Batch DocType: Warranty Claim,From Company,Fra Company DocType: GSTR 3B Report,January,januar apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summen av Resultater av vurderingskriterier må være {0}. @@ -5007,7 +5073,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabatt ( 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Ingen {0} funnet for Inter Company Transactions. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kreditt til kontoen må være en balansekonto @@ -5040,11 +5105,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kostnadssent 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Gjenværende værende~~POS=HEADCOMP DocType: Appraisal,Appraisal,Appraisal DocType: Loan,Loan Account,Lånekonto apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Gyldig fra og gyldige opptil felt er obligatorisk for det kumulative +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",For vare {0} på rad {1} stemmer ikke antall serienumre med det utvalgte antallet DocType: Purchase Invoice,GST Details,GST-detaljer apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Dette er basert på transaksjoner mot denne helsepersonell. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-post sendt til leverandøren {0} @@ -5108,6 +5175,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Totalvekten av pakken. Vanligvis nettovekt + emballasjematerialet vekt. (For utskrift) DocType: Assessment Plan,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Brukere med denne rollen har lov til å sette frosne kontoer og lage / endre regnskapspostene mot frosne kontoer +DocType: Plaid Settings,Plaid Environment,Pleddmiljø ,Project Billing Summary,Prosjekt faktureringssammendrag DocType: Vital Signs,Cuts,cuts DocType: Serial No,Is Cancelled,Er Avlyst @@ -5170,7 +5238,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Merk: Systemet vil ikke sjekke over-levering og over-booking for Element {0} som mengde eller beløpet er 0 DocType: Issue,Opening Date,Åpningsdato apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Vennligst lagre pasienten først -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Ta ny kontakt apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Oppmøte er merket med hell. DocType: Program Enrollment,Public Transport,Offentlig transport DocType: Sales Invoice,GST Vehicle Type,GST-kjøretøytype @@ -5197,6 +5264,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Regninger o 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Legg først til elementer i tabellen Vareposisjoner DocType: Pricing Rule,Discount Amount,Rabattbeløp DocType: Pricing Rule,Period Settings,Periodeinnstillinger DocType: Purchase Invoice,Return Against Purchase Invoice,Tilbake mot fakturaen @@ -5229,7 +5297,6 @@ DocType: Assessment Plan,Assessment Plan,Assessment Plan DocType: Travel Request,Fully Sponsored,Fullt sponset apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Omvendt journalinngang apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Lag jobbkort -DocType: Shift Type,Consequence after,Konsekvens etter DocType: Quality Procedure Process,Process Description,Prosess beskrivelse apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Kunden {0} er opprettet. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Foreløpig ingen lager tilgjengelig i varehus @@ -5264,6 +5331,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Klaring Dato DocType: Delivery Settings,Dispatch Notification Template,Forsendelsesvarslingsmal apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Vurderingsrapport apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Få ansatte +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 @@ -5357,7 +5425,6 @@ DocType: Stock Settings,Use Naming Series,Bruk Naming Series apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Ingen handling apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Verdsettelse typen kostnader kan ikke merket som Inclusive DocType: POS Profile,Update Stock,Oppdater Stock -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Ulik målenheter for elementer vil føre til feil (Total) Netto vekt verdi. Sørg for at nettovekt av hvert element er i samme målenheter. DocType: Certification Application,Payment Details,Betalingsinformasjon apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate @@ -5393,7 +5460,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Dette er en grunnlegg salg person og kan ikke redigeres. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Hvis valgt, vil verdien som er spesifisert eller beregnet i denne komponenten, ikke bidra til inntektene eller fradragene. Men det er verdien som kan refereres av andre komponenter som kan legges til eller trekkes fra." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Hvis valgt, vil verdien som er spesifisert eller beregnet i denne komponenten, ikke bidra til inntektene eller fradragene. Men det er verdien som kan refereres av andre komponenter som kan legges til eller trekkes fra." -DocType: Asset Settings,Number of Days in Fiscal Year,Antall dager i regnskapsåret ,Stock Ledger,Stock Ledger DocType: Company,Exchange Gain / Loss Account,Valutagevinst / tap-konto DocType: Amazon MWS Settings,MWS Credentials,MWS legitimasjon @@ -5429,6 +5495,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Kolonne i bankfil apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Forlat søknad {0} eksisterer allerede mot studenten {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,I kø for å oppdatere siste pris i alle Materialebevis. Det kan ta noen minutter. +DocType: Pick List,Get Item Locations,Få vareposisjoner apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Navn på ny konto. Merk: Vennligst ikke opprette kontoer for kunder og leverandører DocType: POS Profile,Display Items In Stock,Vis produkter på lager apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Country klok standardadresse Maler @@ -5452,6 +5519,7 @@ DocType: Crop,Materials Required,Materialer som kreves apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Ingen studenter Funnet DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Månedlig HRA-fritak DocType: Clinical Procedure,Medical Department,Medisinsk avdeling +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Totalt tidlig utkjørsel DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Leverandør Scorecard Scoring Criteria apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Faktura Publiseringsdato apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Selge @@ -5463,11 +5531,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Slett ansatt {0} \ for å avbryte dette dokumentet" DocType: Program Enrollment,School House,school House DocType: Serial No,Out of AMC,Ut av AMC DocType: Opportunity,Opportunity Amount,Mulighetsbeløp +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Profilen din apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Antall Avskrivninger reservert kan ikke være større enn Totalt antall Avskrivninger DocType: Purchase Order,Order Confirmation Date,Ordrebekreftelsesdato DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5561,7 +5628,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Det er uoverensstemmelser mellom rente, antall aksjer og beregnet beløp" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Du er ikke til stede hele dagen (e) mellom kompensasjonsorlovsdager apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Vennligst re-type firmanavn for å bekrefte -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Total Outstanding Amt DocType: Journal Entry,Printing Settings,Utskriftsinnstillinger DocType: Payment Order,Payment Order Type,Type betalingsordre DocType: Employee Advance,Advance Account,Forhåndskonto @@ -5651,7 +5717,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,År Navn apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Det er mer ferie enn virkedager denne måneden. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Følgende elementer {0} er ikke merket som {1} element. Du kan aktivere dem som {1} -objekt fra elementmasteren -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Produktet Bundle Element DocType: Sales Partner,Sales Partner Name,Sales Partner Name apps/erpnext/erpnext/hooks.py,Request for Quotations,Forespørsel om Sitater @@ -5660,7 +5725,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,blader +DocType: Leave Ledger Entry,Leaves,blader DocType: Student Language,Student Language,student Språk DocType: Cash Flow Mapping,Is Working Capital,Er arbeidskapital apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Send inn bevis @@ -5668,12 +5733,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Ordre / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Opptak Pasient Vitals DocType: Fee Schedule,Institution,institusjon -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: Asset,Partially Depreciated,delvis Avskrives DocType: Issue,Opening Time,Åpning Tid apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Fra og Til dato kreves apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Verdipapirer og råvarebørser -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Samtalesamtale av {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Doksøk apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard Enhet for Variant {0} må være samme som i malen {1} DocType: Shipping Rule,Calculate Based On,Beregn basert på @@ -5720,6 +5783,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimal tillatelig verdi 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 DocType: Lab Test Template,Sensitivity,Følsomhet DocType: Plaid Settings,Plaid Settings,Plaid Innstillinger apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Synkronisering er midlertidig deaktivert fordi maksimal retries er overskredet @@ -5737,6 +5801,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vennligst velg Publiseringsdato først apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Åpningsdato bør være før påmeldingsfristens utløp DocType: Travel Itinerary,Flight,Flygning +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Tilbake til hjemmet DocType: Leave Control Panel,Carry Forward,Fremføring apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Kostnadssted med eksisterende transaksjoner kan ikke konverteres til Ledger DocType: Budget,Applicable on booking actual expenses,Gjelder på bestilling faktiske utgifter @@ -5793,6 +5858,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Lag sitat apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Du er ikke autorisert til å godkjenne blader på Block Datoer apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Forespørsel om {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Alle disse elementene er allerede blitt fakturert +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Fant ingen utestående fakturaer for {0} {1} som kvalifiserer filtrene du har angitt. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Angi ny utgivelsesdato DocType: Company,Monthly Sales Target,Månedlig salgsmål apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Fant ingen utestående fakturaer @@ -5840,6 +5906,7 @@ DocType: Batch,Source Document Name,Kilde dokumentnavn DocType: Batch,Source Document Name,Kilde dokumentnavn DocType: Production Plan,Get Raw Materials For Production,Få råmaterialer til produksjon DocType: Job Opening,Job Title,Jobbtittel +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Fremtidig betaling ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} indikerer at {1} ikke vil gi et tilbud, men alle elementer \ er blitt sitert. Oppdaterer RFQ sitatstatus." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksimale prøver - {0} har allerede blitt beholdt for Batch {1} og Item {2} i Batch {3}. @@ -5850,12 +5917,10 @@ 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: Company,Product Code,Produktkode DocType: Quality Review Table,Objective,Objektiv DocType: Supplier Scorecard,Per Month,Per måned DocType: Education Settings,Make Academic Term Mandatory,Gjør faglig semester obligatorisk -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Antall å Manufacture må være større enn 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Beregn Prorated Depreciation Schedule Basert på Skatteår +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Antall å Manufacture må være større enn 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Besøk rapport for vedlikehold samtale. DocType: Stock Entry,Update Rate and Availability,Oppdateringsfrekvens og tilgjengelighet 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.,Prosentvis du har lov til å motta eller levere mer mot antall bestilte produkter. For eksempel: Hvis du har bestilt 100 enheter. og din Fradrag er 10% så du har lov til å motta 110 enheter. @@ -5867,7 +5932,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Utgivelsesdato må være i fremtiden DocType: BOM,Website Description,Website Beskrivelse apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Netto endring i egenkapital -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Vennligst avbryte fakturaen {0} først apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Ikke tillatt. Slå av tjenestenhetstype apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-post adresse må være unikt, allerede eksisterer for {0}" DocType: Serial No,AMC Expiry Date,AMC Utløpsdato @@ -5911,6 +5975,7 @@ DocType: Pricing Rule,Price Discount Scheme,Prisrabattordning apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Vedlikeholdsstatus må avbrytes eller fullføres for å sende inn DocType: Amazon MWS Settings,US,OSS DocType: Holiday List,Add Weekly Holidays,Legg til ukesferier +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Rapporter varen DocType: Staffing Plan Detail,Vacancies,Ledige stillinger DocType: Hotel Room,Hotel Room,Hotellrom apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Konto {0} ikke tilhører selskapet {1} @@ -5962,12 +6027,15 @@ DocType: Email Digest,Open Quotations,Åpne tilbud 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Slett ansatt {0} \ for å avbryte dette dokumentet" 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 @@ -5981,6 +6049,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Ledig DocType: Patient,Alcohol Past Use,Alkohol Tidligere Bruk DocType: Fertilizer Content,Fertilizer Content,Gjødselinnhold +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,ingen beskrivelse apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Billing State DocType: Quality Goal,Monitoring Frequency,Overvåkingsfrekvens @@ -5998,6 +6067,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Slutter på dato kan ikke være før neste kontakt dato. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Batch-oppføringer DocType: Journal Entry,Pay To / Recd From,Betal Til / recd From +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Fjern publisering av varen DocType: Naming Series,Setup Series,Oppsett Series DocType: Payment Reconciliation,To Invoice Date,Å Fakturadato DocType: Bank Account,Contact HTML,Kontakt HTML @@ -6019,6 +6089,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Retail DocType: Student Attendance,Absent,Fraværende DocType: Staffing Plan,Staffing Plan Detail,Bemanning Plan detalj DocType: Employee Promotion,Promotion Date,Kampanjedato +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Permisjonstildeling% s er knyttet til permisjonssøknad% s 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} @@ -6053,9 +6124,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Faktura {0} eksisterer ikke lenger DocType: Guardian Interest,Guardian Interest,Guardian Rente DocType: Volunteer,Availability,Tilgjengelighet +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Permisjonssøknad er knyttet til permisjonstildeling {0}. Permisjonssøknad kan ikke settes som permisjon uten lønn apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Oppsett standardverdier for POS-fakturaer DocType: Employee Training,Training,Opplæring DocType: Project,Time to send,Tid til å sende +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Denne siden holder oversikt over varene dine hvor kjøpere har vist en viss interesse. DocType: Timesheet,Employee Detail,Medarbeider Detalj apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Sett lager for prosedyre {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 Email ID @@ -6156,12 +6229,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,åpning Verdi DocType: Salary Component,Formula,Formel apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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: 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/setup/doctype/company/company.py,Sales Account,Salgskonto DocType: Purchase Invoice Item,Total Weight,Total vekt +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}" @@ -6185,6 +6258,7 @@ DocType: Company,Default Employee Advance Account,Standard ansattskonto apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Søkeelement (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Konto med eksisterende transaksjon kan ikke slettes +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Hvorfor tror dette elementet bør fjernes? DocType: Vehicle,Last Carbon Check,Siste Carbon Sjekk apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Rettshjelp apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Vennligst velg antall på rad @@ -6204,6 +6278,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Sammenbrudd DocType: Travel Itinerary,Vegetarian,Vegetarisk DocType: Patient Encounter,Encounter Date,Encounter Date +DocType: Work Order,Update Consumed Material Cost In Project,Oppdater forbruksmaterialekostnader i prosjektet apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: {1} kan ikke velges DocType: Bank Statement Transaction Settings Item,Bank Data,Bankdata DocType: Purchase Receipt Item,Sample Quantity,Prøvekvantitet @@ -6258,7 +6333,7 @@ DocType: GSTR 3B Report,April,april DocType: Plant Analysis,Collection Datetime,Samling Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Total driftskostnader -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Merk: Element {0} inngått flere ganger +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Merk: Element {0} inngått flere ganger apps/erpnext/erpnext/config/buying.py,All Contacts.,Alle kontakter. DocType: Accounting Period,Closed Documents,Lukkede dokumenter DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Administrer avtalefaktura send inn og avbryt automatisk for pasientmøte @@ -6340,9 +6415,7 @@ DocType: Member,Membership Type,Medlemskapstype ,Reqd By Date,Reqd etter dato apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Kreditorer DocType: Assessment Plan,Assessment Name,Assessment Name -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Vis PDC i Print apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Serial No er obligatorisk -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Fant ingen utestående fakturaer for {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Sak Wise Skatt Detalj DocType: Employee Onboarding,Job Offer,Jobbtilbud apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute forkortelse @@ -6401,6 +6474,7 @@ DocType: Serial No,Out of Warranty,Ut av Garanti DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mappet datatype DocType: BOM Update Tool,Replace,Erstatt apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Ingen produkter funnet. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Publiser flere elementer apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Denne servicenivåavtalen er spesifikk for kunden {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} mot Sales Faktura {1} DocType: Antibiotic,Laboratory User,Laboratoriebruker @@ -6423,7 +6497,6 @@ DocType: Payment Order Reference,Bank Account Details,Detaljer om bankkonto DocType: Purchase Order Item,Blanket Order,Teppe ordre 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Produksjonsordre har vært {0} DocType: BOM Item,BOM No,BOM Nei 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 @@ -6496,6 +6569,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Utgående skattepliktige leveranser (null vurdert) DocType: BOM,Materials Required (Exploded),Materialer som er nødvendige (Exploded) 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/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 @@ -6553,7 +6627,6 @@ DocType: Pricing Rule,Same Item,Samme vare DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry DocType: Quality Action Resolution,Quality Action Resolution,Kvalitetshandlingsoppløsning apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} på halv dag permisjon på {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Samme element er angitt flere ganger DocType: Department,Leave Block List,La Block List DocType: Purchase Invoice,Tax ID,Skatt ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Element {0} er ikke oppsett for Serial Nos. Kolonne må være tomt @@ -6591,7 +6664,7 @@ 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 DocType: Purchase Invoice,Return,Return -DocType: Accounting Dimension,Disable,Deaktiver +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 DocType: Task,Pending Review,Avventer omtale apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Rediger på full side for flere alternativer som eiendeler, serienummer, batcher etc." @@ -6704,7 +6777,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Kombinert fakturaport må være 100% DocType: Item Default,Default Expense Account,Standard kostnadskonto DocType: GST Account,CGST Account,CGST-konto -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Varekode> Varegruppe> Merke apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student Email ID DocType: Employee,Notice (days),Varsel (dager) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS Closing Voucher Fakturaer @@ -6715,6 +6787,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Velg elementer for å lagre fakturaen DocType: Employee,Encashment Date,Encashment Dato DocType: Training Event,Internet,Internett +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Selgerinformasjon DocType: Special Test Template,Special Test Template,Spesiell testmal DocType: Account,Stock Adjustment,Stock Adjustment apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Standard Aktivitet Kostnad finnes for Aktivitetstype - {0} @@ -6726,7 +6799,6 @@ 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 -DocType: Company,Bank Remittance Settings,Innstillinger for bankoverføring apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Gjennomsnittlig rente 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 @@ -6754,6 +6826,7 @@ DocType: Grading Scale Interval,Threshold,Terskel apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtrer ansatte etter (valgfritt) DocType: BOM Update Tool,Current BOM,Nåværende BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Balanse (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Antall ferdige varer apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Legg Serial No DocType: Work Order Item,Available Qty at Source Warehouse,Tilgjengelig antall på Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Garanti @@ -6832,7 +6905,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Her kan du opprettholde høyde, vekt, allergier, medisinske bekymringer etc" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Oppretter kontoer ... DocType: Leave Block List,Applies to Company,Gjelder Selskapet -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Kan ikke avbryte fordi innsendt Stock Entry {0} finnes +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Kan ikke avbryte fordi innsendt Stock Entry {0} finnes DocType: Loan,Disbursement Date,Innbetalingsdato DocType: Service Level Agreement,Agreement Details,Avtaledetaljer apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Startdato for avtale kan ikke være større enn eller lik sluttdato. @@ -6841,6 +6914,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Pasientjournal DocType: Vehicle,Vehicle,Kjøretøy DocType: Purchase Invoice,In Words,I Words +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Til dags dato må være før fra dato apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Skriv inn navnet på banken eller låneinstitusjonen før du sender inn. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} må sendes DocType: POS Profile,Item Groups,varegruppene @@ -6912,7 +6986,6 @@ DocType: Customer,Sales Team Details,Salgsteam Detaljer apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Slett permanent? DocType: Expense Claim,Total Claimed Amount,Total Hevdet Beløp apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potensielle muligheter for å selge. -DocType: Plaid Settings,Link a new bank account,Koble til en ny bankkonto apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} er en ugyldig deltakerstatus. DocType: Shareholder,Folio no.,Folio nr. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ugyldig {0} @@ -6928,7 +7001,6 @@ DocType: Production Plan,Material Requested,Materiale som kreves DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Reservert antall for kontrakt DocType: Patient Service Unit,Patinet Service Unit,Patinet Service Unit -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Generer tekstfil DocType: Sales Invoice,Base Change Amount (Company Currency),Base Endre Beløp (Selskap Valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Ingen regnskapspostene for følgende varehus apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Kun {0} på lager for varen {1} @@ -6942,6 +7014,7 @@ DocType: Item,No of Months,Antall måneder DocType: Item,Max Discount (%),Max Rabatt (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Kredittdager kan ikke være et negativt nummer apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Last opp en uttalelse +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Rapporter dette elementet DocType: Purchase Invoice Item,Service Stop Date,Service Stop Date apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Siste ordrebeløp DocType: Cash Flow Mapper,e.g Adjustments for:,f.eks. justeringer for: @@ -7035,16 +7108,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Skattefritakskategori for ansatte apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Beløpet skal ikke være mindre enn null. DocType: Sales Invoice,C-Form Applicable,C-Form Gjelder -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Operation Tid må være større enn 0 for operasjon {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Operation Tid må være større enn 0 for operasjon {0} DocType: Support Search Source,Post Route String,Legg inn rutestreng apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Warehouse er obligatorisk apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Kunne ikke opprette nettside DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Målenheter Conversion Detalj apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Opptak og påmelding -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry allerede opprettet eller Sample Quantity ikke oppgitt +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry allerede opprettet eller Sample Quantity ikke oppgitt DocType: Program,Program Abbreviation,program forkortelse -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Produksjonsordre kan ikke heves mot et elementmal apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Gruppe av voucher (konsoliderte) DocType: HR Settings,Encrypt Salary Slips in Emails,Krypter lønnsslipper i e-post DocType: Question,Multiple Correct Answer,Flere riktig svar @@ -7091,7 +7163,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Er ikke vurdert eller un DocType: Employee,Educational Qualification,Pedagogiske Kvalifikasjoner DocType: Workstation,Operating Costs,Driftskostnader apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Valuta for {0} må være {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Konsekvens av inngangsperioden DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Merk oppmøte basert på 'Ansattes checkin' for ansatte som er tildelt dette skiftet. DocType: Asset,Disposal Date,Deponering Dato DocType: Service Level,Response and Resoution Time,Svar og avskjedstid @@ -7139,6 +7210,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Ferdigstillelse Dato DocType: Purchase Invoice Item,Amount (Company Currency),Beløp (Selskap Valuta) DocType: Program,Is Featured,Er omtalt +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Henter... DocType: Agriculture Analysis Criteria,Agriculture User,Landbruker Bruker apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Gyldig til dato kan ikke være før transaksjonsdato apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} enheter av {1} trengs i {2} på {3} {4} for {5} for å fullføre denne transaksjonen. @@ -7171,7 +7243,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Sum innskutt Amt 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 @@ -7195,6 +7266,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonym apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Mottatt fra DocType: Lead,Converted,Omregnet DocType: Item,Has Serial No,Har Serial No +DocType: Stock Entry Detail,PO Supplied Item,PO levert vare 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} @@ -7309,7 +7381,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synkeskatter og -kostnader 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Standard BOM for {0} ikke funnet +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Trykk på elementer for å legge dem til her @@ -7345,7 +7417,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Vedlikehold Dato DocType: Purchase Invoice Item,Rejected Serial No,Avvist Serial No apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,År startdato eller sluttdato er overlappende med {0}. For å unngå vennligst sett selskap -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Vennligst nevne Lead Name in Lead {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Startdato skal være mindre enn sluttdato for Element {0} DocType: Shift Type,Auto Attendance Settings,Innstillinger for automatisk deltagelse @@ -7355,9 +7426,11 @@ DocType: Upload Attendance,Upload Attendance,Last opp Oppmøte apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM og Industri Antall kreves apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Aldring Range 2 DocType: SG Creation Tool Course,Max Strength,Max Strength +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Konto {0} finnes allerede i barneselskapet {1}. Følgende felt har forskjellige verdier, de skal være like:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Installere forhåndsinnstillinger DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Ingen leveringsnotering valgt for kunden {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Rader lagt til i {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Medarbeider {0} har ingen maksimal ytelsesbeløp apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Velg elementer basert på leveringsdato DocType: Grant Application,Has any past Grant Record,Har noen tidligere Grant Record @@ -7402,6 +7475,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Studentdetaljer DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Dette er standard UOM som brukes til varer og salgsordrer. Fallback UOM er "Nos". DocType: Purchase Invoice Item,Stock Qty,Varenummer +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 DocType: Loan,Repayment Period in Months,Nedbetalingstid i måneder @@ -7430,6 +7504,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Rabatt apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timeregistrering for oppgaver. DocType: Purchase Invoice,Against Expense Account,Mot regning apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installasjon Merk {0} har allerede blitt sendt +DocType: BOM,Raw Material Cost (Company Currency),Råvarekostnad (selskapets valuta) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Husleie betalte dager som er overlappende med {0} DocType: GSTR 3B Report,October,oktober DocType: Bank Reconciliation,Get Payment Entries,Få Betalings Entries @@ -7477,15 +7552,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Tilgjengelig for bruk er nødvendig DocType: Request for Quotation,Supplier Detail,Leverandør Detalj apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Feil i formel eller betingelse: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Fakturert beløp +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Fakturert beløp apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kriterievekter må legge opp til 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Oppmøte apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,lager~~POS=TRUNC DocType: Sales Invoice,Update Billed Amount in Sales Order,Oppdater fakturert beløp i salgsordre +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Kontakt selger 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,I Ord vil være synlig når du lagrer innkjøpsordre. @@ -7499,6 +7576,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Prisliste mester. DocType: Task,Review Date,Omtale Dato DocType: BOM,Allow Alternative Item,Tillat alternativ gjenstand +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Innkjøpskvittering har ingen varer som beholder prøve er aktivert for. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serie for Asset Depreciation Entry (Journal Entry) DocType: Membership,Member Since,Medlem siden @@ -7508,6 +7586,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,On Net Total 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},Verdi for Egenskap {0} må være innenfor området {1} til {2} i trinn på {3} for Element {4} DocType: Pricing Rule,Product Discount Scheme,Produktrabattordning +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Ingen spørsmål har blitt reist av innringeren. DocType: Restaurant Reservation,Waitlisted,ventelisten DocType: Employee Tax Exemption Declaration Category,Exemption Category,Fritakskategori apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valuta kan ikke endres etter at oppføringer ved hjelp av en annen valuta @@ -7521,7 +7600,6 @@ DocType: Customer Group,Parent Customer Group,Parent Kundegruppe apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON kan bare genereres fra salgsfaktura apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Maksimale forsøk for denne quizen nådd! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonnement -DocType: Purchase Invoice,Contact Email,Kontakt Epost apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Avgiftskapasitet venter DocType: Project Template Task,Duration (Days),Varighet (dager) DocType: Appraisal Goal,Score Earned,Resultat tjent @@ -7547,7 +7625,6 @@ DocType: Landed Cost Item,Landed Cost Item,Landed Cost Element 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Beløp for en enkelt transaksjon overstiger maksimalt tillatt beløp, opprett en egen betalingsordre ved å dele opp transaksjonene" 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 @@ -7718,6 +7795,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Tilgj DocType: Quality Inspection Reading,Reading 3,Reading 3 DocType: Stock Entry,Source Warehouse Address,Source Warehouse Adresse DocType: GL Entry,Voucher Type,Kupong Type +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Fremtidige betalinger 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 @@ -7744,6 +7822,7 @@ DocType: Travel Request,Identification Document Number,Identifikasjonsdokumentnu 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." DocType: Sales Invoice,Customer GSTIN,Kunde GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Liste over sykdommer oppdaget på feltet. Når den er valgt, vil den automatisk legge til en liste over oppgaver for å håndtere sykdommen" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Dette er en rotasjonshelsetjenestenhet og kan ikke redigeres. DocType: Asset Repair,Repair Status,Reparasjonsstatus 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." @@ -7758,6 +7837,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Konto for Change Beløp DocType: QuickBooks Migrator,Connecting to QuickBooks,Koble til QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Total gevinst / tap +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Lag valgliste apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rad {0}: Party / Account samsvarer ikke med {1} / {2} i {3} {4} DocType: Employee Promotion,Employee Promotion,Medarbeideropplæring DocType: Maintenance Team Member,Maintenance Team Member,Vedlikeholdsteammedlem @@ -7841,6 +7921,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettolønn kan ikke være negativ @@ -7872,7 +7953,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Kvalitetsmål DocType: BOM,Item to be manufactured or repacked,Elementet som skal produseres eller pakkes apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Syntaksfeil i tilstand: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Ingen problemer reist av kunden. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Store / valgfrie emner apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Vennligst sett leverandørgruppe i kjøpsinnstillinger. @@ -7965,8 +8045,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Kreditt Days apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Vennligst velg Pasient for å få Lab Tests DocType: Exotel Settings,Exotel Settings,Innstillinger for Exotel -DocType: Leave Type,Is Carry Forward,Er fremføring +DocType: Leave Ledger Entry,Is Carry Forward,Er fremføring DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Arbeidstid under som Fravær er merket. (Null å deaktivere) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Send en melding apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Få Elementer fra BOM 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 diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv index 27ab4ff1e8..426a17563c 100644 --- a/erpnext/translations/pl.csv +++ b/erpnext/translations/pl.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Powiadom o Dostawcy apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Wybierz typ pierwszy Party DocType: Item,Customer Items,Pozycje klientów +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Zadłużenie DocType: Project,Costing and Billing,Kalkulacja kosztów i fakturowanie apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},"Waluta konta Advance powinna być taka sama, jak waluta firmy {0}" DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Domyślna jednostka miary DocType: SMS Center,All Sales Partner Contact,Wszystkie dane kontaktowe Partnera Sprzedaży DocType: Department,Leave Approvers,Osoby Zatwierdzające Nieobecność DocType: Employee,Bio / Cover Letter,Bio / List motywacyjny +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Szukaj przedmiotów ... DocType: Patient Encounter,Investigations,Dochodzenia DocType: Restaurant Order Entry,Click Enter To Add,Kliknij Enter To Add apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Brakująca wartość hasła, klucza API lub Shopify URL" DocType: Employee,Rented,Wynajęty apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Wszystkie konta apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Nie można przenieść pracownika ze statusem w lewo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zatrzymany Zamówienie produkcji nie mogą być anulowane, odetkać najpierw anulować" DocType: Vehicle Service,Mileage,Przebieg apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Czy naprawdę chcemy zlikwidować ten atut? DocType: Drug Prescription,Update Schedule,Zaktualizuj harmonogram @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Klient DocType: Purchase Receipt Item,Required By,Wymagane przez DocType: Delivery Note,Return Against Delivery Note,Powrót Przeciwko dostawy nocie DocType: Asset Category,Finance Book Detail,Finanse Książka szczegółów +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Wszystkie amortyzacje zostały zarezerwowane DocType: Purchase Order,% Billed,% rozliczonych apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Numer listy płac apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),"Kurs wymiany muszą być takie same, jak {0} {1} ({2})" @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Batch Przedmiot status ważności apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Przekaz bankowy DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.RRRR.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Późne wpisy ogółem DocType: Mode of Payment Account,Mode of Payment Account,Konto księgowe dla tego rodzaju płatności apps/erpnext/erpnext/config/healthcare.py,Consultation,Konsultacja DocType: Accounts Settings,Show Payment Schedule in Print,Pokaż harmonogram płatności w druku @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,W apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Podstawowe dane kontaktowe apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Otwarte kwestie DocType: Production Plan Item,Production Plan Item,Przedmiot planu produkcji +DocType: Leave Ledger Entry,Leave Ledger Entry,Pozostaw wpis księgi głównej 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} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},Pole {0} jest ograniczone do rozmiaru {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Mak DocType: Purchase Invoice Item,Item Weight Details,Szczegóły dotyczące wagi przedmiotu DocType: Asset Maintenance Log,Periodicity,Okresowość apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Rok fiskalny {0} jest wymagane +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Zysk / strata netto DocType: Employee Group Table,ERPNext User ID,ERPNext Identyfikator użytkownika DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimalna odległość między rzędami roślin dla optymalnego wzrostu apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,"Wybierz pacjenta, aby uzyskać przepisaną procedurę" @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Cennik sprzedaży DocType: Patient,Tobacco Current Use,Obecne użycie tytoniu apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Kurs sprzedaży -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Zapisz dokument przed dodaniem nowego konta 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Fund DocType: Exchange Rate Revaluation Account,Gain/Loss,Zysk / strata DocType: Crop,Perennial,Bylina DocType: Program,Is Published,Jest opublikowany +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Pokaż dowody dostawy apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Aby zezwolić na rozliczenia, zaktualizuj „Over Billing Allowance” w ustawieniach kont lub pozycji." DocType: Patient Appointment,Procedure,Procedura DocType: Accounts Settings,Use Custom Cash Flow Format,Użyj niestandardowego formatu przepływu środków pieniężnych @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Szczegóły Polityki Nieobecności DocType: BOM,Item Image (if not slideshow),Element Obrazek (jeśli nie slideshow) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Wiersz # {0}: operacja {1} nie została zakończona dla {2} ilości gotowych produktów w zleceniu pracy {3}. Zaktualizuj status operacji za pomocą karty pracy {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} jest obowiązkowe do generowania płatności przelewem, ustaw pole i spróbuj ponownie" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Godzina Kursy / 60) * Rzeczywista Czas pracy apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Wiersz # {0}: Typ dokumentu referencyjnego musi być jednym z wydatków roszczenia lub wpisu do dziennika apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Wybierz BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Spłaty przez liczbę okresów apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Ilość do wyprodukowania nie może być mniejsza niż zero DocType: Stock Entry,Additional Costs,Dodatkowe koszty +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Grupa klientów> Terytorium apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Konto z istniejącymi zapisami nie może być konwertowane na Grupę (konto dzielone). DocType: Lead,Product Enquiry,Zapytanie o produkt DocType: Education Settings,Validate Batch for Students in Student Group,Sprawdź partię dla studentów w grupie studentów @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Absolwent apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Ustaw domyślny szablon dla Opuszczania powiadomienia o statusie w Ustawieniach HR. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On, DocType: BOM,Total Cost,Koszt całkowity +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Przydział wygasł! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maksymalna liczba przeniesionych liści DocType: Salary Slip,Employee Loan,pracownik Kredyt DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Wyślij e-mail z zapytaniem o płatność @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Nieruc apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Wyciąg z rachunku apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmaceutyczne DocType: Purchase Invoice Item,Is Fixed Asset,Czy trwałego +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Pokaż przyszłe płatności DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,To konto bankowe jest już zsynchronizowane DocType: Homepage,Homepage Section,Sekcja strony głównej @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Nawóz apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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 \" -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Ustaw Instructor Naming System w edukacji> Ustawienia edukacji apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Co najmniej jeden tryb płatności POS jest wymagane dla faktury. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Nr partii jest wymagany dla pozycji wsadowej {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Wyciąg z rachunku bankowego @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,Wybierz Regulamin apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Brak Wartości DocType: Bank Statement Settings Item,Bank Statement Settings Item,Ustawienia wyciągu bankowego Pozycja DocType: Woocommerce Settings,Woocommerce Settings,Ustawienia Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Nazwa transakcji DocType: Production Plan,Sales Orders,Zlecenia sprzedaży apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Znaleziono wiele programów lojalnościowych dla klienta. Wybierz ręcznie. DocType: Purchase Taxes and Charges,Valuation,Wycena @@ -461,6 +469,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Pokazuj tylko klientów tych grup klientów DocType: Sales Invoice,Is Opening Entry, @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,"Wspomnieć, jeśli nie standardowe konto należności dotyczy" 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 DocType: Supplier Scorecard,Criteria Setup,Konfiguracja kryteriów -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Dla magazynu jest wymagane przed wysłaniem +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 DocType: Codification Table,Medical Code,Kodeks Medyczny apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Połącz Amazon z ERPNext @@ -486,7 +496,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Dodano konta bankowe -DocType: Delivery Stop,Contact Name,Nazwa kontaktu +DocType: Call Log,Contact Name,Nazwa kontaktu DocType: Plaid Settings,Synchronize all accounts every hour,Synchronizuj wszystkie konta co godzinę DocType: Course Assessment Criteria,Course Assessment Criteria,Kryteria oceny kursu DocType: Pricing Rule Detail,Rule Applied,Stosowana reguła @@ -530,7 +540,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Nieznany numer DocType: Website Filter Field,Website Filter Field,Pole filtru witryny apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Rodzaj dostawy DocType: Material Request Item,Min Order Qty,Min. wartość zamówienia @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,Łączna kwota główna DocType: Student Guardian,Relation,Relacja DocType: Quiz Result,Correct,Poprawny DocType: Student Guardian,Mother,Mama -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Najpierw dodaj poprawne klucze Plaid api w site_config.json DocType: Restaurant Reservation,Reservation End Time,Rezerwacja Koniec czasu DocType: Crop,Biennial,Dwuletni ,BOM Variance Report,Raport wariancji BOM @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Płatność przed {0} {1} nie może być większa niż kwota kredytu pozostała {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,Ustawienia offline POS DocType: Stock Entry Detail,Reference Purchase Receipt,Odbiór zakupu referencyjnego DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.RRRR.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Wariant -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Zakończono Ilość nie może być większa niż ""Ilość w produkcji""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Zakończono Ilość nie może być większa niż ""Ilość w produkcji""" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Okres oparty na DocType: Period Closing Voucher,Closing Account Head, DocType: Employee,External Work History,Historia Zewnętrzna Pracy apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Circular Error Referencje apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Karta zgłoszenia ucznia apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Z kodu PIN +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Pokaż sprzedawcę DocType: Appointment Type,Is Inpatient,Jest hospitalizowany apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nazwa Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note., @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Nazwa wymiaru apps/erpnext/erpnext/healthcare/setup.py,Resistant,Odporny apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Ustaw stawkę hotelową na {} +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: Journal Entry,Multi Currency,Wielowalutowy DocType: Bank Statement Transaction Invoice Item,Invoice Type,Typ faktury apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Ważny od daty musi być krótszy niż data ważności @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Przyznał DocType: Workstation,Rent Cost,Koszt Wynajmu 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Nadchodzące wydarzenia kalendarzowe apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variant Atrybuty @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,Zapytanie ofertowe 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Pokaż osobę sprzedaży w druku 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ść @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Tworzenie nowego klienta apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Wygasający apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jeśli wiele Zasady ustalania cen nadal dominować, użytkownicy proszeni są o ustawienie Priorytet ręcznie rozwiązać konflikt." -DocType: Purchase Invoice,Scan Barcode,Skanuj kod kreskowy apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Stwórz zamówienie zakupu ,Purchase Register,Rejestracja Zakupu apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Nie znaleziono pacjenta @@ -817,6 +828,7 @@ DocType: Account,Old Parent,Stary obiekt nadrzędny apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Pole obowiązkowe - rok akademicki apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Pole obowiązkowe - rok akademicki apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} nie jest powiązane z {2} {3} +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} @@ -860,6 +872,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Składnik wynagrodzenia za płac opartego grafik. DocType: Driver,Applicable for external driver,Dotyczy zewnętrznego sterownika DocType: Sales Order Item,Used for Production Plan,Używane do Planu Produkcji +DocType: BOM,Total Cost (Company Currency),Koszt całkowity (waluta firmy) DocType: Loan,Total Payment,Całkowita płatność apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Nie można anulować transakcji dotyczącej ukończonego zlecenia pracy. DocType: Manufacturing Settings,Time Between Operations (in mins),Czas między operacjami (w min) @@ -881,6 +894,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Powiadamiaj inne DocType: Vital Signs,Blood Pressure (systolic),Ciśnienie krwi (skurczowe) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} to {2} DocType: Item Price,Valid Upto,Ważny do +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. @@ -899,6 +913,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Zmiany w {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Proszę wybrać firmę DocType: Employee Skill,Employee Skill,Umiejętność pracownika apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Konto Różnic @@ -943,6 +958,7 @@ DocType: Patient,Risk Factors,Czynniki ryzyka DocType: Patient,Occupational Hazards and Environmental Factors,Zagrożenia zawodowe i czynniki środowiskowe apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Wpisy magazynowe już utworzone dla zlecenia pracy apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Zobacz poprzednie zamówienia +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} rozmów DocType: Vital Signs,Respiratory rate,Oddechowy apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Zarządzanie Podwykonawstwo DocType: Vital Signs,Body Temperature,Temperatura ciała @@ -984,6 +1000,7 @@ DocType: Purchase Invoice,Registered Composition,Zarejestrowany skład apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,cześć apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Move Item DocType: Employee Incentive,Incentive Amount,Kwota motywacyjna +,Employee Leave Balance Summary,Podsumowanie salda urlopu pracownika DocType: Serial No,Warranty Period (Days),Okres gwarancji (dni) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,"Całkowita kwota kredytu / debetu powinna być taka sama, jak połączona pozycja księgowa" DocType: Installation Note Item,Installation Note Item, @@ -997,6 +1014,7 @@ DocType: Vital Signs,Bloated,Nadęty DocType: Salary Slip,Salary Slip Timesheet,Slip Wynagrodzenie grafiku apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt, DocType: Item Price,Valid From,Ważny od dnia +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Twoja ocena: DocType: Sales Invoice,Total Commission,Całkowita kwota prowizji DocType: Tax Withholding Account,Tax Withholding Account,Rachunek potrącenia podatku u źródła DocType: Pricing Rule,Sales Partner,Partner Sprzedaży @@ -1004,6 +1022,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Wszystkie karty o 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 +DocType: Item,Website Image,Obraz strony internetowej apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,"Docelowy magazyn w wierszu {0} musi być taki sam, jak zlecenie pracy" apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Wycena Cena jest obowiązkowe, jeżeli wprowadzone Otwarcie Zdjęcie" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nie znaleziono w tabeli faktury rekordy @@ -1038,8 +1057,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},D 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Przed synchronizacją konta wypełnij konfigurację interfejsu API Plaid 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 DocType: Job Applicant,Resume Attachment,W skrócie Załącznik @@ -1051,7 +1070,6 @@ DocType: Production Plan,Production Plan,Plan produkcji DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Otwieranie narzędzia tworzenia faktury DocType: Salary Component,Round to the Nearest Integer,Zaokrąglij do najbliższej liczby całkowitej apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Zwrot sprzedaży -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Uwaga: Wszystkie przydzielone nieobecności {0} nie powinna być mniejsza niż już zatwierdzonych nieobecności {1} dla okresu DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Ustaw liczbę w transakcjach na podstawie numeru seryjnego ,Total Stock Summary,Całkowity podsumowanie zasobów apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1080,6 +1098,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Log apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Główna kwota DocType: Loan Application,Total Payable Interest,Całkowita zapłata odsetek apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Całkowity stan: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Otwarty kontakt DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Faktura sprzedaży grafiku 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} @@ -1089,6 +1108,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Domyślna seria nazewnictw 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 DocType: Restaurant Reservation,Restaurant Reservation,Rezerwacja restauracji +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Twoje przedmioty apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Pisanie Wniosku DocType: Payment Entry Deduction,Payment Entry Deduction,Płatność Wejście Odliczenie DocType: Service Level Priority,Service Level Priority,Priorytet poziomu usług @@ -1097,6 +1117,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Seria numerów partii apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Inna osoba Sprzedaż {0} istnieje w tym samym identyfikator pracownika DocType: Employee Advance,Claimed Amount,Kwota roszczenia +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Wygaś przydział 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 @@ -1166,7 +1187,6 @@ DocType: Student Batch Name,Batch Name,Batch Nazwa DocType: Fee Validity,Max number of visit,Maksymalna liczba wizyt DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Obowiązkowe dla rachunku zysków i strat ,Hotel Room Occupancy,Pokój hotelowy -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Grafiku stworzył: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Proszę ustawić domyślne konto Gotówka lub Bank dla płatności typu {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Zapisać DocType: GST Settings,GST Settings,Ustawienia GST @@ -1300,6 +1320,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Proszę wybrać Program DocType: Project,Estimated Cost,Szacowany koszt DocType: Request for Quotation,Link to material requests,Link do żądań materialnych +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Publikować apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Lotnictwo ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Karta kredytowa @@ -1326,6 +1347,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Aktywa finansowe apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} nie jest przechowywany na magazynie apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Podziel się swoją opinią na szkolenie, klikając link "Szkolenia zwrotne", a następnie "Nowy"" +DocType: Call Log,Caller Information,Informacje o dzwoniącym DocType: Mode of Payment Account,Default Account,Domyślne konto apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Najpierw wybierz Sample Retention Warehouse w ustawieniach magazynowych apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Wybierz typ programu dla wielu poziomów dla więcej niż jednej reguły zbierania. @@ -1350,6 +1372,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Wnioski Auto Materiał Generated DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Godziny pracy, poniżej których zaznaczono pół dnia. (Zero, aby wyłączyć)" DocType: Job Card,Total Completed Qty,Całkowita ukończona ilość +DocType: HR Settings,Auto Leave Encashment,Auto Leave Encashment apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Straty apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,You can not enter current voucher in 'Against Journal Entry' column DocType: Employee Benefit Application Detail,Max Benefit Amount,Kwota maksymalnego świadczenia @@ -1379,9 +1402,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Abonent DocType: Item Attribute Value,Item Attribute Value,Pozycja wartość atrybutu apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Wymiana walut musi dotyczyć Kupowania lub Sprzedaży. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Tylko wygasły przydział można anulować DocType: Item,Maximum sample quantity that can be retained,"Maksymalna ilość próbki, którą można zatrzymać" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Wiersz {0} # Element {1} nie może zostać przeniesiony więcej niż {2} na zamówienie {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Kampanie sprzedażowe +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Nieznany rozmówca DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1432,6 +1457,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Schemat cza apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Name DocType: Expense Claim Detail,Expense Claim Type,Typ Zwrotu Kosztów DocType: Shopping Cart Settings,Default settings for Shopping Cart,Domyślne ustawienia koszyku +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Zapisz przedmiot apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Nowy wydatek apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignoruj istniejącą zamówioną ilość apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Dodaj czasopisma @@ -1444,6 +1470,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Wysłane zaproszenie do recenzji DocType: Shift Assignment,Shift Assignment,Przydział Shift DocType: Employee Transfer Property,Employee Transfer Property,Usługa przenoszenia pracowniczych +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Pole Rachunek kapitału własnego / pasywnego nie może być puste apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Od czasu powinno być mniej niż w czasie apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotechnologia apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1526,11 +1553,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Z państw 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Plan zajęć DocType: GSTR 3B Report,GSTR 3B Report,Raport GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Status statusu DocType: GoCardless Settings,Webhooks Secret,Sekret Webhooks DocType: Maintenance Visit,Completion Status,Status ukończenia +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Łączna kwota płatności nie może być większa niż {} DocType: Daily Work Summary Group,Select Users,Wybierz użytkowników DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Cennik pokoi hotelowych DocType: Loyalty Program Collection,Tier Name,Nazwa warstwy @@ -1568,6 +1597,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Kwota SG DocType: Lab Test Template,Result Format,Format wyników DocType: Expense Claim,Expenses,Wydatki DocType: Service Level,Support Hours,Godziny Wsparcia +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Dokumenty dostawy DocType: Item Variant Attribute,Item Variant Attribute,Pozycja Wersja Atrybut ,Purchase Receipt Trends,Trendy Potwierdzenia Zakupu DocType: Payroll Entry,Bimonthly,Dwumiesięczny @@ -1590,7 +1620,6 @@ DocType: Sales Team,Incentives, DocType: SMS Log,Requested Numbers,Wymagane numery DocType: Volunteer,Evening,Wieczór DocType: Quiz,Quiz Configuration,Konfiguracja quizu -DocType: Customer,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 @@ -1637,7 +1666,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Główn ,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ą -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Nie udało się znaleźć wolnego przedziału czasu w najbliższych {0} dniach do pracy {1} DocType: Work Order,Plan material for sub-assemblies,Materiał plan podzespołó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 @@ -1652,9 +1680,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,"Aby utrzymać poziomy ponownego zamówienia, musisz włączyć automatyczne ponowne zamówienie w Ustawieniach zapasów." apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Anuluj Fizyczne Wizyty {0} zanim anulujesz Wizytę Pośrednią DocType: Pricing Rule,Rate or Discount,Stawka lub zniżka +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Dane bankowe DocType: Vital Signs,One Sided,Jednostronny apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Nr seryjny {0} nie należy do żadnej rzeczy {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Wymagana ilość +DocType: Purchase Order Item Supplied,Required Qty,Wymagana ilość DocType: Marketplace Settings,Custom Data,Dane niestandardowe apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Magazyny z istniejącymi transakcji nie mogą być konwertowane do księgi głównej. DocType: Service Day,Service Day,Dzień obsługi @@ -1682,7 +1711,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Waluta konta DocType: Lab Test,Sample ID,Identyfikator wzorcowy apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Proszę określić konto do zaokrągleń kwot w firmie -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Przedział DocType: Supplier,Default Payable Accounts,Domyślne konta Rozrachunki z dostawcami apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Pracownik {0} jest nieaktywny lub nie istnieje @@ -1723,8 +1751,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Prośba o informację DocType: Course Activity,Activity Date,Data aktywności apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} z {} -,LeaderBoard,Tabela Liderów DocType: Sales Invoice Item,Rate With Margin (Company Currency),Stawka z depozytem zabezpieczającym (waluta spółki) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategorie apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Synchronizacja Offline Faktury DocType: Payment Request,Paid,Zapłacono DocType: Service Level,Default Priority,Domyślny priorytet @@ -1759,11 +1787,11 @@ DocType: Agriculture Task,Agriculture Task,Zadanie rolnicze apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Przychody pośrednie DocType: Student Attendance Tool,Student Attendance Tool,Obecność Student Narzędzie DocType: Restaurant Menu,Price List (Auto created),Cennik (utworzony automatycznie) +DocType: Pick List Item,Picked Qty,Wybrano ilość DocType: Cheque Print Template,Date Settings,Data Ustawienia 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 -,Company Name,Nazwa firmy 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. @@ -1782,7 +1810,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Ostatnia próba DocType: Quiz Result,Quiz Result,Wynik testu 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} -DocType: BOM,Raw Material Cost(Company Currency),Koszt surowca (Spółka waluty) 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 @@ -1851,6 +1878,7 @@ DocType: Travel Itinerary,Train,Pociąg ,Delayed Item Report,Raport o opóźnionych przesyłkach apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Kwalifikujące się ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Zajęcia stacjonarne +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Opublikuj swoje pierwsze przedmioty DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.RRRR.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Czas po zakończeniu zmiany, w trakcie którego wymeldowanie jest brane pod uwagę." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Proszę podać {0} @@ -1968,6 +1996,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Wszystkie LM apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Utwórz wpis do dziennika firmy DocType: Company,Parent Company,Przedsiębiorstwo macierzyste apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Pokoje hotelowe typu {0} są niedostępne w dniu {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Porównaj LM dla zmian w surowcach i operacjach apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokument {0} został pomyślnie usunięty DocType: Healthcare Practitioner,Default Currency,Domyślna waluta apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Uzgodnij to konto @@ -2002,6 +2031,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail, DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Płatność Wyrównawcza Faktury DocType: Clinical Procedure,Procedure Template,Szablon procedury +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publikuj przedmioty apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Udział % apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Zgodnie z ustawieniami zakupu, jeśli wymagane jest zamówienie zakupu == "YES", a następnie do utworzenia faktury zakupu użytkownik musi najpierw utworzyć zamówienie kupna dla pozycji {0}" ,HSN-wise-summary of outward supplies,Podsumowanie HSN dostaw zewnętrznych @@ -2014,7 +2044,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Proszę ustawić "Zastosuj dodatkowe zniżki na ' DocType: Party Tax Withholding Config,Applicable Percent,Obowiązujący procent ,Ordered Items To Be Billed,Zamówione produkty do rozliczenia -DocType: Employee Checkin,Exit Grace Period Consequence,Konsekwencja okresu wygładzania apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Od Zakres musi być mniejsza niż do zakresu DocType: Global Defaults,Global Defaults,Globalne wartości domyślne apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Projekt zaproszenie Współpraca @@ -2022,13 +2051,11 @@ DocType: Salary Slip,Deductions,Odliczenia DocType: Setup Progress Action,Action Name,Nazwa akcji apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Rok rozpoczęcia apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Utwórz pożyczkę -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Początek okresu rozliczeniowego dla faktury DocType: Shift Type,Process Attendance After,Uczestnictwo w procesie po ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Urlop bezpłatny DocType: Payment Request,Outward,Zewnętrzny -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Błąd Planowania Pojemności apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Podatek stanowy / UT ,Trial Balance for Party,Trial Balance for Party ,Gross and Net Profit Report,Raport zysku brutto i netto @@ -2047,7 +2074,6 @@ DocType: Payroll Entry,Employee Details, 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} -DocType: Setup Progress Action,Domains,Domeny 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} @@ -2090,7 +2116,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Spotkanie 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.","Tryb płatność nie jest skonfigurowana. Proszę sprawdzić, czy konto zostało ustawione na tryb płatności lub na POS Profilu." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Sama pozycja nie może być wprowadzone wiele razy. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Dalsze relacje mogą być wykonane w ramach grup, ale wpisy mogą być wykonane przed spoza grup" -DocType: Email Campaign,Lead,Potencjalny klient +DocType: Call Log,Lead,Potencjalny klient DocType: Email Digest,Payables,Zobowiązania DocType: Amazon MWS Settings,MWS Auth Token,MWh Auth Token DocType: Email Campaign,Email Campaign For ,Kampania e-mailowa dla @@ -2102,6 +2128,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Przedmioty oczekujące na rachunkowość Zamówienia Kupna 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 DocType: Purchase Invoice Item,Net Rate,Cena netto apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Proszę wybrać klienta DocType: Leave Policy,Leave Allocations,Alokacje Nieobecności @@ -2115,6 +2142,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Po blisko Issue Dni ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,"Musisz być użytkownikiem z rolami System Manager i Menedżera elementów, aby dodawać użytkowników do Marketplace." +DocType: Attendance,Early Exit,Wczesne wyjście DocType: Job Opening,Staffing Plan,Plan zatrudnienia apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON można wygenerować tylko z przesłanego dokumentu apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Podatek i świadczenia pracownicze @@ -2137,6 +2165,7 @@ DocType: Maintenance Team Member,Maintenance Role,Rola konserwacji apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Wiersz zduplikowany {0} z tym samym {1} DocType: Marketplace Settings,Disable Marketplace,Wyłącz Marketplace DocType: Quality Meeting,Minutes,Minuty +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Twoje polecane przedmioty ,Trial Balance,Zestawienie obrotów i sald apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Pokaż ukończone apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Rok fiskalny {0} Nie znaleziono @@ -2146,8 +2175,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Użytkownik rezerwacji ho 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 DocType: Contract,Fulfilment Deadline,Termin realizacji +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Blisko Ciebie DocType: Student,O-,O- -DocType: Shift Type,Consequence,Skutek DocType: Subscription Settings,Subscription Settings,Ustawienia subskrypcji DocType: Purchase Invoice,Update Auto Repeat Reference,Zaktualizuj Auto Repeat Reference apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Opcjonalna lista dni świątecznych nie jest ustawiona dla okresu urlopu {0} @@ -2158,7 +2187,6 @@ DocType: Maintenance Visit Purpose,Work Done,Praca wykonana apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Proszę zaznaczyć co najmniej jeden atrybut w tabeli atrybutów DocType: Announcement,All Students,Wszyscy uczniowie apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Element {0} musi być elementem non-stock -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Podgląd księgi DocType: Grading Scale,Intervals,przedziały DocType: Bank Statement Transaction Entry,Reconciled Transactions,Uzgodnione transakcje @@ -2194,6 +2222,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Przedmiot Szansy DocType: Quality Action,Quality Review,Przegląd jakości @@ -2220,7 +2249,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Uzyskaj zaległą fakturę -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Zlecenie Sprzedaży {0} jest niepoprawne +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Zamówienia pomoże Ci zaplanować i śledzić na zakupy apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Zasady badań laboratoryjnych @@ -2245,6 +2274,7 @@ DocType: Employee Onboarding,Notify users by email,Powiadom użytkowników poczt DocType: Travel Request,International,Międzynarodowy DocType: Training Event,Training Event,Training Event DocType: Item,Auto re-order,Automatyczne ponowne zamówienie +DocType: Attendance,Late Entry,Późne wejście apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Razem Osiągnięte DocType: Employee,Place of Issue,Miejsce wydania DocType: Promotional Scheme,Promotional Scheme Price Discount,Zniżka cenowa programu promocyjnego @@ -2291,6 +2321,7 @@ DocType: Serial No,Serial No Details,Szczegóły numeru seryjnego DocType: Purchase Invoice Item,Item Tax Rate,Stawka podatku dla tej pozycji apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Od nazwy imprezy apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Kwota wynagrodzenia netto +DocType: Pick List,Delivery against Sales Order,Dostawa za zamówienie sprzedaży DocType: Student Group Student,Group Roll Number,Numer grupy DocType: Student Group Student,Group Roll Number,Numer grupy apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Dla {0}, tylko Kredytowane konta mogą być połączone z innym zapisem po stronie debetowej" @@ -2364,7 +2395,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ta wartość jest używana do obliczenia pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Musisz włączyć Koszyk DocType: Payment Entry,Writeoff,Writeoff DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2378,6 +2408,7 @@ DocType: Delivery Trip,Total Estimated Distance,Łączna przewidywana odległoś DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Niezapłacone konto należności DocType: Tally Migration,Tally Company,Firma Tally apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Przeglądarka BOM +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Nie wolno tworzyć wymiaru księgowego dla {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Proszę zaktualizować swój status w tym szkoleniu DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Dodatki lub Potrącenia @@ -2387,7 +2418,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Nieaktywne elementy sprzedaży DocType: Quality Review,Additional Information,Dodatkowe informacje apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Łączna wartość zamówienia -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Zresetowanie umowy o poziomie usług. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Żywność apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Starzenie Zakres 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Szczegóły kuponu zamykającego POS @@ -2434,6 +2464,7 @@ 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 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' DocType: Healthcare Practitioner,Contacts and Address,Kontakty i adres DocType: Shift Type,Determine Check-in and Check-out,Określ odprawę i wymeldowanie @@ -2453,7 +2484,6 @@ DocType: Student Admission,Eligibility and Details,Kwalifikowalność i szczegó apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Zawarte w zysku brutto apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Zmiana netto stanu trwałego apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Wymagana ilość -DocType: Company,Client Code,Kod klienta apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate, apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Od DateTime @@ -2522,6 +2552,7 @@ DocType: Journal Entry Account,Account Balance,Bilans konta apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Klient zobowiązany jest przed należność {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Łączna kwota podatków i opłat (wg Firmy) DocType: Weather,Weather Parameter,Parametr pogody @@ -2584,6 +2615,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Próg godzin pracy dla ni apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Może istnieć wiele warstwowych współczynników zbierania w oparciu o całkowitą ilość wydanych pieniędzy. Jednak współczynnik konwersji dla umorzenia będzie zawsze taki sam dla wszystkich poziomów. apps/erpnext/erpnext/config/help.py,Item Variants,Warianty artykuł apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Usługi +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Email Wynagrodzenie Slip pracownikowi DocType: Cost Center,Parent Cost Center,Nadrzędny dział kalkulacji kosztów @@ -2594,7 +2626,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","W DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importuj notatki dostawy z Shopify w przesyłce apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Pokaż closed DocType: Issue Priority,Issue Priority,Priorytet wydania -DocType: Leave Type,Is Leave Without Pay,jest Urlopem Bezpłatnym +DocType: Leave Ledger Entry,Is Leave Without Pay,jest Urlopem Bezpłatnym apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Kategoria atutem jest obowiązkowe dla Fixed pozycja aktywów DocType: Fee Validity,Fee Validity,Ważność opłaty @@ -2643,6 +2675,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Dostępne w Warehou apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Aktualizacja Format wydruku DocType: Bank Account,Is Company Account,Jest kontem firmowym apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Typ opuszczenia {0} nie podlega szyfrowaniu +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Limit kredytowy jest już zdefiniowany dla firmy {0} DocType: Landed Cost Voucher,Landed Cost Help,Ugruntowany Koszt Pomocy DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Wybierz adres dostawy @@ -2667,6 +2700,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Dwukierunkowy DocType: Item,Manufacturers,Producenci @@ -2704,7 +2738,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Stan uzgodnień z wyciągami z banku DocType: Patient Encounter,Medical Coding,Kodowanie medyczne DocType: Healthcare Settings,Reminder Message,Komunikat Przypomnienia -,Lead Name,Nazwa Tropu +DocType: Call Log,Lead Name,Nazwa Tropu ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Poszukiwania @@ -2736,12 +2770,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Magazyn dostawcy DocType: Opportunity,Contact Mobile No,Numer komórkowy kontaktu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Wybierz firmę ,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: 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- 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.,Użytkownik {0} nie ma żadnego domyślnego profilu POS. Sprawdź domyślne w wierszu {1} dla tego użytkownika. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Protokół spotkania jakości +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dostawca> Rodzaj dostawcy apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Referencje pracownika DocType: Student Group,Set 0 for no limit,Ustaw 0 oznacza brak limitu apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Dzień (s), w którym starasz się o urlop jest święta. Nie musisz ubiegać się o urlop." @@ -2775,12 +2811,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Zmiana netto stanu środków pieniężnych DocType: Assessment Plan,Grading Scale,Skala ocen apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jednostka miary {0} została wprowadzona więcej niż raz w Tabelce Współczynnika Konwersji -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Zakończone apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Na stanie magazynu apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Dodaj pozostałe korzyści {0} do aplikacji jako komponent \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Ustaw kod podatkowy dla administracji publicznej „% s” -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Płatność Zapytanie już istnieje {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Koszt Emitowanych Przedmiotów DocType: Healthcare Practitioner,Hospital,Szpital apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Ilość nie może być większa niż {0} @@ -2825,6 +2859,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Kadry apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Wzrost Wpływów DocType: Item Manufacturer,Item Manufacturer,pozycja Producent +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Utwórz nowego potencjalnego klienta DocType: BOM Operation,Batch Size,Wielkość partii apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Odrzucać DocType: Journal Entry Account,Debit in Company Currency,Debet w firmie Waluta @@ -2845,9 +2880,11 @@ DocType: Bank Transaction,Reconciled,Uzgodnione DocType: Expense Claim,Total Amount Reimbursed,Całkowitej kwoty zwrotów apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Opiera się to na dzienniki przeciwko tego pojazdu. Zobacz harmonogram poniżej w szczegółach apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Data płacy nie może być mniejsza niż data dołączenia pracownika +DocType: Pick List,Item Locations,Lokalizacje przedmiotów apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} utworzone apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Oferty pracy dla oznaczenia {0} już otwarte \ lub zatrudnianie zakończone zgodnie z Planem zatrudnienia {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Możesz opublikować do 200 pozycji. DocType: Vital Signs,Constipated,Mający zaparcie apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Przeciwko Dostawcę faktury {0} {1} dnia DocType: Customer,Default Price List,Domyślny cennik @@ -2940,6 +2977,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Shift Actual Start DocType: Tally Migration,Is Day Book Data Imported,Importowane są dane dzienników apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Wydatki marketingowe +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} jednostek {1} jest niedostępne. ,Item Shortage Report,Element Zgłoś Niedobór 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 @@ -2963,6 +3001,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Całkowita ilość przyznanych 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ę 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ż DocType: Material Request,Transferred,Przeniesiony DocType: Vehicle,Doors,drzwi @@ -3043,7 +3082,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Kod Przedmiotu Klienta DocType: Stock Reconciliation,Stock Reconciliation,Uzgodnienia stanu DocType: Territory,Territory Name,Nazwa Regionu DocType: Email Digest,Purchase Orders to Receive,Zamówienia zakupu do odbioru -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Magazyn z produkcją w toku jest wymagany przed wysłaniem +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Magazyn z produkcją w toku jest wymagany przed wysłaniem apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Możesz mieć tylko Plany z tym samym cyklem rozliczeniowym w Subskrypcji DocType: Bank Statement Transaction Settings Item,Mapped Data,Zmapowane dane DocType: Purchase Order Item,Warehouse and Reference,Magazyn i punkt odniesienia @@ -3119,6 +3158,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Ustawienia dostawy apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Pobierz dane apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maksymalny dozwolony urlop w typie urlopu {0} to {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Opublikuj 1 przedmiot DocType: SMS Center,Create Receiver List,Stwórz listę odbiorców DocType: Student Applicant,LMS Only,Tylko LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Data przydatności do użycia powinna być późniejsza niż data zakupu @@ -3152,6 +3192,7 @@ 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 DocType: Vital Signs,Furry,Futrzany apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Proszę ustaw 'wpływ konto / strata na aktywach Spółki w unieszkodliwianie "{0} +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} @@ -3163,6 +3204,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Wyświetl wszystkie problemy z {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabela jakości spotkań +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/templates/pages/help.html,Visit the forums,Odwiedź fora DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Ma Warianty @@ -3174,9 +3216,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Nazwa dystrybucji DocType: Quality Procedure Process,Quality Procedure Process,Proces procedury jakości apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Identyfikator zbiorczy jest obowiązkowy apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Identyfikator zbiorczy jest obowiązkowy +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Najpierw wybierz klienta DocType: Sales Person,Parent Sales Person,Nadrzędny Przedstawiciel Handlowy apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Żadne przedmioty do odbioru nie są spóźnione apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Sprzedawca i kupujący nie mogą być tacy sami +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Brak jeszcze wyświetleń DocType: Project,Collect Progress,Zbierz postęp DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Najpierw wybierz program @@ -3198,11 +3242,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Osiągnięte DocType: Student Admission,Application Form Route,Formularz zgłoszeniowy Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Data zakończenia umowy nie może być mniejsza niż dzisiaj. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,"Ctrl + Enter, aby przesłać" DocType: Healthcare Settings,Patient Encounters in valid days,Spotkania z pacjentami w ważne dni apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Typ Nieobecności {0} nie może zostać zaalokowany, ponieważ jest Urlopem Bezpłatnym" 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},Wiersz {0}: Przyznana kwota {1} musi być mniejsza lub równa pozostałej kwoty faktury {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Słownie, będzie widoczne w fakturze sprzedaży, po zapisaniu" DocType: Lead,Follow Up,Zagryźć +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Centrum kosztów: {0} nie istnieje DocType: Item,Is Sales Item,Jest pozycją sprzedawalną apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Drzewo kategorii apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Element {0} nie jest ustawiony na nr seryjny. Sprawdź mastera tego elementu @@ -3247,9 +3293,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Dostarczane szt DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.RRRR.- DocType: Purchase Order Item,Material Request Item, -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Najpierw anuluj potwierdzenie zakupu {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Drzewo grupy produktów DocType: Production Plan,Total Produced Qty,Całkowita ilość wyprodukowanej +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Brak recenzji apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Nie można wskazać numeru wiersza większego lub równego numerowi dla tego typu Opłaty DocType: Asset,Sold,Sprzedany ,Item-wise Purchase History, @@ -3268,7 +3314,7 @@ DocType: Designation,Required Skills,Wymagane umiejętności DocType: Inpatient Record,O Positive,O pozytywne apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Inwestycje DocType: Issue,Resolution Details,Szczegóły Rozstrzygnięcia -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,typ transakcji +DocType: Leave Ledger Entry,Transaction Type,typ transakcji DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kryteria akceptacji apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Prośbę materiału w powyższej tabeli apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Wpisy do dziennika nie są dostępne @@ -3310,6 +3356,7 @@ DocType: Bank Account,Bank Account No,Nr konta bankowego DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Świadectwo zwolnienia podatkowego dla pracowników DocType: Patient,Surgical History,Historia chirurgiczna DocType: Bank Statement Settings Item,Mapped Header,Mapowany nagłówek +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: 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. 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} @@ -3378,7 +3425,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Dodaj papier firmowy DocType: Program Enrollment,Self-Driving Vehicle,Samochód osobowy 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Liczba przyznanych zwolnień od pracy {0} nie może być mniejsza niż już zatwierdzonych zwolnień{1} w okresie DocType: Contract Fulfilment Checklist,Requirement,Wymaganie DocType: Journal Entry,Accounts Receivable,Należności DocType: Quality Goal,Objectives,Cele @@ -3401,7 +3447,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Próg pojedynczej tra DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ta wartość jest aktualizowana w Domyślnym Cenniku Sprzedaży. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Twój koszyk jest pusty DocType: Email Digest,New Expenses,Nowe wydatki -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Kwota PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Nie można zoptymalizować trasy, ponieważ brakuje adresu sterownika." DocType: Shareholder,Shareholder,Akcjonariusz DocType: Purchase Invoice,Additional Discount Amount,Kwota dodatkowego rabatu @@ -3438,6 +3483,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Zadanie konserwacji apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Ustaw Limit B2C w Ustawieniach GST. DocType: Marketplace Settings,Marketplace Settings,Ustawienia Marketplace DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magazyn w którym zarządzasz odrzuconymi przedmiotami +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Opublikuj {0} przedmiotów 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,Nie można znaleźć kursu wymiany dla {0} do {1} dla daty klucza {2}. Proszę utworzyć ręcznie rekord wymiany walut DocType: POS Profile,Price List,Cennik 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 @@ -3474,6 +3520,7 @@ DocType: Salary Component,Deduction,Odliczenie DocType: Item,Retain Sample,Zachowaj próbkę apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Wiersz {0}: od czasu do czasu i jest obowiązkowe. DocType: Stock Reconciliation Item,Amount Difference,kwota różnicy +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"Ta strona śledzi przedmioty, które chcesz kupić od sprzedawców." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Pozycja Cena dodany do {0} w Cenniku {1} DocType: Delivery Stop,Order Information,Szczegóły zamówienia apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Proszę podać ID pracownika tej osoby ze sprzedaży @@ -3502,6 +3549,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nazwa planu oceny apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Szczegóły celu apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Stosuje się, jeśli spółką jest SpA, SApA lub SRL" @@ -3554,7 +3602,6 @@ DocType: Company,Transactions Annual History,Historia transakcji 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Powyżej 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 @@ -3608,6 +3655,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Zysk za rok 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 @@ -3662,12 +3710,10 @@ DocType: Supplier Scorecard,Scoring Setup,Konfiguracja punktów apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Nie znaleziono numeru GST dla firmy. 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 DocType: Question,Single Correct Answer,Pojedyncza poprawna odpowiedź -DocType: Employee,Contact Details,Szczegóły kontaktu DocType: C-Form,Received Date,Data Otrzymania DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Jeśli utworzono standardowy szablon w podatku od sprzedaży i Prowizji szablonu, wybierz jedną i kliknij na przycisk poniżej." DocType: BOM Scrap Item,Basic Amount (Company Currency),Kwota podstawowa (Spółka waluty) @@ -3697,12 +3743,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Operacja WWW DocType: Bank Statement Transaction Payment Item,outstanding_amount,pozostająca kwota DocType: Supplier Scorecard,Supplier Score,Ocena Dostawcy apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Zaplanuj wstęp +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Łączna kwota żądania zapłaty nie może być większa niż kwota {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Skumulowany próg transakcji DocType: Promotional Scheme Price Discount,Discount Type,Typ rabatu -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Razem zafakturowane Amt DocType: Purchase Invoice Item,Is Free Item,Jest darmowym przedmiotem +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Procent, który możesz przekazać więcej w stosunku do zamówionej ilości. Na przykład: jeśli zamówiłeś 100 jednostek. a Twój zasiłek wynosi 10%, możesz przenieść 110 jednostek." DocType: Supplier,Warn RFQs,Informuj o złożonych zapytaniach ofertowych -apps/erpnext/erpnext/templates/pages/home.html,Explore,Przeglądaj +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Przeglądaj DocType: BOM,Conversion Rate,Współczynnik konwersji apps/erpnext/erpnext/www/all-products/index.html,Product Search,Wyszukiwarka produktów ,Bank Remittance,Przelew bankowy @@ -3714,6 +3761,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Łączna kwota zapłacona DocType: Asset,Insurance End Date,Data zakończenia ubezpieczenia apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Wybierz Wstęp studenta, który jest obowiązkowy dla płatnego studenta" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Lista budżetu DocType: Campaign,Campaign Schedules,Harmonogramy kampanii DocType: Job Card Time Log,Completed Qty,Ukończona wartość @@ -3736,6 +3784,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Nowy adre DocType: Quality Inspection,Sample Size,Wielkość próby apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Proszę podać Otrzymanie dokumentu apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Wszystkie pozycje zostały już zafakturowane +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Zrobione liście apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.', 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,"Kolejne centra kosztów mogą być wykonane w ramach grup, ale wpisy mogą być wykonane przed spoza grup" 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,Całkowita liczba przydzielonych urlopów to więcej dni niż maksymalny przydział {0} typu urlopu dla pracownika {1} w danym okresie @@ -3836,6 +3885,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Uwzględnij 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 DocType: Leave Block List,Allow Users,Zezwól Użytkownikom 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: 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. @@ -3889,6 +3940,7 @@ DocType: Support Search Source,Result Title Field,Pole wyniku wyniku apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Podsumowanie połączenia DocType: Sample Collection,Collected Time,Zbierz czas DocType: Employee Skill Map,Employee Skills,Umiejętności pracowników +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Koszt paliwa DocType: Company,Sales Monthly History,Historia miesięczna sprzedaży apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Ustaw co najmniej jeden wiersz w tabeli Podatki i opłaty DocType: Asset Maintenance Task,Next Due Date,Następna data płatności @@ -3898,6 +3950,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Oznaki ż DocType: Payment Entry,Payment Deductions or Loss,Odliczenia płatności lub strata DocType: Soil Analysis,Soil Analysis Criterias,Kryteria analizy gleby apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardowe warunki umowy sprzedaży lub kupna. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Rzędy usunięte w {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Rozpocznij odprawę przed czasem rozpoczęcia zmiany (w minutach) DocType: BOM Item,Item operation,Obsługa przedmiotu apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Grupuj według Podstawy księgowania @@ -3923,11 +3976,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Wynagrodzenie Slip pracownika {0} już stworzony dla tego okresu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmaceutyczny apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Możesz przesłać tylko opcję Leave Encashment dla prawidłowej kwoty depozytu +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Produkty według apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Koszt zakupionych towarów DocType: Employee Separation,Employee Separation Template,Szablon separacji pracowników DocType: Selling Settings,Sales Order Required,Wymagane Zamówienie Sprzedaży apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Zostań sprzedawcą -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Liczba wystąpień, po których następuje wykonanie." ,Procurement Tracker,Śledzenie zamówień DocType: Purchase Invoice,Credit To,Kredytowane konto (Ma) apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,Odwrócono ITC @@ -3940,6 +3993,7 @@ DocType: Quality Meeting,Agenda,Program DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Szczegóły Planu Konserwacji DocType: Supplier Scorecard,Warn for new Purchase Orders,Ostrzegaj o nowych zamówieniach zakupu DocType: Quality Inspection Reading,Reading 9,Odczyt 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Połącz swoje konto Exotel z ERPNext i śledź dzienniki połączeń DocType: Supplier,Is Frozen,Zamrożony DocType: Tally Migration,Processed Files,Przetworzone pliki apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,"Magazyn węzeł Grupa nie jest dozwolone, aby wybrać dla transakcji" @@ -3949,6 +4003,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item, DocType: Upload Attendance,Attendance To Date,Obecność do Daty 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 @@ -3974,7 +4029,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Żądający apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Nieprawidłowy odniesienia {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Zasady stosowania różnych programów promocyjnych. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nie może być większa niż zaplanowana ilość ({2}) w Zleceniu Produkcyjnym {3} DocType: Shipping Rule,Shipping Rule Label,Etykieta z zasadami wysyłki i transportu DocType: Journal Entry Account,Payroll Entry,Wpis o płace apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Zobacz rekord opłat @@ -3986,6 +4040,7 @@ DocType: Contract,Fulfilment Status,Status realizacji DocType: Lab Test Sample,Lab Test Sample,Próbka do badań laboratoryjnych DocType: Item Variant Settings,Allow Rename Attribute Value,Zezwalaj na zmianę nazwy wartości atrybutu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Szybkie Księgowanie +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Kwota przyszłej płatności apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Nie możesz zmienić danych jeśli BOM jest przeciw jakiejkolwiek rzeczy DocType: Restaurant,Invoice Series Prefix,Prefiks serii faktur DocType: Employee,Previous Work Experience,Poprzednie doświadczenie zawodowe @@ -4015,6 +4070,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Status projektu DocType: UOM,Check this to disallow fractions. (for Nos),Zaznacz to by zakazać ułamków (dla liczby jednostek) DocType: Student Admission Program,Naming Series (for Student Applicant),Naming Series (dla Studenta Wnioskodawcy) +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/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 @@ -4030,6 +4086,7 @@ DocType: Fiscal Year,Year End Date,Data końca roku DocType: Task Depends On,Task Depends On,Zadanie zależne od apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Oferta DocType: Options,Option,Opcja +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Nie można tworzyć zapisów księgowych w zamkniętym okresie rozliczeniowym {0} DocType: Operation,Default Workstation,Domyślne miejsce pracy DocType: Payment Entry,Deductions or Loss,Odliczenia lub strata apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} jest zamknięty @@ -4038,6 +4095,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Pobierz aktualny stan magazynowy DocType: Purchase Invoice,ineligible,którego nie można wybrać apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Drzewo Zestawienia materiałów +DocType: BOM,Exploded Items,Przedmioty wybuchowe DocType: Student,Joining Date,Data Dołączenia ,Employees working on a holiday,Pracownicy zatrudnieni na wakacje ,TDS Computation Summary,Podsumowanie obliczeń TDS @@ -4070,6 +4128,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Stawki podstawowej (zg DocType: SMS Log,No of Requested SMS,Numer wymaganego SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Urlop bezpłatny nie jest zgodny z zatwierdzonymi rekordami Zgłoszeń Nieobecności apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Następne kroki +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Zapisane przedmioty DocType: Travel Request,Domestic,Krajowy apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Proszę dostarczyć określone przedmioty w najlepszych możliwych cenach apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Przeniesienie pracownika nie może zostać przesłane przed datą transferu @@ -4143,7 +4202,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Konto Aktywów Kategoria apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Wartość {0} jest już przypisana do istniejącego elementu {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Wiersz nr {0} (tabela płatności): kwota musi być dodatnia -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Nie można wyprodukować więcej przedmiotów {0} niż wartość {1} na Zamówieniu +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Nie można wyprodukować więcej przedmiotów {0} niż wartość {1} na Zamówieniu apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Nic nie jest wliczone w brutto apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill już istnieje dla tego dokumentu apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Wybierz wartości atrybutów @@ -4178,12 +4237,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Włącz różne konsekwencje dla wcześniejszego wyjścia ,Lab Test Report,Raport z testów laboratoryjnych DocType: Employee Benefit Application,Employee Benefit Application,Świadczenie pracownicze apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Istnieje dodatkowy składnik wynagrodzenia. DocType: Purchase Invoice,Unregistered,Niezarejestrowany -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Proszę dostawy Uwaga pierwsza DocType: Student Applicant,Application Date,Data złożenia wniosku DocType: Salary Component,Amount based on formula,Kwota wg wzoru DocType: Purchase Invoice,Currency and Price List,Waluta i cennik @@ -4212,6 +4269,7 @@ DocType: Purchase Receipt,Time at which materials were received,Data i czas otrz DocType: Products Settings,Products per Page,Produkty na stronę 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Przydzielona kwota nie może być ujemna DocType: Sales Order,Billing Status,Status Faktury apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Zgłoś problem @@ -4221,6 +4279,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-Ponad 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,Wiersz # {0}: Journal Entry {1} nie masz konta {2} lub już porównywana z innym kuponie DocType: Supplier Scorecard Criteria,Criteria Weight,Kryteria Waga +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Konto: {0} jest niedozwolone w ramach wprowadzania płatności DocType: Production Plan,Ignore Existing Projected Quantity,Ignoruj istniejącą przewidywaną ilość apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Powiadomienie o zmianie zatwierdzającego Nieobecność DocType: Buying Settings,Default Buying Price List,Domyślny cennik dla zakupów @@ -4229,6 +4288,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,Typ płatności apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Wybierz partię dla elementu {0}. Nie można znaleźć pojedynczej partii, która spełnia ten wymóg" @@ -4258,6 +4318,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Ustawienia koszyka DocType: Journal Entry,Accounting Entries,Zapisy księgowe 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"." +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: Journal Entry,Paid Loan,Płatna pożyczka 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 @@ -4274,12 +4335,14 @@ DocType: Shopify Settings,Webhooks Details,Szczegóły Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Brak karty czasu DocType: GoCardless Mandate,GoCardless Customer,Klient bez karty apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Typ Nieobecności {0} nie może zostać przeniesiony w przyszłość +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod pozycji> Grupa produktów> Marka apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Plan Konserwacji nie jest generowany dla wszystkich przedmiotów. Proszę naciśnij ""generuj plan""" ,To Produce,Do produkcji DocType: Leave Encashment,Payroll,Lista płac 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","Do rzędu {0} w {1}. Aby dołączyć {2} w cenę towaru, wiersze {3} musi być włączone" DocType: Healthcare Service Unit,Parent Service Unit,Jednostka usług dla rodziców DocType: Packing Slip,Identification of the package for the delivery (for print),Nr identyfikujący paczkę do dostawy (do druku) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Umowa o poziomie usług została zresetowana. DocType: Bin,Reserved Quantity,Zarezerwowana ilość apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Proszę wprowadzić poprawny adres email apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Proszę wprowadzić poprawny adres email @@ -4301,7 +4364,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Rabat na cenę lub produkt apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Dla wiersza {0}: wpisz planowaną liczbę DocType: Account,Income Account,Konto przychodów -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klient> Grupa klientów> Terytorium DocType: Payment Request,Amount in customer's currency,Kwota w walucie klienta apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Dostarczanie apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Przyporządkowywanie Struktur @@ -4324,6 +4386,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Utracisz zapis wcześniej wygenerowanych faktur. Czy na pewno chcesz zrestartować tę subskrypcję? @@ -4379,11 +4442,10 @@ DocType: Additional Salary,HR User,Kadry - użytkownik DocType: Bank Guarantee,Reference Document Name,Nazwa dokumentu referencyjnego DocType: Purchase Invoice,Taxes and Charges Deducted,Podatki i opłaty potrącenia DocType: Support Settings,Issues,Zagadnienia -DocType: Shift Type,Early Exit Consequence after,Wczesna konsekwencja wyjścia po DocType: Loyalty Program,Loyalty Program Name,Nazwa programu lojalnościowego apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Status musi być jednym z {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Przypomnienie o aktualizacji GSTIN wysłanych -DocType: Sales Invoice,Debit To,Debetowane Konto (Winien) +DocType: Discounted Invoice,Debit To,Debetowane Konto (Winien) DocType: Restaurant Menu Item,Restaurant Menu Item,Menu restauracji DocType: Delivery Note,Required only for sample item., DocType: Stock Ledger Entry,Actual Qty After Transaction,Rzeczywista Ilość Po Transakcji @@ -4466,6 +4528,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Nazwa parametru apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Pozostawić tylko Aplikacje ze statusem „Approved” i „Odrzucone” mogą być składane apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Tworzenie wymiarów ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Student Nazwa grupy jest obowiązkowe w wierszu {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Kontrola obejścia limitu kredytu DocType: Homepage,Products to be shown on website homepage,Produkty przeznaczone do pokazania na głównej stronie DocType: HR Settings,Password Policy,Polityka haseł apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,To jest grupa klientów root i nie mogą być edytowane. @@ -4525,10 +4588,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Jeś apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Ustaw domyślnego klienta w Ustawieniach restauracji ,Salary Register,wynagrodzenie Rejestracja DocType: Company,Default warehouse for Sales Return,Domyślny magazyn dla zwrotu sprzedaży -DocType: Warehouse,Parent Warehouse,Dominująca Magazyn +DocType: Pick List,Parent Warehouse,Dominująca Magazyn DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definiować różne rodzaje kredytów DocType: Bin,FCFS Rate,Pierwsza rata @@ -4565,6 +4628,7 @@ DocType: Travel Itinerary,Lodging Required,Wymagane zakwaterowanie DocType: Promotional Scheme,Price Discount Slabs,Płyty z rabatem cenowym DocType: Stock Reconciliation Item,Current Serial No,Aktualny numer seryjny DocType: Employee,Attendance and Leave Details,Frekwencja i szczegóły urlopu +,BOM Comparison Tool,Narzędzie do porównywania LM ,Requested,Zamówiony apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Brak Uwag DocType: Asset,In Maintenance,W naprawie @@ -4587,6 +4651,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Domyślna umowa o poziomie usług DocType: SG Creation Tool Course,Course Code,Kod kursu apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Więcej niż jeden wybór dla {0} jest niedozwolony +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Ilość surowców zostanie ustalona na podstawie ilości produktu gotowego DocType: Location,Parent Location,Lokalizacja rodzica DocType: POS Settings,Use POS in Offline Mode,Użyj POS w trybie offline apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Priorytet został zmieniony na {0}. @@ -4605,7 +4670,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Przykładowy magazyn retencyj DocType: Company,Default Receivable Account,Domyślnie konto Rozrachunki z odbiorcami apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Formuła przewidywanej ilości DocType: Sales Invoice,Deemed Export,Uważa się na eksport -DocType: Stock Entry,Material Transfer for Manufacture,Materiał transferu dla Produkcja +DocType: Pick List,Material Transfer for Manufacture,Materiał transferu dla Produkcja 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.,Rabat procentowy może być stosowany zarówno przed cenniku dla wszystkich Cenniku. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Zapis księgowy dla zapasów DocType: Lab Test,LabTest Approver,Przybliżenie LabTest @@ -4648,7 +4713,6 @@ DocType: Training Event,Theory,Teoria apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Ostrzeżenie: Ilość Zapotrzebowanego Materiału jest mniejsza niż minimalna ilość na zamówieniu apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Konto {0} jest zamrożone DocType: Quiz Question,Quiz Question,Pytanie do quizu -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dostawca> Typ dostawcy 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ń" @@ -4679,6 +4743,7 @@ 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 DocType: Account,Expense Account,Konto Wydatków apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Oprogramowanie apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Kolor @@ -4717,6 +4782,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Zarządzaj Partner 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 DocType: Fee Validity,Visited yet,Jeszcze odwiedziłem +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Możesz polecić do 8 przedmiotów. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Magazyny z istniejącymi transakcji nie mogą być zamieniane na grupy. 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. @@ -4724,7 +4790,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4749,7 +4814,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Konwersja UOM w go DocType: Contract,Signee Details,Szczegóły dotyczące Signee apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} aktualnie posiada {1} tabelę wyników karty wyników, a zlecenia RFQ dla tego dostawcy powinny być wydawane z ostrożnością." DocType: Certified Consultant,Non Profit Manager,Non Profit Manager -DocType: BOM,Total Cost(Company Currency),Całkowity koszt (Spółka waluty) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Stworzono nr seryjny {0} DocType: Homepage,Company Description for website homepage,Opis firmy na stronie głównej DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Dla wygody klientów, te kody mogą być użyte w formacie drukowania jak faktury czy dowody dostawy" @@ -4778,7 +4842,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Rachunek DocType: Amazon MWS Settings,Enable Scheduled Synch,Włącz zaplanowaną synchronizację apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Aby DateTime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Logi do utrzymania sms stan przesyłki -DocType: Shift Type,Early Exit Consequence,Wczesna konsekwencja wyjścia DocType: Accounts Settings,Make Payment via Journal Entry,Wykonywanie płatności za pośrednictwem Zapisów Księgowych dziennika apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Nie twórz więcej niż 500 pozycji naraz apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,wydrukowane na @@ -4835,6 +4898,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Crossed 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Data założenia apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Kapitał wysokiego ryzyka apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Semestr z tym "Roku Akademickiego" {0} i 'Nazwa Termin' {1} już istnieje. Proszę zmodyfikować te dane i spróbuj jeszcze raz. @@ -4897,6 +4961,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,typ klienta DocType: Compensatory Leave Request,Leave Allocation,Alokacja Nieobecności DocType: Payment Request,Recipient Message And Payment Details,Odbiorca wiadomości i szczegóły płatności +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Wybierz dowód dostawy DocType: Support Search Source,Source DocType,Źródło DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Otwórz nowy bilet DocType: Training Event,Trainer Email,Trener email @@ -5019,6 +5084,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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, apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',Pole 'Od daty' musi następować później niż 'Do daty' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Nie znaleziono planów zatrudnienia dla tego oznaczenia apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Partia {0} elementu {1} jest wyłączona. @@ -5040,7 +5106,7 @@ DocType: Clinical Procedure,Patient,Cierpliwy apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Pomiń kontrolę kredytową w zleceniu sprzedaży DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktywność pracownika na pokładzie DocType: Location,Check if it is a hydroponic unit,"Sprawdź, czy to jednostka hydroponiczna" -DocType: Stock Reconciliation Item,Serial No and Batch,Numer seryjny oraz Batch +DocType: Pick List Item,Serial No and Batch,Numer seryjny oraz Batch DocType: Warranty Claim,From Company,Od Firmy DocType: GSTR 3B Report,January,styczeń apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Suma punktów kryteriów oceny musi być {0}. @@ -5065,7 +5131,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Zniżka 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/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." -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Kredytowane konto powinno być kontem bilansowym @@ -5098,11 +5163,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centrum kosz 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Pozostały DocType: Appraisal,Appraisal,Ocena DocType: Loan,Loan Account,Konto kredytowe apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Obowiązujące od i prawidłowe pola upto są obowiązkowe dla skumulowanego +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",Dla pozycji {0} w wierszu {1} liczba numerów seryjnych nie zgadza się z pobraną ilością DocType: Purchase Invoice,GST Details,Szczegóły GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Jest to oparte na transakcjach przeciwko temu pracownikowi opieki zdrowotnej. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-mail wysłany do dostawcy {0} @@ -5166,6 +5233,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Waga brutto opakowania. Zazwyczaj waga netto + waga materiału z jakiego jest wykonane opakowanie. (Do druku) DocType: Assessment Plan,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Użytkownicy z tą rolą mogą ustawiać zamrożone konta i tworzyć / modyfikować wpisy księgowe dla zamrożonych kont +DocType: Plaid Settings,Plaid Environment,Plaid Environment ,Project Billing Summary,Podsumowanie płatności za projekt DocType: Vital Signs,Cuts,Cięcia DocType: Serial No,Is Cancelled, @@ -5227,7 +5295,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Uwaga: System nie sprawdza nad-dostawy oraz nadmiernej rezerwacji dla pozycji {0} jej wartość lub kwota wynosi 0 DocType: Issue,Opening Date,Data Otwarcia apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Najpierw zapisz pacjenta -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Utwórz nowy kontakt apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Obecność została oznaczona pomyślnie. DocType: Program Enrollment,Public Transport,Transport publiczny DocType: Sales Invoice,GST Vehicle Type,Typ pojazdu GST @@ -5254,6 +5321,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Rachunki od 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Najpierw dodaj elementy w tabeli Lokalizacji przedmiotów DocType: Pricing Rule,Discount Amount,Wartość zniżki DocType: Pricing Rule,Period Settings,Ustawienia okresu DocType: Purchase Invoice,Return Against Purchase Invoice,Powrót Against dowodu zakupu @@ -5286,7 +5354,6 @@ DocType: Assessment Plan,Assessment Plan,Plan oceny DocType: Travel Request,Fully Sponsored,W pełni sponsorowane apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Reverse Journal Entry apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Utwórz kartę pracy -DocType: Shift Type,Consequence after,Konsekwencja po DocType: Quality Procedure Process,Process Description,Opis procesu apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Utworzono klienta {0}. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Obecnie brak dostępnych zasobów w magazynach @@ -5321,6 +5388,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Data Czystki DocType: Delivery Settings,Dispatch Notification Template,Szablon powiadomienia o wysyłce apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Sprawozdanie z oceny apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Zdobądź pracowników +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 @@ -5414,7 +5482,6 @@ DocType: Stock Settings,Use Naming Series,Użyj serii nazw apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Bez akcji apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Opłaty typu Wycena nie oznaczone jako Inclusive DocType: POS Profile,Update Stock,Aktualizuj Stan -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ustaw Naming Series dla {0} za pomocą Setup> Settings> Naming Series apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM., DocType: Certification Application,Payment Details,Szczegóły płatności apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Kursy @@ -5450,7 +5517,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,To jest sprzedawca root i nie może być edytowany. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jeśli zostanie wybrana, wartość określona lub obliczona w tym składniku nie przyczyni się do zarobków ani odliczeń. Jednak wartością tę można odwoływać się do innych składników, które można dodawać lub potrącać." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Jeśli zostanie wybrana, wartość określona lub obliczona w tym składniku nie przyczyni się do zarobków ani odliczeń. Jednak wartością tę można odwoływać się do innych składników, które można dodawać lub potrącać." -DocType: Asset Settings,Number of Days in Fiscal Year,Liczba dni w roku podatkowym ,Stock Ledger,Księga zapasów DocType: Company,Exchange Gain / Loss Account,Wymiana Zysk / strat DocType: Amazon MWS Settings,MWS Credentials,Poświadczenia MWS @@ -5486,6 +5552,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Kolumna w pliku banku apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Pozostaw aplikację {0} już istnieje przeciwko uczniowi {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Usługa kolejkowania aktualizacji najnowszej ceny we wszystkich materiałach. Może potrwać kilka minut. +DocType: Pick List,Get Item Locations,Uzyskaj lokalizacje przedmiotów apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Nazwa nowego konta. Uwaga: Proszę nie tworzyć konta dla odbiorców i dostawców DocType: POS Profile,Display Items In Stock,Wyświetl produkty w magazynie apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Szablony Adresów na dany kraj @@ -5509,6 +5576,7 @@ DocType: Crop,Materials Required,Wymagane materiały apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Nie znaleziono studentów DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Miesięczne zwolnienie z HRA DocType: Clinical Procedure,Medical Department,Wydział Lekarski +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Łącznie wczesne wyjścia DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kryteria oceny scoringowej dostawcy apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Faktura Data zamieszczenia apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Sprzedać @@ -5520,11 +5588,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Usuń pracownika {0}, aby anulować ten dokument" DocType: Program Enrollment,School House,school House DocType: Serial No,Out of AMC, DocType: Opportunity,Opportunity Amount,Kwota możliwości +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Twój profil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Ilość amortyzacją Zarezerwowane nie może być większa od ogólnej liczby amortyzacją DocType: Purchase Order,Order Confirmation Date,Zamów datę potwierdzenia DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.RRRR.- @@ -5618,7 +5685,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Występują niespójności między stopą, liczbą akcji i obliczoną kwotą" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Nie jesteś obecny przez cały dzień (dni) między dniami prośby o urlop wyrównawczy apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,"Proszę ponownie wpisz nazwę firmy, aby potwierdzić" -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Razem Najlepszy Amt DocType: Journal Entry,Printing Settings,Ustawienia drukowania DocType: Payment Order,Payment Order Type,Typ zlecenia płatniczego DocType: Employee Advance,Advance Account,Rachunek zaawansowany @@ -5708,7 +5774,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Nazwa roku apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Jest więcej świąt niż dni pracujących apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Następujące elementy {0} nie są oznaczone jako {1}. Możesz je włączyć jako element {1} z jego wzorca pozycji -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Nr ref DocType: Production Plan Item,Product Bundle Item,Pakiet produktów Artykuł DocType: Sales Partner,Sales Partner Name,Imię Partnera Sprzedaży apps/erpnext/erpnext/hooks.py,Request for Quotations,Zapytanie o cenę @@ -5717,7 +5782,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Odchodzi +DocType: Leave Ledger Entry,Leaves,Odchodzi DocType: Student Language,Student Language,Student Język DocType: Cash Flow Mapping,Is Working Capital,Jest kapitałem obrotowym apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Prześlij dowód @@ -5725,12 +5790,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Zamówienie / kwota% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Zapisuj życiorysy pacjenta DocType: Fee Schedule,Institution,Instytucja -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: Asset,Partially Depreciated,częściowo Zamortyzowany DocType: Issue,Opening Time,Czas Otwarcia apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Daty Od i Do są wymagane apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Papiery i Notowania Giełdowe -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Podsumowanie połączeń według {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Wyszukiwanie dokumentów apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Domyślne jednostki miary dla wariantu "{0}" musi być taki sam, jak w szablonie '{1}'" DocType: Shipping Rule,Calculate Based On,Obliczone na podstawie @@ -5777,6 +5840,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksymalna dopuszczalna wartość 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ę DocType: Lab Test Template,Sensitivity,Wrażliwość DocType: Plaid Settings,Plaid Settings,Ustawienia Plaid apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Synchronizacja została tymczasowo wyłączona, ponieważ przekroczono maksymalną liczbę ponownych prób" @@ -5794,6 +5858,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Najpierw wybierz zamieszczenia Data apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Data otwarcia powinien być przed Dniem Zamknięcia DocType: Travel Itinerary,Flight,Lot +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Wrócić do domu DocType: Leave Control Panel,Carry Forward,Przeniesienie apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Centrum Kosztów z istniejącą transakcją nie może być przekształcone w rejestr DocType: Budget,Applicable on booking actual expenses,Obowiązuje przy rezerwacji rzeczywistych wydatków @@ -5850,6 +5915,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Utwórz ofertę apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Nie masz uprawnień do zatwierdzania tych urlopów apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Wniosek o {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Na wszystkie te przedmioty już została wystawiona faktura +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Nie znaleziono zaległych faktur za {0} {1}, które kwalifikują określone filtry." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Ustaw nową datę wydania DocType: Company,Monthly Sales Target,Miesięczny cel sprzedaży apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nie znaleziono żadnych zaległych faktur @@ -5897,6 +5963,7 @@ DocType: Batch,Source Document Name,Nazwa dokumentu źródłowego DocType: Batch,Source Document Name,Nazwa dokumentu źródłowego DocType: Production Plan,Get Raw Materials For Production,Zdobądź surowce do produkcji DocType: Job Opening,Job Title,Nazwa stanowiska pracy +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Przyszła płatność Nr ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} wskazuje, że {1} nie poda cytatu, ale wszystkie cytaty \ zostały cytowane. Aktualizowanie stanu cytatu RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maksymalne próbki - {0} zostały już zachowane dla Partii {1} i pozycji {2} w Partii {3}. @@ -5907,12 +5974,10 @@ apps/erpnext/erpnext/utilities/activation.py,Create Users,Tworzenie użytkownik 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: Company,Product Code,Kod produktu DocType: Quality Review Table,Objective,Cel DocType: Supplier Scorecard,Per Month,Na miesiąc DocType: Education Settings,Make Academic Term Mandatory,Uczyń okres akademicki obowiązkowym -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Ilość do produkcji musi być większy niż 0 ° C. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Obliczony harmonogram amortyzacji na podstawie roku obrotowego +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Ilość do produkcji musi być większy niż 0 ° C. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Raport wizyty dla wezwania konserwacji. DocType: Stock Entry,Update Rate and Availability,Aktualizuj cenę i dostępność 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.,"Procent który wolno Ci otrzymać lub dostarczyć ponad zamówioną ilość. Na przykład: jeśli zamówiłeś 100 jednostek i Twój procent wynosi 10% oznacza to, że możesz otrzymać 110 jednostek" @@ -5924,7 +5989,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Data wydania musi być w przyszłości DocType: BOM,Website Description,Opis strony WWW apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Zmiana netto w kapitale własnym -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Anuluj faktura zakupu {0} Pierwszy apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Nie dozwolone. Wyłącz opcję Service Unit Type apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-mail musi być unikalny, istnieje już dla {0}" DocType: Serial No,AMC Expiry Date,AMC Data Ważności @@ -5968,6 +6032,7 @@ DocType: Pricing Rule,Price Discount Scheme,System rabatów cenowych apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Stan konserwacji musi zostać anulowany lub uzupełniony do przesłania DocType: Amazon MWS Settings,US,NAS DocType: Holiday List,Add Weekly Holidays,Dodaj cotygodniowe święta +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Zgłoś przedmiot DocType: Staffing Plan Detail,Vacancies,Wakaty DocType: Hotel Room,Hotel Room,Pokój hotelowy apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Konto {0} nie należy do firmy {1} @@ -6019,12 +6084,15 @@ DocType: Email Digest,Open Quotations,Otwarte oferty 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Usuń pracownika {0} \, aby anulować ten dokument" 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 @@ -6038,6 +6106,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Pusty DocType: Patient,Alcohol Past Use,Alkohol w przeszłości DocType: Fertilizer Content,Fertilizer Content,Zawartość nawozu +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Bez opisu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Kr DocType: Tax Rule,Billing State,Stan Billing DocType: Quality Goal,Monitoring Frequency,Monitorowanie częstotliwości @@ -6055,6 +6124,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Kończy się Data nie może być wcześniejsza niż data następnego kontaktu. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Wpisy wsadowe DocType: Journal Entry,Pay To / Recd From,Zapłać / Rachunek od +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Cofnij publikację przedmiotu DocType: Naming Series,Setup Series,Konfigurowanie serii DocType: Payment Reconciliation,To Invoice Date,Aby Data faktury DocType: Bank Account,Contact HTML,HTML kontaktu @@ -6076,6 +6146,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Detal DocType: Student Attendance,Absent,Nieobecny DocType: Staffing Plan,Staffing Plan Detail,Szczegółowy plan zatrudnienia DocType: Employee Promotion,Promotion Date,Data promocji +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Alokacja urlopów% s jest powiązana z aplikacją urlopową% s 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} @@ -6110,9 +6181,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Faktura {0} już nie istnieje DocType: Guardian Interest,Guardian Interest,Strażnik Odsetki DocType: Volunteer,Availability,Dostępność +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Wniosek o urlop jest powiązany z przydziałem urlopu {0}. Wniosek o urlop nie może być ustawiony jako urlop bez wynagrodzenia apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Ustaw wartości domyślne dla faktur POS DocType: Employee Training,Training,Trening DocType: Project,Time to send,Czas wysłać +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Ta strona śledzi Twoje produkty, którymi kupujący wykazali pewne zainteresowanie." DocType: Timesheet,Employee Detail,Szczegóły urzędnik apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Ustaw magazyn dla procedury {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Identyfikator e-maila Guardian1 @@ -6213,12 +6286,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Wartość otwarcia DocType: Salary Component,Formula,Formuła apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Seryjny # -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 zasobów ludzkich> Ustawienia HR 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/setup/doctype/company/company.py,Sales Account,Konto sprzedaży DocType: Purchase Invoice Item,Total Weight,Waga całkowita +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}" @@ -6242,6 +6315,7 @@ DocType: Company,Default Employee Advance Account,Domyślne konto Advance pracow apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Element wyszukiwania (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.RRRR.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Konto z istniejącymi zapisami nie może być usunięte +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Dlaczego według mnie ten przedmiot powinien zostać usunięty? DocType: Vehicle,Last Carbon Check,Ostatni Carbon Sprawdź apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Wydatki na obsługę prawną apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Wybierz ilość w wierszu @@ -6261,6 +6335,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Rozkład DocType: Travel Itinerary,Vegetarian,Wegetariański DocType: Patient Encounter,Encounter Date,Data spotkania +DocType: Work Order,Update Consumed Material Cost In Project,Zaktualizuj zużyty koszt materiałowy w projekcie apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konto: {0} z waluty: nie można wybrać {1} DocType: Bank Statement Transaction Settings Item,Bank Data,Dane bankowe DocType: Purchase Receipt Item,Sample Quantity,Ilość próbki @@ -6315,7 +6390,7 @@ DocType: GSTR 3B Report,April,kwiecień 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Uwaga: Element {0} wpisano kilka razy +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Uwaga: Element {0} wpisano kilka razy apps/erpnext/erpnext/config/buying.py,All Contacts.,Wszystkie kontakty. DocType: Accounting Period,Closed Documents,Zamknięte dokumenty 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 @@ -6397,9 +6472,7 @@ DocType: Member,Membership Type,typ członkostwa ,Reqd By Date,Data realizacji apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Wierzyciele DocType: Assessment Plan,Assessment Name,Nazwa ocena -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Pokaż PDC w Print apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Wiersz # {0}: Numer seryjny jest obowiązkowe -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Nie znaleziono zaległych faktur dla {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail, DocType: Employee Onboarding,Job Offer,Oferta pracy apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Instytut Skrót @@ -6459,6 +6532,7 @@ DocType: Serial No,Out of Warranty,Brak Gwarancji DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Zmapowany typ danych DocType: BOM Update Tool,Replace,Zamień apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Nie znaleziono produktów. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Opublikuj więcej przedmiotów apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Niniejsza umowa dotycząca poziomu usług dotyczy wyłącznie klienta {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} na fakturę sprzedaży {1} DocType: Antibiotic,Laboratory User,Użytkownik Laboratorium @@ -6481,7 +6555,6 @@ DocType: Payment Order Reference,Bank Account Details,Szczegóły konta bankoweg DocType: Purchase Order Item,Blanket Order,Formularz zamówienia 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) -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Zlecenie produkcyjne zostało {0} DocType: BOM Item,BOM No,Nr zestawienia materiałowego 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 @@ -6555,6 +6628,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Dostaw podlegających opodatkowaniu zewnętrznemu (zero punktów) DocType: BOM,Materials Required (Exploded),Materiał Wymaga (Rozdzielony) 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/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łą @@ -6612,7 +6686,6 @@ DocType: Pricing Rule,Same Item,Ten sam przedmiot DocType: Stock Ledger Entry,Stock Ledger Entry,Zapis w księdze zapasów DocType: Quality Action Resolution,Quality Action Resolution,Rezolucja dotycząca jakości działania apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} w Połowie Dnia Nieobecności w dniu {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Sama pozycja została wprowadzona wielokrotnie DocType: Department,Leave Block List,Lista Blokowanych Nieobecności DocType: Purchase Invoice,Tax ID,Numer identyfikacji podatkowej (NIP) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Element {0} nie jest ustawiony na nr seryjny. Kolumny powinny być puste @@ -6650,7 +6723,7 @@ DocType: Cheque Print Template,Distance from top edge,Odległość od górnej kr 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 DocType: Purchase Invoice,Return,Powrót -DocType: Accounting Dimension,Disable,Wyłącz +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" DocType: Task,Pending Review,Czekający na rewizję apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Edytuj na całej stronie, aby uzyskać więcej opcji, takich jak zasoby, numery seryjne, partie itp." @@ -6764,7 +6837,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.RRRR.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Łączna kwota faktury musi wynosić 100% DocType: Item Default,Default Expense Account,Domyślne konto rozchodów DocType: GST Account,CGST Account,Konto CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kod towaru> Grupa produktów> Marka apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student ID email DocType: Employee,Notice (days),Wymówienie (dni) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Faktury z zamknięciem kuponu @@ -6775,6 +6847,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Wybierz elementy, aby zapisać fakturę" DocType: Employee,Encashment Date,Data Inkaso DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Informacje o sprzedawcy DocType: Special Test Template,Special Test Template,Specjalny szablon testu DocType: Account,Stock Adjustment,Korekta apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Istnieje Domyślnie aktywny Koszt rodzajów działalności - {0} @@ -6787,7 +6860,6 @@ 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 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" -DocType: Company,Bank Remittance Settings,Ustawienia przekazu bankowego apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Średnia Stawka 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" @@ -6815,6 +6887,7 @@ DocType: Grading Scale Interval,Threshold,Próg apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtruj pracowników według (opcjonalnie) DocType: BOM Update Tool,Current BOM,Obecny BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Balans (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Ilość produktu gotowego apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Dodaj nr seryjny 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 @@ -6893,7 +6966,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Tutaj wypełnij i przechowaj dane takie jak wzrost, waga, alergie, problemy medyczne itd" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Tworzenie kont ... DocType: Leave Block List,Applies to Company,Dotyczy Firmy -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nie można anulować, ponieważ wskazane Wprowadzenie na magazyn {0} istnieje" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nie można anulować, ponieważ wskazane Wprowadzenie na magazyn {0} istnieje" DocType: Loan,Disbursement Date,wypłata Data DocType: Service Level Agreement,Agreement Details,Szczegóły umowy apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Data rozpoczęcia umowy nie może być większa lub równa dacie zakończenia. @@ -6902,6 +6975,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Historia choroby DocType: Vehicle,Vehicle,Pojazd DocType: Purchase Invoice,In Words,Słownie +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Do tej pory musi być wcześniejsza niż data apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Wprowadź nazwę banku lub instytucji kredytowej przed złożeniem wniosku. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} musi zostać wysłany DocType: POS Profile,Item Groups,Pozycja Grupy @@ -6974,7 +7048,6 @@ DocType: Customer,Sales Team Details,Szczegóły dotyczące Teamu Sprzedażowego apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Usuń na stałe? DocType: Expense Claim,Total Claimed Amount,Całkowita kwota roszczeń apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potencjalne szanse na sprzedaż. -DocType: Plaid Settings,Link a new bank account,Połącz nowe konto bankowe apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} to nieprawidłowy status frekwencji. DocType: Shareholder,Folio no.,Numer folio apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Nieprawidłowy {0} @@ -6990,7 +7063,6 @@ DocType: Production Plan,Material Requested,Żądany materiał DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Zarezerwowana ilość na podwykonawstwo DocType: Patient Service Unit,Patinet Service Unit,Jednostka serwisowa Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Wygeneruj plik tekstowy DocType: Sales Invoice,Base Change Amount (Company Currency),Kwota bazowa Change (Spółka waluty) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Brak zapisów księgowych dla następujących magazynów apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Tylko {0} na stanie dla produktu {1} @@ -7004,6 +7076,7 @@ DocType: Item,No of Months,Liczba miesięcy DocType: Item,Max Discount (%),Maksymalny rabat (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Dni kredytu nie mogą być liczbą ujemną apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Prześlij oświadczenie +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Zgłoś ten przedmiot DocType: Purchase Invoice Item,Service Stop Date,Data zatrzymania usługi apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Kwota ostatniego zamówienia DocType: Cash Flow Mapper,e.g Adjustments for:,np. korekty dla: @@ -7097,16 +7170,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Kategoria zwolnienia z podatku dochodowego od pracowników apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Kwota nie powinna być mniejsza niż zero. DocType: Sales Invoice,C-Form Applicable, -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Czas działania musi być większy niż 0 do operacji {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Czas działania musi być większy niż 0 do operacji {0} DocType: Support Search Source,Post Route String,Wpisz ciąg trasy apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Magazyn jest obowiązkowe apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Nie udało się utworzyć witryny DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Szczegóły konwersji jednostki miary apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Wstęp i rejestracja -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Wpis zapasu retencji już utworzony lub nie podano próbki próbki +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Wpis zapasu retencji już utworzony lub nie podano próbki próbki DocType: Program,Program Abbreviation,Skrót programu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Produkcja Zamówienie nie może zostać podniesiona przed Szablon Element apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Group by Voucher (Consolidated) DocType: HR Settings,Encrypt Salary Slips in Emails,Szyfruj poświadczenia wynagrodzenia w wiadomościach e-mail DocType: Question,Multiple Correct Answer,Wielokrotna poprawna odpowiedź @@ -7153,7 +7225,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Jest zerowy lub zwolnion DocType: Employee,Educational Qualification,Kwalifikacje edukacyjne DocType: Workstation,Operating Costs,Koszty operacyjne apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Waluta dla {0} musi być {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Konsekwencja okresu Grace wejścia DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Oznacz obecność na podstawie „Checkin pracownika” dla pracowników przypisanych do tej zmiany. DocType: Asset,Disposal Date,Utylizacja Data DocType: Service Level,Response and Resoution Time,Czas reakcji i czas reakcji @@ -7202,6 +7273,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Data ukończenia DocType: Purchase Invoice Item,Amount (Company Currency),Kwota (Waluta firmy) DocType: Program,Is Featured,Jest zawarty +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Ujmujący... DocType: Agriculture Analysis Criteria,Agriculture User,Użytkownik rolnictwa apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Data ważności nie może być poprzedzona datą transakcji apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} jednostki {1} potrzebne w {2} na {3} {4} {5} w celu zrealizowania tej transakcji. @@ -7234,7 +7306,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Łączna wypłacona Amt 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 @@ -7258,6 +7329,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonimowy apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Otrzymane od DocType: Lead,Converted,Przekształcono DocType: Item,Has Serial No,Posiada numer seryjny +DocType: Stock Entry Detail,PO Supplied Item,PO Dostarczony przedmiot 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} @@ -7372,7 +7444,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synchronizuj podatki i opł 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Domyślnie BOM dla {0} Nie znaleziono +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ść apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,"Dotknij elementów, aby je dodać tutaj" @@ -7408,7 +7480,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Data Konserwacji DocType: Purchase Invoice Item,Rejected Serial No,Odrzucony Nr Seryjny apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,data rozpoczęcia roku lub data końca pokrywa się z {0}. Aby uniknąć należy ustawić firmę -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Proszę ustawić serię numeracji dla Obecności poprzez Ustawienia> Seria numerowania apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Zapoznaj się z nazwą wiodącego wiodącego {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Data startu powinna być niższa od daty końca dla {0} DocType: Shift Type,Auto Attendance Settings,Ustawienia automatycznej obecności @@ -7419,9 +7490,11 @@ DocType: Upload Attendance,Upload Attendance,Wyślij obecność apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM i ilości są wymagane Manufacturing apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Starzenie Zakres 2 DocType: SG Creation Tool Course,Max Strength,Maksymalna siła +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Konto {0} już istnieje w firmie podrzędnej {1}. Następujące pola mają różne wartości, powinny być takie same:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instalowanie ustawień wstępnych DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Nie wybrano uwagi dostawy dla klienta {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Rzędy dodane w {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Pracownik {0} nie ma maksymalnej kwoty świadczenia apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Wybierz pozycje w oparciu o datę dostarczenia DocType: Grant Application,Has any past Grant Record,Ma jakąkolwiek przeszłość Grant Record @@ -7467,6 +7540,7 @@ DocType: Fees,Student Details,Szczegóły Uczniów DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Jest to domyślna jednostka miary używana dla elementów i zamówień sprzedaży. Rezerwowym UOM jest „Nos”. DocType: Purchase Invoice Item,Stock Qty,Ilość zapasów DocType: Purchase Invoice Item,Stock Qty,Ilość zapasów +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 DocType: Loan,Repayment Period in Months,Spłata Okres w miesiącach @@ -7495,6 +7569,7 @@ DocType: Authorization Rule,Customerwise Discount,Zniżka dla klienta apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Grafiku zadań. DocType: Purchase Invoice,Against Expense Account,Konto wydatków apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Notka instalacyjna {0} została już dodana +DocType: BOM,Raw Material Cost (Company Currency),Koszt surowców (waluta spółki) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Dni płatne za wynajem domu pokrywają się z {0} DocType: GSTR 3B Report,October,październik DocType: Bank Reconciliation,Get Payment Entries,Uzyskaj Wpisy płatności @@ -7542,15 +7617,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Dostępna jest data przydatności do użycia DocType: Request for Quotation,Supplier Detail,Dostawca Szczegóły apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Błąd wzoru lub stanu {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Kwota zafakturowana +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Kwota zafakturowana apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kryteria wag muszą dodać do 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Obecność apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,produkty seryjne DocType: Sales Invoice,Update Billed Amount in Sales Order,Zaktualizuj kwotę rozliczenia w zleceniu sprzedaży +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Skontaktuj się ze sprzedawcą 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Słownie będzie widoczna w Zamówieniu po zapisaniu @@ -7564,6 +7641,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Ustawienia Cennika. DocType: Task,Review Date,Data Przeglądu DocType: BOM,Allow Alternative Item,Zezwalaj na alternatywną pozycję +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"W potwierdzeniu zakupu nie ma żadnego elementu, dla którego włączona jest opcja Zachowaj próbkę." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Faktura Grand Total DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Seria dla pozycji amortyzacji aktywów (wpis w czasopiśmie) DocType: Membership,Member Since,Członek od @@ -7573,6 +7651,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Na podstawie Kwoty Netto 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},Wartość atrybutu {0} musi mieścić się w przedziale {1} z {2} w przyrostach {3} {4} Przedmiot DocType: Pricing Rule,Product Discount Scheme,Program rabatów na produkty +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Dzwoniący nie podniósł żadnego problemu. DocType: Restaurant Reservation,Waitlisted,Na liście Oczekujących DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategoria zwolnienia apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Waluta nie może być zmieniony po dokonaniu wpisów używając innej walucie @@ -7586,7 +7665,6 @@ DocType: Customer Group,Parent Customer Group,Nadrzędna Grupa Klientów apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON można wygenerować tylko z faktury sprzedaży apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Osiągnięto maksymalną liczbę prób tego quizu! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Subskrypcja -DocType: Purchase Invoice,Contact Email,E-mail kontaktu apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Tworzenie opłat w toku DocType: Project Template Task,Duration (Days),Czas trwania (dni) DocType: Appraisal Goal,Score Earned,Ilość zdobytych punktów @@ -7612,7 +7690,6 @@ DocType: Landed Cost Item,Landed Cost Item,Koszt Przedmiotu 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Kwota dla pojedynczej transakcji przekracza maksymalną dozwoloną kwotę, utwórz oddzielne zlecenie płatnicze, dzieląc transakcje" 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 @@ -7783,6 +7860,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Dost DocType: Quality Inspection Reading,Reading 3,Odczyt 3 DocType: Stock Entry,Source Warehouse Address,Adres hurtowni DocType: GL Entry,Voucher Type,Typ Podstawy +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Przyszłe płatności 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ść @@ -7809,6 +7887,7 @@ DocType: Travel Request,Identification Document Number,Numer identyfikacyjny dok 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." DocType: Sales Invoice,Customer GSTIN,Klient GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Lista chorób wykrytych na polu. Po wybraniu automatycznie doda listę zadań do radzenia sobie z chorobą +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,LM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,To jest podstawowa jednostka opieki zdrowotnej i nie można jej edytować. DocType: Asset Repair,Repair Status,Status naprawy apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.", @@ -7823,6 +7902,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Konto dla zmiany kwoty DocType: QuickBooks Migrator,Connecting to QuickBooks,Łączenie z QuickBookami DocType: Exchange Rate Revaluation,Total Gain/Loss,Całkowity wzrost / strata +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Utwórz listę wyboru apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Wiersz {0}: Party / konto nie jest zgodny z {1} / {2} w {3} {4} DocType: Employee Promotion,Employee Promotion,Promocja pracowników DocType: Maintenance Team Member,Maintenance Team Member,Członek zespołu ds. Konserwacji @@ -7906,6 +7986,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Stawka Netto nie może być na minusie @@ -7937,7 +8018,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Cel jakości DocType: BOM,Item to be manufactured or repacked,"Produkt, który ma zostać wyprodukowany lub przepakowany" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Błąd składni w warunku: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Klient nie podniósł problemu. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Główne/Opcjonalne Tematy apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Ustaw grupę dostawców w ustawieniach zakupów. @@ -8030,8 +8110,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days, apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,"Wybierz pacjenta, aby uzyskać testy laboratoryjne" DocType: Exotel Settings,Exotel Settings,Ustawienia Exotel -DocType: Leave Type,Is Carry Forward, +DocType: Leave Ledger Entry,Is Carry Forward, DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Godziny pracy poniżej których nieobecność jest zaznaczona. (Zero, aby wyłączyć)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Wysłać wiadomość apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Weź produkty z zestawienia materiałowego 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 diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv index cfb7fea93c..c5a003dc00 100644 --- a/erpnext/translations/ps.csv +++ b/erpnext/translations/ps.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,خبرتیاوو سپارل apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,مهرباني وکړئ لومړی انتخاب ګوند ډول DocType: Item,Customer Items,پيرودونکو لپاره توکي +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,مسؤلیتونه DocType: Project,Costing and Billing,لګښت او اولګښت DocType: QuickBooks Migrator,Token Endpoint,د توین پای ټکی apps/erpnext/erpnext/accounts/doctype/account/account.py,Account {0}: Parent account {1} can not be a ledger,ګڼون {0}: Parent حساب {1} نه شي د پنډو وي @@ -25,13 +26,13 @@ DocType: Item,Default Unit of Measure,د اندازه کولو واحد (Default DocType: SMS Center,All Sales Partner Contact,ټول خرڅلاو همکار سره اړيکي DocType: Department,Leave Approvers,تصویبونکي ووځي DocType: Employee,Bio / Cover Letter,د بیو / پوښ لیک +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,توکي موندل ... DocType: Patient Encounter,Investigations,تحقیقات DocType: Restaurant Order Entry,Click Enter To Add,د اضافو لپاره داخل کړه ټک وکړئ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL",د پټنوم، د API کلیدي یا د پیرودونکي URL لپاره ورک شوي ارزښت DocType: Employee,Rented,د کشت apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,ټول حسابونه apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,د رتبې سره د کارمندانو لیږد نشي کولی -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ودرول تولید نظم نه لغوه شي کولای، نو دا د لومړي Unstop لغوه DocType: Vehicle Service,Mileage,ګټه apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,آيا تاسو په رښتيا غواړئ چې دا شتمني راټولوي؟ DocType: Drug Prescription,Update Schedule,د مهال ویش تازه کول @@ -62,6 +63,7 @@ DocType: Bank Guarantee,Customer,پيرودونکو DocType: Purchase Receipt Item,Required By,د غوښتل شوي By DocType: Delivery Note,Return Against Delivery Note,پر وړاندې د سپارنې يادونه Return DocType: Asset Category,Finance Book Detail,د مالیې کتاب تفصیل +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,ټول تخفیف لیکل شوی DocType: Purchase Order,% Billed,٪ محاسبې ته apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,د معاش شمیره apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),د بدلولو نرخ باید په توګه ورته وي {0} د {1} ({2}) @@ -94,6 +96,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,دسته شمیره د پای حالت apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,بانک مسوده DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV -YYYY- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,د وروستۍ مرحلې ننوتل DocType: Mode of Payment Account,Mode of Payment Account,د تادیاتو حساب اکر apps/erpnext/erpnext/config/healthcare.py,Consultation,مشورې DocType: Accounts Settings,Show Payment Schedule in Print,په چاپ کې د تادياتو مهال ویش ښکاره کړئ @@ -119,8 +122,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,پ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,د اړیکو لومړني تفصیلات apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,د پرانیستې مسایل DocType: Production Plan Item,Production Plan Item,تولید پلان د قالب +DocType: Leave Ledger Entry,Leave Ledger Entry,د لیجر ننوتل پریږدئ apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},کارن {0} لا د مخه د کارکونکو ګمارل {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} ساحه د اندازې {1} پورې محدود ده DocType: Lab Test Groups,Add new line,نوې کرښه زیاته کړئ apps/erpnext/erpnext/utilities/activation.py,Create Lead,مشر جوړ کړئ DocType: Production Plan,Projected Qty Formula,وړاندوینه شوی دقیق فورمول @@ -138,6 +141,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,ا DocType: Purchase Invoice Item,Item Weight Details,د وزن وزن توضیحات DocType: Asset Maintenance Log,Periodicity,Periodicity apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,مالي کال د {0} ته اړتیا لیدل کیږي +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,خالص ګټه / زیان DocType: Employee Group Table,ERPNext User ID,د ERPNext کارن نوم DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,د مطلوب ودې لپاره د نباتاتو قطارونو تر منځ لږ تر لږه فاصله apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,مهرباني وکړئ د ټاکل شوې پروسې ترلاسه کولو لپاره ناروغ غوره کړئ @@ -165,10 +169,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,د نرخ پلور لیست DocType: Patient,Tobacco Current Use,تمباکو اوسنی کارول apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,د پلور کچه -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,مهرباني وکړئ د نوي حساب اضافه کولو دمخه خپل سند خوندي کړئ 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 ...,د هرڅه لپاره لټون ... DocType: Company,Phone No,تيليفون نه DocType: Delivery Trip,Initial Email Notification Sent,د بریښناليک بریښنالیک لیږل DocType: Bank Statement Settings,Statement Header Mapping,د بیان سرلیک نقشې @@ -229,6 +233,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,د DocType: Exchange Rate Revaluation Account,Gain/Loss,لاسته راوړنې / ضایع DocType: Crop,Perennial,پیړۍ DocType: Program,Is Published,خپور شوی +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,د تحویلو یادښتونه وښیه apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",د بلینګ څخه اجازه ورکولو لپاره ، د حسابونو ترتیباتو یا توکي کې "د اضافي بلینګ الاونس" تازه کړئ. DocType: Patient Appointment,Procedure,کړنلاره DocType: Accounts Settings,Use Custom Cash Flow Format,د ګمرکي پیسو فلو فارم څخه کار واخلئ @@ -277,6 +282,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,بيرته د د پړاوونه شمیره apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,د تولید مقدار د صفر څخه کم نشي DocType: Stock Entry,Additional Costs,اضافي لګښتونو +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,پیرودونکي> د پیرودونکي ګروپ> سیمه apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,د موجوده د راکړې ورکړې حساب ته ډلې بدل نه شي. DocType: Lead,Product Enquiry,د محصول د ږنو DocType: Education Settings,Validate Batch for Students in Student Group,لپاره د زده کونکو د زده ګروپ دسته اعتباري @@ -288,7 +294,9 @@ DocType: Employee Education,Under Graduate,لاندې د فراغت apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,مهرباني وکړئ د بشري سایټونو کې د وینډوز د خبرتیا نوښت لپاره د ډیزاینټ ټاپ ډک کړئ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,هدف د DocType: BOM,Total Cost,ټولیز لګښت، +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,د تخصیص موده پای ته ورسیده DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,د لیږل شوي پاvesو اعظمي اعظمي حد DocType: Salary Slip,Employee Loan,د کارګر د پور DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS -YY .- ایم. ایم. DocType: Fee Schedule,Send Payment Request Email,د بریښناليک غوښتن لیک استول @@ -298,6 +306,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,امل apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,د حساب اعلامیه apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,د درملو د DocType: Purchase Invoice Item,Is Fixed Asset,ده ثابته شتمني +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,راتلونکي تادیات وښایاست DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT -YYYY- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,دا د بانکي حساب دمخه ترکیب شوی دی DocType: Homepage,Homepage Section,د پاpageې برخه @@ -344,7 +353,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,سرې apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",نشي کولی د سیریل نمبر لخوا د \ توکي {0} په حیث د انتقال تضمین او د سیریل نمبر -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,مهرباني وکړئ د ښوونې او روزنې ترتیبات کې د ښوونکي نوم ورکولو سیسټم تنظیم کړئ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,د پیسو تر لږه یوه اکر لپاره POS صورتحساب ته اړتيا لري. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},بیچ نمبر د بنډ شوي توکو لپاره اړین ندي {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,د بانک بیان پیسې د رسیدنې توکي @@ -419,6 +427,7 @@ DocType: Job Offer,Select Terms and Conditions,منتخب اصطلاحات او apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,له جملې څخه د ارزښت DocType: Bank Statement Settings Item,Bank Statement Settings Item,د بانکي بیان ترتیبات توکي DocType: Woocommerce Settings,Woocommerce Settings,د واو کامیریک امستنې +DocType: Leave Ledger Entry,Transaction Name,د راکړې ورکړې نوم DocType: Production Plan,Sales Orders,خرڅلاو امر apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,د پیرودونکو لپاره د وفاداري ډیری وفادارۍ پروګرام وموندل شو. لطفا په لاسلیک ډول وټاکئ. DocType: Purchase Taxes and Charges,Valuation,سنجي @@ -453,6 +462,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: 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,تازه بريښناليک ګروپ DocType: POS Profile,Only show Customer of these Customer Groups,یوازې د دې پیرودونکو ډلو پیرودونکي وښایاست DocType: Sales Invoice,Is Opening Entry,ده انفاذ پرانيستل @@ -461,8 +471,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,یادونه که غیر معیاري ترلاسه حساب د تطبيق وړ 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,د سټاک ننوتنه لا دمخه د دې غوره شوي لیست خلاف رامینځته شوې DocType: Supplier Scorecard,Criteria Setup,معیار معیار -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,د ګدام مخکې اړتیا سپارل +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,د ترلاسه DocType: Codification Table,Medical Code,روغتیایی کود apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ایمیزون سره د ERPNext سره نښلول @@ -478,7 +489,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,بانکي حسابونه اضافه شوي -DocType: Delivery Stop,Contact Name,تماس نوم +DocType: Call Log,Contact Name,تماس نوم DocType: Plaid Settings,Synchronize all accounts every hour,په هر ساعت کې ټول حسابونه ترکیب کړئ DocType: Course Assessment Criteria,Course Assessment Criteria,کورس د ارزونې معیارونه DocType: Pricing Rule Detail,Rule Applied,قانون پلي شوی @@ -522,7 +533,6 @@ 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,خرڅلاو صورتحساب نه -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,نامعلوم شمیر DocType: Website Filter Field,Website Filter Field,د ویب پا Filې فلټر ډګر apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,د سپړنې ډول DocType: Material Request Item,Min Order Qty,Min نظم Qty @@ -550,7 +560,6 @@ DocType: Salary Slip,Total Principal Amount,ټول اصلي مقدار DocType: Student Guardian,Relation,د خپلوي DocType: Quiz Result,Correct,درست DocType: Student Guardian,Mother,مور -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,مهرباني وکړئ لومړی په site_config.json کې د پلیدایی معتبر کیلي ګانې اضافه کړئ DocType: Restaurant Reservation,Reservation End Time,د خوندیتوب پای وخت DocType: Crop,Biennial,دوه کلن ,BOM Variance Report,د بام متفاوت راپور @@ -565,6 +574,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,د کیلي عامه کیلي DocType: Payment Term,Payment Term Name,د تادیاتو اصطالح نوم DocType: Healthcare Settings,Create documents for sample collection,د نمونو راټولولو لپاره اسناد چمتو کړئ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},په وړاندې د پیسو {0} د {1} نه شي وتلي مقدار څخه ډيره وي {2} @@ -612,12 +622,14 @@ DocType: POS Profile,Offline POS Settings,د نښې POS امستنې DocType: Stock Entry Detail,Reference Purchase Receipt,د حوالې پیرود رسید DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO -YYYY- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,د variant -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',بشپړ Qty نه شي کولای په پرتله 'Qty تولید' وي +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',بشپړ Qty نه شي کولای په پرتله 'Qty تولید' وي +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,موده په روانه ده DocType: Period Closing Voucher,Closing Account Head,حساب مشر تړل DocType: Employee,External Work History,بهرني کار تاریخ apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,متحدالمال ماخذ کې تېروتنه apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,د زده کوونکو راپور ورکونکی apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,د پنډ کوډ څخه +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,د پلورونکي شخص ښودل DocType: Appointment Type,Is Inpatient,په داخل کښی دی apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 نوم DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,په وييکي (صادراتو) به د لیدو وړ وي يو ځل تاسو تسلیمی يادونه وژغوري. @@ -631,6 +643,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,ابعاد نوم apps/erpnext/erpnext/healthcare/setup.py,Resistant,مقاومت apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},مهرباني وکړئ د هوټل روم شرح په {} +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د تنظیم کولو له لارې د شمیره ورکولو لړۍ له لارې د ګډون لپاره د شمېرنې لړۍ تنظیم کړئ DocType: Journal Entry,Multi Currency,څو د اسعارو DocType: Bank Statement Transaction Invoice Item,Invoice Type,صورتحساب ډول apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,د نیټې څخه اعتبار باید تر نیټې نیټې د اعتبار څخه لږ وي @@ -649,6 +662,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,اعتراف وکړ DocType: Workstation,Rent Cost,د کرايې لګښت 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,اندازه د استهالک وروسته apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,راتلونکو جنتري پیښې apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,مختلف ډولونه @@ -737,7 +751,6 @@ DocType: Request for Quotation,Request for Quotation,لپاره د داوطلب 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,په چاپ کې د پلور شخص ښودل 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,ځواک @@ -745,7 +758,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,یو نوی پيرودونکو جوړول apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,د وخت تمه کول apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",که څو د بیو د اصولو دوام پراخیدل، د کاروونکو څخه پوښتنه کيږي چي د لومړیتوب ټاکل لاسي د شخړې حل کړي. -DocType: Purchase Invoice,Scan Barcode,بارکوډ سکین کړئ apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,رانيول امر جوړول ,Purchase Register,رانيول د نوم ثبتول apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,ناروغ ندی موندلی @@ -803,6 +815,7 @@ DocType: Account,Old Parent,زاړه Parent apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,اجباري ډګر - تعليمي کال د apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,اجباري ډګر - تعليمي کال د apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} د {2} {3} سره تړاو نلري. +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} @@ -844,6 +857,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,د timesheet پر بنسټ د معاشونو د معاش برخه. DocType: Driver,Applicable for external driver,د بهرني ډرایور لپاره د تطبیق وړ DocType: Sales Order Item,Used for Production Plan,د تولید پلان لپاره کارول کيږي +DocType: BOM,Total Cost (Company Currency),ټول لګښت (د شرکت اسعارو) DocType: Loan,Total Payment,ټول تاديه apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,د بشپړ کار د نظم لپاره لیږد رد نه شي کولی. DocType: Manufacturing Settings,Time Between Operations (in mins),د وخت عملیاتو تر منځ (په دقیقه) @@ -862,6 +876,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_pro DocType: Supplier Scorecard Standing,Notify Other,نور ته خبرتیا ورکړئ DocType: Vital Signs,Blood Pressure (systolic),د وینی فشار DocType: Item Price,Valid Upto,د اعتبار وړ ترمړوندونو پورې +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.,لست د خپل پېرېدونکي يو څو. هغوی کولی شي، سازمانونو یا وګړو. @@ -880,6 +895,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},په {0} کې بدلونونه apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,مهرباني وکړئ د شرکت وټاکئ DocType: Employee Skill,Employee Skill,د کارمندانو مهارت apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,توپير اکانټ @@ -964,6 +980,7 @@ DocType: Purchase Invoice,Registered Composition,ثبت شوی جوړښت apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,سلام apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,خوځول د قالب DocType: Employee Incentive,Incentive Amount,حساس مقدار +,Employee Leave Balance Summary,د کارمند رخصت توازن لنډیز DocType: Serial No,Warranty Period (Days),ګرنټی د دورې (ورځې) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,د پور ټول مجموعی / د Debit اندازه باید د ژورنالیستانو انټرنټ سره ورته وي DocType: Installation Note Item,Installation Note Item,نصب او يادونه د قالب @@ -977,6 +994,7 @@ DocType: Vital Signs,Bloated,لوټ شوی DocType: Salary Slip,Salary Slip Timesheet,معاش ټوټه Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,عرضه ګدام د فرعي قرارداد رانيول رسيد اجباري DocType: Item Price,Valid From,د اعتبار له +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,ستاسو کچونګ: DocType: Sales Invoice,Total Commission,Total کمیسیون DocType: Tax Withholding Account,Tax Withholding Account,د مالیه ورکوونکي مالیه حساب DocType: Pricing Rule,Sales Partner,خرڅلاو همکار @@ -984,6 +1002,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,د ټولو سپ DocType: Buying Settings,Purchase Receipt Required,رانيول رسيد اړین DocType: Sales Invoice,Rail,رېل apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,اصل لګښت +DocType: Item,Website Image,د ویب پا Imageې عکس apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,په صفار {0} کې هدف ګودام باید د کار امر په توګه وي apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,سنجي Rate فرض ده که پرانيستل دحمل ته ننوتل apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,هیڅ ډول ثبتونې په صورتحساب جدول کې وموندل @@ -1017,8 +1036,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,مهرباني وکړئ د خپل حساب سمولو څخه دمخه ستاسو د پلیډ API ترتیب بشپړ کړئ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,د نیمایي نیټه لازمي ده DocType: Sales Order,Billing and Delivery Status,د بیلونو او د محصول سپارل حالت DocType: Job Applicant,Resume Attachment,سوانح ضميمه @@ -1030,7 +1049,6 @@ DocType: Production Plan,Production Plan,د تولید پلان DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,د انوائس د جوړولو وسیله پرانیزي DocType: Salary Component,Round to the Nearest Integer,نږدی عدد پوری apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,خرڅلاو Return -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,نوټ: ټولې اختصاص پاڼي {0} بايد نه مخکې تصویب پاڼو څخه کم وي {1} د مودې لپاره DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,د سیریل نمبر انټرنیټ پر بنسټ د راکړې ورکړې مقدار ټاکئ ,Total Stock Summary,Total سټاک لنډيز apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1058,6 +1076,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,ي apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,د مدیر مقدار DocType: Loan Application,Total Payable Interest,ټول د راتلوونکې په زړه پوری apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ټول ټاکل شوي: {0} +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} DocType: Payroll Entry,Select Payment Account to make Bank Entry,انتخاب د پیسو حساب ته د بانک د داخلولو لپاره @@ -1066,6 +1085,7 @@ 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,د اوسمهال د پروسې په ترڅ کې یوه تېروتنه رامنځته شوه DocType: Restaurant Reservation,Restaurant Reservation,د رستورانت ساتنه +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,ستاسو توکي apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,د پروپوزل ليکلو DocType: Payment Entry Deduction,Payment Entry Deduction,د پیسو د داخلولو Deduction DocType: Service Level Priority,Service Level Priority,د خدمت کچې لومړیتوب @@ -1074,6 +1094,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,د بسته شمېره لړۍ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,بل خرڅلاو کس {0} د همدې کارکوونکی پېژند شتون لري DocType: Employee Advance,Claimed Amount,ادعا شوې پیسې +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,د تخصیص وخت تېرول DocType: QuickBooks Migrator,Authorization Settings,د اجازې ترتیبات DocType: Travel Itinerary,Departure Datetime,د راتګ دوره apps/erpnext/erpnext/hub_node/api.py,No items to publish,د خپرولو لپاره توکي نشته @@ -1142,7 +1163,6 @@ DocType: Student Batch Name,Batch Name,دسته نوم DocType: Fee Validity,Max number of visit,د کتنې ډیره برخه DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,د ګټې او زیان حساب لپاره لازمي ,Hotel Room Occupancy,د هوټل روم Occupancy -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet جوړ: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},لطفا د تادیاتو په اکر کې default د نغدي او يا بانک حساب جوړ {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,کې شامل کړي DocType: GST Settings,GST Settings,GST امستنې @@ -1274,6 +1294,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,مهرباني غوره پروګرام DocType: Project,Estimated Cost,اټکل شوی لګښت DocType: Request for Quotation,Link to material requests,مخونه چې د مادي غوښتنو +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,خپرول apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,فضایي ,Fichier des Ecritures Comptables [FEC],فیکیر des Ecritures لنډیزونه [FEC] DocType: Journal Entry,Credit Card Entry,کریډیټ کارټ انفاذ @@ -1300,6 +1321,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,اوسني شتمني apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} يو سټاک د قالب نه دی apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',مهرباني وکړئ خپل روزنې ته د روزنې ځوابونه او بیا وروسته 'نوی' په واسطه ټریننګ سره شریک کړئ. +DocType: Call Log,Caller Information,زنګ وهونکي معلومات DocType: Mode of Payment Account,Default Account,default اکانټ apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,مهرباني وکړئ لومړی د سټارټ سایټونو کې د نمونې ساتنه ګودام غوره کړئ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,مهرباني وکړئ د ډېرو راټول شویو قواعدو لپاره د ډیری ټیر پروګرام ډول غوره کړئ. @@ -1324,6 +1346,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,د موټرونو د موادو غوښتنه تولید شوی DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),کاري ساعتونه چې لاندې نیمه ورځ په نښه شوې. (د غیر فعالولو لپاره صفر) DocType: Job Card,Total Completed Qty,ټول بشپړ شوی مقدار +DocType: HR Settings,Auto Leave Encashment,اتومات پرېږدۍ نقشه apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,له لاسه apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,تاسې کولای شی نه په اوسنیو کوپون 'پر وړاندې د ژورنال انفاذ' کالم ننوځي DocType: Employee Benefit Application Detail,Max Benefit Amount,د زیاتو ګټې ګټې @@ -1353,9 +1376,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,ګډون کوونکي DocType: Item Attribute Value,Item Attribute Value,د قالب ځانتیا ارزښت apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,د پیسو تبادله باید د اخیستلو یا خرڅلاو لپاره تطبیق شي. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,یوازې تمدید شوې تخصیص لغوه کیدی شي DocType: Item,Maximum sample quantity that can be retained,د نمونې خورا مهم مقدار چې ساتل کیدی شي apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},صف {0} # آئٹم {1} نشي کولی د {2} څخه زیات د پیرودلو په وړاندې لیږدول {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,خرڅلاو مبارزو. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,نامعلوم کالونکی DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1387,6 +1412,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,د روغت apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,د نوم نوم DocType: Expense Claim Detail,Expense Claim Type,اخراجاتو ادعا ډول DocType: Shopping Cart Settings,Default settings for Shopping Cart,کولر په ګاډۍ تلواله امستنو +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,توکي خوندي کړئ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,نوی لګښت apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,د اوسني ترتیب شوي مقدار څخه سترګې پټې کړئ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,مهال ویشونه زیات کړئ @@ -1399,6 +1425,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,د دعوت کولو لیږل بیاکتنه DocType: Shift Assignment,Shift Assignment,د لیږد تخصیص DocType: Employee Transfer Property,Employee Transfer Property,د کارموندنې لیږد ملکیت +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,د ساحې د انډول / مسؤلیت حساب خالي نشی کیدی apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,وخت څخه باید د وخت څخه لږ وي apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,د ټېکنالوجۍ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1480,11 +1507,13 @@ 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,نوې اړیکه جوړه کړئ apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,کورس د مهال ويش DocType: GSTR 3B Report,GSTR 3B Report,د GSTR 3B راپور DocType: Request for Quotation Supplier,Quote Status,د حالت حالت DocType: GoCardless Settings,Webhooks Secret,د ویبوکس پټ DocType: Maintenance Visit,Completion Status,تکميل حالت +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},د تادیاتو مجموعي مقدار له {than څخه زیات نشي DocType: Daily Work Summary Group,Select Users,کاروونکي وټاکئ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,د هوټل خونه د قیمت کولو توکي DocType: Loyalty Program Collection,Tier Name,د ټیر نوم @@ -1522,6 +1551,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,د SGST DocType: Lab Test Template,Result Format,د پایلو فارم DocType: Expense Claim,Expenses,لګښتونه DocType: Service Level,Support Hours,د ملاتړ ساعتونه +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,د سپارلو یادښتونه DocType: Item Variant Attribute,Item Variant Attribute,د قالب variant ځانتیا ,Purchase Receipt Trends,رانيول رسيد رجحانات DocType: Payroll Entry,Bimonthly,د جلسو @@ -1543,7 +1573,6 @@ DocType: Sales Team,Incentives,هڅوونکي DocType: SMS Log,Requested Numbers,غوښتنه شميرې DocType: Volunteer,Evening,شاملیږي DocType: Quiz,Quiz Configuration,د کوز تشکیلات -DocType: Customer,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,دحمل په بشپړه توګه کتل @@ -1590,7 +1619,6 @@ apps/erpnext/erpnext/config/accounting.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,ټول زیرو مقدار فلټر کړئ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},ته د وخت د عملياتو په راتلونکو {0} ورځو کې د څوکۍ د موندلو توان نلري {1} DocType: Work Order,Plan material for sub-assemblies,فرعي شوراګانو لپاره پلان مواد 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,د لیږد لپاره کوم توکي شتون نلري @@ -1605,9 +1633,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,تاسو باید د بیا تنظیم کولو کچې ساتلو لپاره په سټاک ترتیباتو کې د آو ری آرډر وړ کړئ. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,لغوه مواد ليدنه {0} بندول د دې د ساتنې سفر مخکې DocType: Pricing Rule,Rate or Discount,اندازه یا رخصتۍ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,د بانک توضیحات DocType: Vital Signs,One Sided,یو اړخ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},شعبه {0} نه د قالب سره تړاو نه لري {1} -DocType: Purchase Receipt Item Supplied,Required Qty,مطلوب Qty +DocType: Purchase Order Item Supplied,Required Qty,مطلوب Qty DocType: Marketplace Settings,Custom Data,دودیز ډاټا apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,د موجوده معامله ګودامونو ته د پنډو بدل نه شي. DocType: Service Day,Service Day,د خدمت ورځ @@ -1633,7 +1662,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,حساب د اسعارو DocType: Lab Test,Sample ID,نمونه ایډیټ apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,لطفا په شرکت ذکر پړاو پړاو په حساب -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,ډیبیټ_نټ_امټ DocType: Purchase Receipt,Range,Range DocType: Supplier,Default Payable Accounts,Default د راتلوونکې حسابونه apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,د کارګر {0} فعاله نه وي او یا موجود ندی @@ -1674,8 +1702,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,معلومات د غوښتنې لپاره DocType: Course Activity,Activity Date,د فعالیت نیټه apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},د {} { -,LeaderBoard,LeaderBoard DocType: Sales Invoice Item,Rate With Margin (Company Currency),د مارجې سره اندازه (د شرکت پیسو) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,کټګورۍ apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,پرانیځئ نالیکی صورتحساب DocType: Payment Request,Paid,ورکړل DocType: Service Level,Default Priority,لومړیتوب لومړیتوب @@ -1710,11 +1738,11 @@ 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,نامستقیم عايداتو DocType: Student Attendance Tool,Student Attendance Tool,د زده کوونکو د حاضرۍ اوزار DocType: Restaurant Menu,Price List (Auto created),د بیې لیست (آٹو جوړ شوی) +DocType: Pick List Item,Picked Qty,غوره شوی DocType: Cheque Print Template,Date Settings,نېټه امستنې 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,د کارموندنې وده -,Company Name,دکمپنی نوم 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 کې بدل کړئ. @@ -1733,7 +1761,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,وروستۍ هڅه 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} -DocType: BOM,Raw Material Cost(Company Currency),لومړنیو توکو لګښت (شرکت د اسعارو) 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,متره @@ -1799,6 +1826,7 @@ DocType: Travel Itinerary,Train,روزنه ,Delayed Item Report,ځنډ شوي توکي راپور apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,مستحق ITC DocType: Healthcare Service Unit,Inpatient Occupancy,د داخل بستر درملنه +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,خپل لومړی توکي خپاره کړئ DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,د شفټ پای ته رسیدو څخه وروسته وخت چې د ګډون لپاره چک ګ forل کیږي. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},مهرباني وکړئ مشخص یو {0} @@ -1916,6 +1944,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,ټول BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,د انټر شرکت ژورنال ننوتنه جوړه کړئ DocType: Company,Parent Company,د والدین شرکت apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},د هوټل خونه {1} د {1} په لاس کې نشته +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,د خامو موادو او عملیاتو کې بدلونونو لپاره BOMs پرتله کړئ DocType: Healthcare Practitioner,Default Currency,default د اسعارو 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}٪ @@ -1949,6 +1978,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-فورمه صورتحساب تفصیلي DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,قطعا د پخلاينې د صورتحساب DocType: Clinical Procedure,Procedure Template,کړنلارې کاريال +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,توکي خپاره کړئ apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,بسپنه٪ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",لکه څنګه چې هر د خريداري امستنې که د اخستلو امر مطلوب ==: هو، بیا د رانيول صورتحساب د رامنځته کولو، د کارونکي باید د اخستلو امر لومړي لپاره توکی جوړ {0} ,HSN-wise-summary of outward supplies,د بهرنی تجهیزاتو HSN-wise- لنډیز @@ -1960,7 +1990,6 @@ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,خرید په apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',مهرباني وکړئ ټاکل 'د اضافي کمښت Apply' DocType: Party Tax Withholding Config,Applicable Percent,د تطبیق وړ سلنه ,Ordered Items To Be Billed,امر توکي چې د محاسبې ته شي -DocType: Employee Checkin,Exit Grace Period Consequence,د فضل د دورې پایله apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,له Range لري چې کم وي په پرتله د Range DocType: Global Defaults,Global Defaults,Global افتراضیو apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,د پروژې د مرستې په جلب @@ -1968,13 +1997,11 @@ DocType: Salary Slip,Deductions,د مجرايي DocType: Setup Progress Action,Action Name,د عمل نوم apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,بیا کال apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,پور جوړ کړئ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,بیا د روان صورتحساب د مودې نېټه DocType: Shift Type,Process Attendance After,وروسته د پروسې ګډون ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,پرته له معاشونو څخه ووځي DocType: Payment Request,Outward,بهر -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,د ظرفیت د پلان کې تېروتنه apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,د دولت / UT مالیه ,Trial Balance for Party,د محاکمې بیلانس د ګوندونو ,Gross and Net Profit Report,د ناخالص او خالص ګټې راپور @@ -1993,7 +2020,6 @@ DocType: Payroll Entry,Employee Details,د کارکونکو تفصیلات 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} لپاره اړین ده -DocType: Setup Progress Action,Domains,Domains 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} @@ -2035,7 +2061,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,د وال 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.",د پیسو په اکر کې نده شکل بندي شوې ده. مهرباني وکړئ وګورئ، چې آيا حساب په د تادياتو د اکر یا د POS پېژندنه ټاکل شوي دي. apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,ورته توکی نه شي کولای شي د څو ځله ننوتل. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",لا حسابونو شي ډلو لاندې کړې، خو د زياتونې شي غیر ډلو په وړاندې د -DocType: Email Campaign,Lead,سرب د +DocType: Call Log,Lead,سرب د DocType: Email Digest,Payables,Payables DocType: Amazon MWS Settings,MWS Auth Token,د MWS ثبوت ټاټین DocType: Email Campaign,Email Campaign For ,لپاره د بریښنالیک کمپاین @@ -2047,6 +2073,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,د اخستلو امر توکي چې د محاسبې ته شي 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,د کریډیټ حدود DocType: Purchase Invoice Item,Net Rate,خالص Rate apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,مهرباني وکړئ یو پیرود غوره کړئ DocType: Leave Policy,Leave Allocations,تخصیص پریږدئ @@ -2060,6 +2087,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,بندول Issue ورځې وروسته ,Eway Bill,د تل لپاره apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,تاسو ته اړتیا لرئ چې د سیسټم مدیر او د مدیر مدیر رول سره د کاروونکو لپاره د کاروونکو اضافه کولو لپاره یو کارن وي. +DocType: Attendance,Early Exit,وختي وتل DocType: Job Opening,Staffing Plan,د کار کولو پلان apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,د ای - ویز بل JSON یوازې د وړاندې شوي سند څخه رامینځته کیدی شي apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,د کارمند مالیات او ګټې @@ -2081,6 +2109,7 @@ DocType: Maintenance Team Member,Maintenance Role,د ساتنې رول apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},{0} دوه ګونو قطار سره ورته {1} DocType: Marketplace Settings,Disable Marketplace,د بازار ځای بندول DocType: Quality Meeting,Minutes,دقیقې +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,ستاسو ب Featې شوي توکي ,Trial Balance,د محاکمې بیلانس apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,بشپړ شو apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,مالي کال د {0} ونه موندل شو @@ -2090,8 +2119,8 @@ 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,مهرباني وکړئ لومړی مختاړی وټاکئ DocType: Contract,Fulfilment Deadline,د پوره کولو وروستۍ نیټه +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,تاسره نږدې DocType: Student,O-,فرنګ -DocType: Shift Type,Consequence,پایله DocType: Subscription Settings,Subscription Settings,د ګډون ترتیبونه DocType: Purchase Invoice,Update Auto Repeat Reference,د اتوماتو بیاکتنه حواله تازه کړئ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},د اختر اختیاري لیست د رخصتي دورې لپاره ټاکل شوی ندی {0} @@ -2102,7 +2131,6 @@ DocType: Maintenance Visit Purpose,Work Done,کار وشو apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,مهرباني وکړی په صفات جدول کې لږ تر لږه يو د خاصه مشخص DocType: Announcement,All Students,ټول زده کوونکي apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,{0} د قالب باید یو غیر سټاک وي -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,د بانک تخفیفونه apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,محتویات پنډو DocType: Grading Scale,Intervals,انټروال DocType: Bank Statement Transaction Entry,Reconciled Transactions,منل شوې لیږدونه @@ -2138,6 +2166,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",دا ګودام به د پلور امرونو رامینځته کولو لپاره وکارول شي. د فیل بیک بیک ګودام "پلورنځی" دی. DocType: Work Order,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,ټول د اخیستلو دوران عين اندازه وساتي DocType: Opportunity Item,Opportunity Item,فرصت د قالب DocType: Quality Action,Quality Review,د کیفیت بیاکتنه @@ -2164,7 +2193,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,يو وتلي صورتحساب ترلاسه کړئ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,خرڅلاو نظم {0} د اعتبار وړ نه دی +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,د کوډونو لپاره د نوی غوښتنه لپاره خبردارۍ apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,رانيول امر تاسو سره مرسته پلان او ستاسو د اخیستلو تعقيب apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,د لابراتوار ازموینه @@ -2189,6 +2218,7 @@ DocType: Employee Onboarding,Notify users by email,کاروونکي د بریښ DocType: Travel Request,International,نړیوال DocType: Training Event,Training Event,د روزنې دکمپاینونو DocType: Item,Auto re-order,د موټرونو د بيا نظم +DocType: Attendance,Late Entry,ناوخته ننوتل apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Total السته DocType: Employee,Place of Issue,د صادریدو ځای DocType: Promotional Scheme,Promotional Scheme Price Discount,د پروموشنل سکیم قیمت تخفیف @@ -2235,6 +2265,7 @@ DocType: Serial No,Serial No Details,شعبه نورولوله DocType: Purchase Invoice Item,Item Tax Rate,د قالب د مالياتو Rate apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,د ګوند نوم apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,د خالص معاش معاش +DocType: Pick List,Delivery against Sales Order,د پلور امر په مقابل کې تحویلي DocType: Student Group Student,Group Roll Number,ګروپ رول شمیره DocType: Student Group Student,Group Roll Number,ګروپ رول شمیره apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",د {0}، يوازې د پور حسابونو بل ډیبیټ د ننوتلو په وړاندې سره وتړل شي @@ -2308,7 +2339,6 @@ DocType: Contract,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,عرضه صورتحساب نېټه -DocType: Asset Settings,This value is used for pro-rata temporis calculation,دا ارزښت د پروټاټا ټیم کارکونکو حساب لپاره کارول کیږي apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,تاسو باید د خرید په ګاډۍ وتوانوي DocType: Payment Entry,Writeoff,Writeoff DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS -YYYY.- @@ -2331,7 +2361,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,د پلور غیر فعال توکي DocType: Quality Review,Additional Information,نور معلومات apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Total نظم ارزښت -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,د خدماتو کچې تړون ریسیټ. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,د خوړو د apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Ageing Range 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,د POS وتلو د سوغات تفصیلات @@ -2376,6 +2405,7 @@ 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,د کمپاین 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',تصویب حالت بايد د تصویب 'يا' رد ' DocType: Healthcare Practitioner,Contacts and Address,اړیکې او پته DocType: Shift Type,Determine Check-in and Check-out,چیک او چیک چیک وټاکئ @@ -2395,7 +2425,6 @@ DocType: Student Admission,Eligibility and Details,وړتیا او تفصیلا apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,په ناخالصه ګټه کې شامل دي apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,په ثابته شتمني خالص د بدلون apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,ریق مقدار -DocType: Company,Client Code,د پیرودونکي کوډ apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,د ډول 'واقعي په قطار چارج په قالب Rate نه {0} شامل شي apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},اعظمي: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,له Datetime @@ -2463,6 +2492,7 @@ DocType: Journal Entry Account,Account Balance,موجوده حساب apps/erpnext/erpnext/config/accounting.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 (%),له لیږد څخه ډیر تادیه (٪) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} د {1}: پيرودونکو ده ترلاسه ګڼون په وړاندې د اړتيا {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total مالیات او په تور (شرکت د اسعارو) DocType: Weather,Weather Parameter,د موسم پیرس @@ -2523,6 +2553,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,د غیر حاضرۍ لپ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,د ټول لګښتونو پر اساس شتون لري د جمعې ډلبندۍ ډیری فکتور وي. مګر د تل لپاره د بدلولو فکتور به تل د ټولو تیرو لپاره یو شان وي. apps/erpnext/erpnext/config/help.py,Item Variants,د قالب تانبه apps/erpnext/erpnext/public/js/setup_wizard.js,Services,خدمتونه +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Email معاش د کارکونکو ټوټه DocType: Cost Center,Parent Cost Center,Parent لګښت مرکز @@ -2533,7 +2564,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields",غ DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,د لیږد په بدل کې د پرچون پلور څخه د وارداتو سپارښتنې apps/erpnext/erpnext/templates/pages/projects.html,Show closed,انکړپټه ښودل تړل DocType: Issue Priority,Issue Priority,لومړیتوب ورکول -DocType: Leave Type,Is Leave Without Pay,ده پرته د معاشونو د وتو +DocType: Leave Ledger Entry,Is Leave Without Pay,ده پرته د معاشونو د وتو apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,د شتمنیو کټه ګورۍ لپاره شتمن توکی الزامی دی DocType: Fee Validity,Fee Validity,د فیس اعتبار @@ -2606,6 +2637,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,دوه اړخیزه DocType: Item,Manufacturers,جوړونکي @@ -2642,7 +2674,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,بانک پخلاينې اعلامیه DocType: Patient Encounter,Medical Coding,طبي کوډ DocType: Healthcare Settings,Reminder Message,د یادونې پیغام -,Lead Name,سرب د نوم +DocType: Call Log,Lead Name,سرب د نوم ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,اټکل @@ -2673,12 +2705,14 @@ DocType: Purchase Invoice,Supplier Warehouse,عرضه ګدام DocType: Opportunity,Contact Mobile No,د تماس د موبايل په هيڅ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,د شرکت غوره کول ,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: Student Report Generation Tool,Print Section,د چاپ برخه DocType: Staffing Plan Detail,Estimated Cost Per Position,د موقعیت اټکل شوی لګښت DocType: Employee,HR-EMP-,HR-EMP- 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} نه لري د اصلي پی ایس پی پېژني. د دې کارن لپاره د {1} په صف کې اصلي ځای وګورئ. DocType: Quality Meeting Minutes,Quality Meeting Minutes,د کیفیت ناستې دقیقې +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کونکي> عرضه کونکي ډول apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,د کار ګمارل DocType: Student Group,Set 0 for no limit,جوړ 0 لپاره پرته، حدود نه apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,په هغه ورځ (s) چې تاسو د رخصتۍ درخواست دي رخصتي. تاسو ته اړتيا نه لري د درخواست. @@ -2712,12 +2746,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,په نغدو خالص د بدلون DocType: Assessment Plan,Grading Scale,د رتبو او مقياس apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,د {0} اندازه واحد په د تغیر فکتور جدول څخه يو ځل داخل شوي دي -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,لا د بشپړ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,دحمل په لاس کې apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",مهرباني وکړئ پاتې برخه اضافي {0} غوښتنلیک ته د پروتوټا برخې په توګه اضافه کړئ apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',مهرباني وکړئ د عامه ادارې '٪ s' لپاره مالي کوډ تنظیم کړئ -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},د پیسو غوښتنه د مخکې نه شتون {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,د خپریدلو سامان لګښت DocType: Healthcare Practitioner,Hospital,روغتون apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},اندازه بايد زيات نه وي {0} @@ -2761,6 +2793,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,بشري منابع apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,د مشرانو پر عايداتو DocType: Item Manufacturer,Item Manufacturer,د قالب جوړوونکی +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,نوی لیډ جوړ کړئ DocType: BOM Operation,Batch Size,د بیچ کچه apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,رد DocType: Journal Entry Account,Debit in Company Currency,په شرکت د پیسو د ډیبیټ @@ -2780,9 +2813,11 @@ DocType: Bank Transaction,Reconciled,پخلا شوی DocType: Expense Claim,Total Amount Reimbursed,Total مقدار بیرته apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,دا په دې د موټرو پر وړاندې د يادښتونه پر بنسټ. د تفصیلاتو لپاره په لاندی مهال ویش وګورئ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,د معاشونو نیټه د کارمندانو د شمولیت نیټه نه کم کیدی شي +DocType: Pick List,Item Locations,د توکو موقعیتونه apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} د {1} جوړ apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",د نوم لیکنې لپاره د کار خلاصونه {0} مخکې له مخکې پرانیستل شوي یا یا د کارمندانو پلان سره سم بشپړ شوي دندې {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,تاسو کولی شئ تر 200 پورې توکي خپاره کړئ. DocType: Vital Signs,Constipated,قبضه شوی apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},په وړاندې د عرضه صورتحساب {0} د میاشتې په {1} DocType: Customer,Default Price List,Default د بیې په لېست @@ -2898,6 +2933,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,نېټه د تقاعد DocType: Upload Attendance,Get Template,ترلاسه کينډۍ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,لیست غوره کړه ,Sales Person Commission Summary,د پلور خرڅلاو کمیسیون لنډیز DocType: Material Request,Transferred,سپارل DocType: Vehicle,Doors,دروازو @@ -2977,7 +3013,7 @@ DocType: Sales Invoice Item,Customer's Item Code,پيرودونکو د قالب DocType: Stock Reconciliation,Stock Reconciliation,دحمل پخلاينې DocType: Territory,Territory Name,خاوره نوم DocType: Email Digest,Purchase Orders to Receive,د پیرودلو سپارښتنې ترلاسه کول -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,کار-in-پرمختګ ګدام مخکې اړتیا سپارل +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,کار-in-پرمختګ ګدام مخکې اړتیا سپارل apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,تاسو کولی شئ یوازې د ګډون کولو په وخت کې د ورته بل چا سره سره پالنونه ولرئ DocType: Bank Statement Transaction Settings Item,Mapped Data,خراب شوی ډاټا DocType: Purchase Order Item,Warehouse and Reference,ګدام او ماخذ @@ -3050,6 +3086,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,د سپارلو ترتیبات apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ډاټا ترلاسه کړئ apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},د لیږد ډول کې {1} {1} دی. +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 توکی خپور کړئ DocType: SMS Center,Create Receiver List,جوړول د اخيستونکي بشپړفهرست DocType: Student Applicant,LMS Only,یوازې LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,د کارولو لپاره شتون باید د پیرودنې نیټې وروسته وي @@ -3083,6 +3120,7 @@ DocType: Serial No,Delivery Document No,د سپارنې سند نه DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,د تولید شوي سیریل نمبر پر بنسټ د سپارلو ډاډ ترلاسه کول DocType: Vital Signs,Furry,فريږه apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},لطفا په شرکت لاسته راغلې ګټه پر شتمنیو برطرف / زیان حساب 'جوړ {0} +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} @@ -3105,9 +3143,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,د میاشتنی DocType: Quality Procedure Process,Quality Procedure Process,د کیفیت پروسیجر پروسه apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,دسته تذکرو الزامی دی apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,دسته تذکرو الزامی دی +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,مهرباني وکړئ لومړی پیرودونکی وټاکئ DocType: Sales Person,Parent Sales Person,Parent خرڅلاو شخص apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,کوم توکي چې ترلاسه نه شي ترلاسه شوي apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,پلورونکي او پیرودونکی ورته نشي +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,تراوسه هیڅ نظر نشته DocType: Project,Collect Progress,پرمختګ راټول کړئ DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN -YYYY- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,لومړی پروګرام غوره کړئ @@ -3128,11 +3168,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,السته DocType: Student Admission,Application Form Route,د غوښتنليک فورمه لار apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,د تړون پای نیټه د نن ورځې څخه کم نشي. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,د سپارلو لپاره Ctrl + Enter DocType: Healthcare Settings,Patient Encounters in valid days,د معتبر ورځو په وخت کې د ناروغی اخته apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,پريږدئ ډول {0} نه شي ځانګړي شي ځکه چې دی پرته له معاش څخه ووځي 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,په کلیمو کې به د ليدو وړ وي. هر کله چې تاسو د خرڅلاو صورتحساب وژغوري. DocType: Lead,Follow Up,تعقیب یی کړه +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,د لګښت مرکز: {0} شتون نلري DocType: Item,Is Sales Item,آیا د پلورنې د قالب apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,د قالب ګروپ ونو apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,{0} د قالب د سریال ترانسفارمرونو د تشکیلاتو نه ده. د قالب د بادار د وګورئ @@ -3175,9 +3217,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,تهيه Qty DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR -YYYY- DocType: Purchase Order Item,Material Request Item,د موادو غوښتنه د قالب -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,مهرباني وکړئ لومړی د {1} پیرود رسيد رد کړئ apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,د قالب ډلې ونه ده. DocType: Production Plan,Total Produced Qty,ټول تولید شوي مقدار +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,تراوسه پورې بیاکتنه نشته apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,نه قطار شمېر په پرتله لویه یا مساوي دې مسؤوليت په ډول د اوسني قطار شمېر ته راجع DocType: Asset,Sold,پلورل ,Item-wise Purchase History,د قالب-هوښيار رانيول تاریخ @@ -3196,7 +3238,7 @@ DocType: Designation,Required Skills,اړین مهارتونه DocType: Inpatient Record,O Positive,اې مثبت apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,پانګه اچونه DocType: Issue,Resolution Details,د حل په بشپړه توګه کتل -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,د راکړې ورکړې ډول +DocType: Leave Ledger Entry,Transaction Type,د راکړې ورکړې ډول DocType: Item Quality Inspection Parameter,Acceptance Criteria,د منلو وړ ټکي apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,مهرباني وکړی په پورته جدول د موادو غوښتنې ته ننوځي apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,د ژورنال ننوتلو لپاره هیڅ تادیات شتون نلري @@ -3238,6 +3280,7 @@ DocType: Bank Account,Bank Account No,د بانک حساب حساب DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,د کارکونکو مالیې معافیت ثبوت وړاندې کول DocType: Patient,Surgical History,جراحي تاریخ DocType: Bank Statement Settings Item,Mapped Header,نقشه سرلیک +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري سرچینو> HR ترتیبات کې د کارمند نوم ورکولو سیسټم تنظیم کړئ DocType: Employee,Resignation Letter Date,د استعفا ليک نېټه apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,د بیې اصول دي لا فلتر پر بنسټ اندازه. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},لطفا د ټولګې لپاره د کارمند په یوځای کېدو د نېټه {0} @@ -3303,7 +3346,6 @@ DocType: Student Report Generation Tool,Add Letterhead,ليټريډ زياتول 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ټولې پاڼي {0} نه لږ وي لا تصویب پاڼي {1} مودې لپاره په پرتله DocType: Contract Fulfilment Checklist,Requirement,اړتیاوې DocType: Journal Entry,Accounts Receivable,حسابونه ترلاسه DocType: Quality Goal,Objectives,موخې @@ -3326,7 +3368,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,د سوداګریزو DocType: Lab Test Template,This value is updated in the Default Sales Price List.,دا ارزښت د اصلي خرڅلاو نرخ لیست کې تازه شوی دی. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,ستا ګاډي تش ده DocType: Email Digest,New Expenses,نوي داخراجاتو -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC مقدار apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,لار نشي کولی مطلوب کړي ځکه چې د موټر چلوونکي پته ورکه ده. DocType: Shareholder,Shareholder,شريکونکي DocType: Purchase Invoice,Additional Discount Amount,اضافي کمښت مقدار @@ -3396,6 +3437,7 @@ DocType: Salary Component,Deduction,مجرايي DocType: Item,Retain Sample,نمونه ساتل apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,د کتارونو تر {0}: له وخت او د وخت فرض ده. DocType: Stock Reconciliation Item,Amount Difference,اندازه بدلون +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,دا پا itemsه د هغه توکو تعقیب ساتي چې تاسو یې د پلورونکو څخه پیرود غواړئ. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},د قالب بیه لپاره زياته کړه {0} په بیې په لېست کې د {1} DocType: Delivery Stop,Order Information,د امر معلومات apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,مهرباني وکړئ او دې د پلورنې کس ته ننوځي د کارګر Id @@ -3424,6 +3466,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** مالي کال ** د مالي کال استازيتوب کوي. ټول د محاسبې زياتونې او نورو لويو معاملو ** مالي کال په وړاندې تعقیبیږي **. DocType: Opportunity,Customer / Lead Address,پيرودونکو / سوق پته DocType: Supplier Scorecard Period,Supplier Scorecard Setup,د سپریري کرایډ کارټ Setup +DocType: Customer Credit Limit,Customer Credit Limit,د پیرودونکي اعتبار حد apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,د ارزونې پلان نوم apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,د هدف توضیحات apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",د تطبیق وړ که چیرې شرکت سپا ، SAPA یا SRL وي @@ -3476,7 +3519,6 @@ DocType: Company,Transactions Annual History,د راکړې ورکړې کلنۍ 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,بانک نوم -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Above 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,مايع @@ -3530,6 +3572,7 @@ 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و شویو توکو کې اضافه شوي apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,د کال لپاره ګټه 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,په بهیر کې @@ -3584,12 +3627,10 @@ 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,ورته سیمی توکي څو ځلې وخت ورکړئ -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,د شرکت لپاره د جی ایس ٹی شمیره ونه موندل شوه. 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,د کارکوونکو DocType: Question,Single Correct Answer,یوازینی سم ځواب -DocType: Employee,Contact Details,د اړیکو نیولو معلومات DocType: C-Form,Received Date,ترلاسه نېټه DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",که تاسو په خرڅلاو مالیات او په تور کينډۍ د يوې معياري کېنډۍ جوړ، وټاکئ او پر تڼی لاندې ځای کلیک کړی. DocType: BOM Scrap Item,Basic Amount (Company Currency),اساسي مقدار (شرکت د اسعارو) @@ -3619,12 +3660,13 @@ DocType: BOM Website Operation,BOM Website Operation,هیښ وېب پاڼه د DocType: Bank Statement Transaction Payment Item,outstanding_amount,پاتې شوی DocType: Supplier Scorecard,Supplier Score,د سپرایټ شمیره apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,داخلیدو مهال ویش +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,د تادیې د غوښتنې مجموعه اندازه د {0} مقدار څخه زیاته نشي DocType: Tax Withholding Rate,Cumulative Transaction Threshold,د ټولیز لیږد تمرکز DocType: Promotional Scheme Price Discount,Discount Type,د تخفیف ډول -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Total رسیدونو د نننیو DocType: Purchase Invoice Item,Is Free Item,وړیا توکي دي +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,سلنه چې تاسو د ترتیب شوي مقدار په مقابل کې د نورو لیږدولو اجازه لرئ. د مثال په توګه: که تاسو 100 واحدونو امر کړی وي. او ستاسو اتحادیه 10 is ده نو بیا تاسو ته 110 واحدونو لیږدولو اجازه درکول کیږي. DocType: Supplier,Warn RFQs,د آر ایف اسو خبرداری -apps/erpnext/erpnext/templates/pages/home.html,Explore,پيژندګلو +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,پيژندګلو DocType: BOM,Conversion Rate,conversion Rate apps/erpnext/erpnext/www/all-products/index.html,Product Search,د محصول د لټون ,Bank Remittance,د بانک استول @@ -3636,6 +3678,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,ټولې پیسې ورکړل شوي DocType: Asset,Insurance End Date,د بیمې پای نیټه apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,مهرباني وکړئ د زده کونکي داخلي انتخاب وټاکئ کوم چې د ورکړل شوې زده کونکي غوښتونکي لپاره ضروري دی +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK -YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,د بودجې لیست DocType: Campaign,Campaign Schedules,د کمپاین سیسټمونه DocType: Job Card Time Log,Completed Qty,بشپړ Qty @@ -3658,6 +3701,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,نوې پ DocType: Quality Inspection,Sample Size,نمونه اندازه apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,لطفا د رسيد سند ته ننوځي apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,ټول توکي لا له وړاندې د رسیدونو شوي +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,پاvesې نیول شوي apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',لطفا 'له Case شمیره' مشخص معتبر 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,لا لګښت مرکزونه کولای شي ډلو لاندې کړې خو زياتونې شي غیر ډلو په وړاندې د DocType: Branch,Branch,څانګه @@ -3757,6 +3801,8 @@ 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} د ورکړل شوې خرما DocType: Leave Block List,Allow Users,کارنان پرېښودل DocType: Purchase Order,Customer Mobile No,پيرودونکو د موبايل په هيڅ +DocType: Leave Type,Calculated in days,په ورځو کې محاسبه +DocType: Call Log,Received By,ترلاسه شوی له خوا 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 یا اختلافات اخراجاتو. @@ -3810,6 +3856,7 @@ DocType: Support Search Source,Result Title Field,د پایلو نوم ډګر apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,د لنډیز لنډیز DocType: Sample Collection,Collected Time,راغونډ شوی وخت DocType: Employee Skill Map,Employee Skills,د کارمندانو مهارتونه +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,د سونګ مصرف DocType: Company,Sales Monthly History,د پلور میاشتني تاریخ apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,مهرباني وکړئ د مالیاتو او لګښتونو جدول کې لږترلږه یو قطار تنظیم کړئ DocType: Asset Maintenance Task,Next Due Date,د بلې نیټې نیټه @@ -3843,11 +3890,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,د کارکوونکي معاش ټوټه {0} لا په دې موده کې جوړ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Pharmaceutical apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,تاسو یوازې کولی شئ د معتبر پیسو مقدار ته اجازه واخلئ +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,توکي د apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,د رانیولې سامان لګښت DocType: Employee Separation,Employee Separation Template,د کارموندنې جلا کول DocType: Selling Settings,Sales Order Required,خرڅلاو نظم مطلوب apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,پلورونکی بن -DocType: Shift Type,The number of occurrence after which the consequence is executed.,د پیښې شمیره چې وروسته پایله اعدام کیږي. ,Procurement Tracker,د تدارکاتو تعقیبونکی DocType: Purchase Invoice,Credit To,د اعتبار apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC شاته شو @@ -3860,6 +3907,7 @@ DocType: Quality Meeting,Agenda,اجنډا DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,د ساتنې او مهال ويش تفصیلي DocType: Supplier Scorecard,Warn for new Purchase Orders,د نویو پیرودونکو لپاره خبرداری DocType: Quality Inspection Reading,Reading 9,لوستلو 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,خپل د سپورت حساب د ERPNext سره وصل کړئ او د زنګ وهلو تعقیب کړئ DocType: Supplier,Is Frozen,ده ګنګل DocType: Tally Migration,Processed Files,پروسس شوې فایلونه apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,ګروپ غوټه ګودام اجازه نه وي چې د معاملو وټاکئ @@ -3868,6 +3916,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,لپاره د خت DocType: Upload Attendance,Attendance To Date,د نېټه حاضرۍ 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,نسخه @@ -3892,7 +3941,6 @@ DocType: Room,Room Number,کوټه شمېر apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,غوښتنه کونکی apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},باطلې مرجع {0} د {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,د مختلف پروموشنل سکیمونو پلي کولو قواعد. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) د نه په پام کې quanitity څخه ډيره وي ({2}) په تولید نظم {3} DocType: Shipping Rule,Shipping Rule Label,انتقال حاکمیت نښه د DocType: Journal Entry Account,Payroll Entry,د معاشونو داخله apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,د فیس ریکارډونه وګورئ @@ -3904,6 +3952,7 @@ DocType: Contract,Fulfilment Status,د بشپړتیا حالت DocType: Lab Test Sample,Lab Test Sample,د لابراتوار ازموینه DocType: Item Variant Settings,Allow Rename Attribute Value,اجازه ورکړه د ارزښت ارزښت بدل کړئ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,د چټک ژورنال انفاذ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,د راتلونکي تادیه مقدار apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,تاسو نه شي کولای کچه بدلون که هیښ agianst مواد یاد DocType: Restaurant,Invoice Series Prefix,د انوائس سایډ پریفسکس DocType: Employee,Previous Work Experience,مخکینی کاری تجربه @@ -3932,6 +3981,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,د پروژې د حالت DocType: UOM,Check this to disallow fractions. (for Nos),وګورئ دا ښیی disallow. (د وځيري) DocType: Student Admission Program,Naming Series (for Student Applicant),نوم لړۍ (لپاره د زده کونکو د متقاضي) +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/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,د عملیاتي خدماتو څانګې مهال ویش @@ -3947,6 +3997,7 @@ DocType: Fiscal Year,Year End Date,کال د پای نیټه 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,default Workstation DocType: Payment Entry,Deductions or Loss,د مجرايي او يا له لاسه ورکول apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} د {1} ده تړل @@ -3955,6 +4006,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,روانه دحمل ترلاسه کړئ DocType: Purchase Invoice,ineligible,ناقانونه apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,د توکو د بیل ونو +DocType: BOM,Exploded Items,چاودیدونکي توکی DocType: Student,Joining Date,په یوځای کېدو نېټه ,Employees working on a holiday,د کارکوونکو په رخصتۍ کار کوي ,TDS Computation Summary,د TDS د اټکل لنډیز @@ -3987,6 +4039,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),اساسي کچه (پ DocType: SMS Log,No of Requested SMS,نه د غوښتل پیغامونه apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,پرته د معاشونو د وتو سره تصويب اجازه کاریال اسنادو سمون نه خوري apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,نور ګامونه +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,خوندي شوي توکي DocType: Travel Request,Domestic,کورني apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,لطفا په ښه کچه د مشخص توکو د رسولو apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,د کارمندانو لیږدول د لېږد نیټه مخکې نشي وړاندې کیدی @@ -4039,7 +4092,7 @@ 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,د شتمنیو د حساب کټه ګورۍ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,رو # {0} (د تادياتو جدول): مقدار باید مثبت وي -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},آیا د پلورنې نظم کمیت څخه زیات د قالب {0} د توليد نه {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},آیا د پلورنې نظم کمیت څخه زیات د قالب {0} د توليد نه {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,هیڅ هم په ناخالصه کې شامل نه دی apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,د دې لاسوند لپاره د ای - ویز لا دمخه شتون لري apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,د ځانګړتیا ارزښتونه غوره کړئ @@ -4074,12 +4127,10 @@ 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,د سایټ اپ کمپنۍ -DocType: Shift Type,Enable Different Consequence for Early Exit,د وخت وتلو لپاره مختلف پایلې وړ کړئ ,Lab Test Report,د لابراتوار آزموینه DocType: Employee Benefit Application,Employee Benefit Application,د کارموندنې ګټو غوښتنه apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,د اضافي معاش اجزا شتون لري. DocType: Purchase Invoice,Unregistered,بې ثبت شوي -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,لطفا د سپارنې يادونه لومړي DocType: Student Applicant,Application Date,کاریال نېټه DocType: Salary Component,Amount based on formula,اندازه د فورمول پر بنسټ DocType: Purchase Invoice,Currency and Price List,د اسعارو او د بیې په لېست @@ -4108,6 +4159,7 @@ DocType: Purchase Receipt,Time at which materials were received,د وخت په DocType: Products Settings,Products per Page,محصول په هر مخ 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,د بلینګ نیټه apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,تخصیص شوې اندازه منفي نشي کیدی DocType: Sales Order,Billing Status,د بیلونو په حالت apps/erpnext/erpnext/public/js/conf.js,Report an Issue,یو Issue راپور @@ -4123,6 +4175,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Row {0}: د شتمنۍ د توکو لپاره ځای ولیکئ {1} DocType: Employee Checkin,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.",د ټاکلو په تلواله ارزښتونو شرکت، د اسعارو، روان مالي کال، او داسې نور په شان DocType: Payment Entry,Payment Type,د پیسو ډول apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,لطفا لپاره توکي داځکه غوره {0}. ته د یو واحد داځکه چې دا اړتیا پوره کوي د موندلو توان نلري @@ -4152,6 +4205,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,خرید په ګاډۍ ا DocType: Journal Entry,Accounting Entries,د محاسبې توکي 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.",که چیرې د قیمت ټاکلو اصول د 'شرح' لپاره جوړ شي، نو دا به د قیمت لیست لوړ کړي. د قیمت اندازه کولو قواعد وروستی نرخ دی، نو نور نور رعایت باید تطبیق نشي. له همدې کبله، د پلور امر، د پیرود امر، او نور، په لیږد کې، دا د 'بیه لیست نرخ' فیلم پرځای د 'درجه' میدان کې لیږدول کیږي. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,مهرباني وکړئ د ښوونې او روزنې ترتیبات کې د ښوونکي نوم ورکولو سیسټم تنظیم کړئ DocType: Journal Entry,Paid Loan,پور ورکړ شوی پور 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,د ماخذ حواله نیټه @@ -4168,12 +4222,14 @@ DocType: Shopify Settings,Webhooks Details,د ویبککس تفصیلات apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,هيڅ وخت پاڼې DocType: GoCardless Mandate,GoCardless Customer,د بې کفارو پیرودونکی apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,ډول ووځي {0} شي ترسره-استولې نه +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,د توکو کوډ> د توکي ګروپ> نښه apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',د ساتنې او ویش لپاره د ټول سامان د تولید نه. مهرباني وکړی د 'تولید مهال ویش' کیکاږۍ ,To Produce,توليدول DocType: Leave Encashment,Payroll,د معاشاتو 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} هم باید شامل شي DocType: Healthcare Service Unit,Parent Service Unit,د والدین خدمت واحد DocType: Packing Slip,Identification of the package for the delivery (for print),لپاره د وړاندې کولو د ټولګې د پيژندنې (د چاپي) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,د خدماتو کچې تړون بیا تنظیم شوی و. DocType: Bin,Reserved Quantity,خوندي دي مقدار apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,لطفا د اعتبار وړ ایمیل ادرس ولیکۍ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,لطفا د اعتبار وړ ایمیل ادرس ولیکۍ @@ -4195,7 +4251,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,قیمت یا د محصول تخفیف apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,د قطار لپاره {0}: پلان شوي مقدار درج کړئ DocType: Account,Income Account,پر عايداتو باندې حساب -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,پیرودونکي> د پیرودونکي ګروپ> سیمه DocType: Payment Request,Amount in customer's currency,په مشتري د پيسو اندازه apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,د سپارنې پرمهال apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,د جوړښتونو ټاکل ... @@ -4218,6 +4273,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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?,تاسو به د مخکینیو پیرود شویو ریکارډونو ریکارډ ورک کړئ. ایا ته باوري یې چې دا ګډون بیا پیلول غواړئ؟ DocType: Lab Test,LP-,LP- @@ -4271,11 +4327,10 @@ DocType: Additional Salary,HR User,د بشري حقونو څانګې د کارن DocType: Bank Guarantee,Reference Document Name,د حوالې سند نوم DocType: Purchase Invoice,Taxes and Charges Deducted,مالیه او په تور مجرايي DocType: Support Settings,Issues,مسایل -DocType: Shift Type,Early Exit Consequence after,وروسته د وتلو پایله DocType: Loyalty Program,Loyalty Program Name,د وفادارۍ پروګرام نوم apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},وضعیت باید د یو وي {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,د GSTIN لېږل تازه کولو لپاره یادونه -DocType: Sales Invoice,Debit To,د ډیبیټ +DocType: Discounted Invoice,Debit To,د ډیبیټ DocType: Restaurant Menu Item,Restaurant Menu Item,د رستورانت د مینځلو توکي DocType: Delivery Note,Required only for sample item.,يوازې د نمونه توکی ته اړتيا لري. DocType: Stock Ledger Entry,Actual Qty After Transaction,واقعي Qty د راکړې ورکړې وروسته @@ -4358,6 +4413,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,د پیرس نوم apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,يوازې سره حالت غوښتنلیکونه پرېږدئ 'تصویب' او 'رد' کولای وسپارل شي apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,ابعاد پیدا کول ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},د زده کونکو د ډلې نوم په قطار الزامی دی {0} +DocType: Customer Credit Limit,Bypass credit limit_check,د پاسپورټ کریډیټ حد_چیک DocType: Homepage,Products to be shown on website homepage,توليدات په ويب پاڼه کې ښودل شي DocType: HR Settings,Password Policy,د شفر تګلاره apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,دا یو د ريښي د مشتريانو د ډلې او نه تصحيح شي. @@ -4405,10 +4461,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),که apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,مهرباني وکړئ د رستورانت ترتیباتو کې ډیزاین پیرود کړئ ,Salary Register,معاش د نوم ثبتول DocType: Company,Default warehouse for Sales Return,د پلور بیرته راتګ لپاره اصلي ګودام -DocType: Warehouse,Parent Warehouse,Parent ګدام +DocType: Pick List,Parent Warehouse,Parent ګدام DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},Default هیښ لپاره توکی ونه موندل {0} او د پروژې د {1} +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}: مهرباني وکړئ د تادیې مهال ویش کې د تادیې حالت تنظیم کړئ apps/erpnext/erpnext/config/non_profit.py,Define various loan types,د پور د مختلفو ډولونو تعریف DocType: Bin,FCFS Rate,FCFS Rate @@ -4445,6 +4501,7 @@ DocType: Travel Itinerary,Lodging Required,غلا کول اړین دي DocType: Promotional Scheme,Price Discount Slabs,د قیمت تخفیف سلیبونه DocType: Stock Reconciliation Item,Current Serial No,اوسنی سریال نمبر DocType: Employee,Attendance and Leave Details,د حاضرۍ او پریښودو توضیحات +,BOM Comparison Tool,د BOM پرتله کولو وسیله ,Requested,غوښتنه apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,نه څرګندونې DocType: Asset,In Maintenance,په ساتنه کې @@ -4467,6 +4524,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,د ډیفالټ خدمت کچې موافقه DocType: SG Creation Tool Course,Course Code,کورس کوډ apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,د {0} لپاره له یو څخه زیات انتخاب اجازه نشته +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,د خامو موادو مقدار به د تیار شوي توکو توکو مقدار پراساس پریکړه شي DocType: Location,Parent Location,د مور ځای DocType: POS Settings,Use POS in Offline Mode,د پی ایس کارول په نالیکي اکر کې apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,لومړیتوب په {0} بدل شوی دی. @@ -4485,7 +4543,7 @@ DocType: Stock Settings,Sample Retention Warehouse,د نمونې ساتنه ګو DocType: Company,Default Receivable Account,Default ترلاسه اکانټ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,د مقدار اټکل شوی فورمول DocType: Sales Invoice,Deemed Export,د صادراتو وضعیت -DocType: Stock Entry,Material Transfer for Manufacture,د جوړون د توکو لېږدونه د +DocType: Pick List,Material Transfer for Manufacture,د جوړون د توکو لېږدونه د 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.,تخفیف سلنه يا په وړاندې د بیې په لېست کې او یا د ټولو د بیې په لېست کارول کيداي شي. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,لپاره دحمل محاسبې انفاذ DocType: Lab Test,LabTest Approver,د لابراتوار تګلاره @@ -4527,7 +4585,6 @@ DocType: Training Event,Theory,تیوری apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,خبرداری: مادي غوښتل Qty دی لږ تر لږه نظم Qty څخه کم apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,ګڼون {0} ده کنګل DocType: Quiz Question,Quiz Question,پوښتنې -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,عرضه کونکي> عرضه کونکي ډول 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",د خوړو، او نوشابه & تنباکو @@ -4556,6 +4613,7 @@ 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,خپاره شوي توکي DocType: Account,Expense Account,اخراجاتو اکانټ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,ساوتري apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,رنګ @@ -4594,6 +4652,7 @@ 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,د بانک ټولې معاملې رامینځته شوي DocType: Fee Validity,Visited yet,لا تر اوسه لیدل شوی +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,تاسو کولی شئ تر 8 توکو پورې ب .ه وکړئ. 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.,د پلور او راکړې ورکړې پر بنسټ باید پروژه او شرکت څو ځله تمدید شي. @@ -4601,7 +4660,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,د ذخیرې درجه @@ -4624,7 +4682,6 @@ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to install preset DocType: Healthcare Service Unit Type,UOM Conversion in Hours,په وختونو کې د UOM بدلون DocType: Contract,Signee Details,د لاسلیک تفصیلات DocType: Certified Consultant,Non Profit Manager,د غیر ګټې مدیر -DocType: BOM,Total Cost(Company Currency),ټولیز لګښت (شرکت د اسعارو) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,شعبه {0} جوړ DocType: Homepage,Company Description for website homepage,د ویب پاڼه Company Description DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",د مشتريانو د مناسب وخت، دغو کوډونو په چاپي فرمت څخه په څېر بلونه او د محصول سپارل یاداښتونه وکارول شي @@ -4653,7 +4710,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,راني DocType: Amazon MWS Settings,Enable Scheduled Synch,لګول شوی ناباوره فعاله کړه apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,ته Datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,د SMS د وړاندې کولو او مقام د ساتلو يادښتونه -DocType: Shift Type,Early Exit Consequence,له وخته د وتلو پایله DocType: Accounts Settings,Make Payment via Journal Entry,ژورنال انفاذ له لارې د پیسو د کمکیانو لپاره apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,مهرباني وکړئ په یوځل کې له 500 څخه ډیر توکي مه جوړوئ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,چاپ شوی @@ -4710,6 +4766,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,حد اوښتي 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,پټ +DocType: Plaid Settings,Plaid Secret,د الوتکې راز DocType: Company,Date of Establishment,د تاسیس تاریخ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,تصدي پلازمیینه apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,سره د دې د تعليمي کال د 'يوه علمي اصطلاح {0} او مهاله نوم' {1} مخکې نه شتون لري. لطفا د دې زياتونې کې بدلون او بیا کوښښ وکړه. @@ -4772,6 +4829,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,د پیرودونکي ډول DocType: Compensatory Leave Request,Leave Allocation,تخصیص څخه ووځي DocType: Payment Request,Recipient Message And Payment Details,دترلاسه کوونکي پيغام او د پیسو په بشپړه توګه کتل +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,مهرباني وکړئ د تحویلي یادداشت وټاکئ DocType: Support Search Source,Source DocType,د سرچینې ډاټا ډول apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,یو نوی ټکټ خلاص کړئ DocType: Training Event,Trainer Email,د روزونکي دبرېښنا ليک @@ -4894,6 +4952,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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ې وړئ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','له نېټه باید وروسته' ته د نېټه وي apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,نه د دې نومونې لپاره د کارمندانو پالنونه موندل شوي apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,بکس {0} د Item {1} معیوب شوی دی. @@ -4915,7 +4974,7 @@ DocType: Clinical Procedure,Patient,ناروغ apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,د پلور په امر کې د کریډیټ چک چیک کړئ DocType: Employee Onboarding Activity,Employee Onboarding Activity,د کارموندنې فعالیتونه DocType: Location,Check if it is a hydroponic unit,وګورئ که دا د هیدرروپو واحد وي -DocType: Stock Reconciliation Item,Serial No and Batch,شعبه او دسته +DocType: Pick List Item,Serial No and Batch,شعبه او دسته DocType: Warranty Claim,From Company,له شرکت DocType: GSTR 3B Report,January,جنوري apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,د ارزونې معیارونه په لسګونو Sum ته اړتيا لري د {0} وي. @@ -4939,7 +4998,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,No {0} د انټرنیټ د راکړې ورکړې لپاره موندل شوی. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,کریډیټ_نټ_امټ DocType: Travel Itinerary,Rented Car,کرایټ کار apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ستاسو د شرکت په اړه apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,د حساب د پور باید د موازنې د پاڼه په پام کې وي @@ -4971,11 +5029,13 @@ apps/erpnext/erpnext/config/accounting.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,دمراسمو 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,ن apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,پاتې DocType: Appraisal,Appraisal,قيمت DocType: Loan,Loan Account,د پور حساب apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,د اعتبار څخه تر ساحو پورې اعتبار د جمع کولو لپاره لازمي دي +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",د توکي {0} لپاره په قطار {1} کې ، د سلسلې شمیرو شمیره د غوره شوي مقدار سره سمون نه خوري DocType: Purchase Invoice,GST Details,د GST تفصیلات apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,دا د دې صحي خدماتو په وړاندې د راکړې ورکړې پر بنسټ والړ دی. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},ليک ته د عرضه کوونکي ته استول {0} @@ -5038,6 +5098,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),د بنډل خالص وزن. معمولا د خالص وزن + د بسته بندۍ مواد وزن. (د چاپي) DocType: Assessment Plan,Program,پروګرام DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,سره د دغه رول د کاروونکو دي چې کنګل شوي حسابونه کنګل شوي حسابونه په وړاندې د محاسبې زياتونې جوړ او رامنځته / تعديلوي اجازه +DocType: Plaid Settings,Plaid Environment,د الوتکې چاپیریال ,Project Billing Summary,د پروژې د بل بیلګه DocType: Vital Signs,Cuts,غوږونه DocType: Serial No,Is Cancelled,ده ردشوي @@ -5099,7 +5160,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,يادونه: د سیستم به وګورئ نه د رسولو او د-پرواز لپاره د قالب {0} په توګه مقدار يا اندازه ده 0 DocType: Issue,Opening Date,د پرانستلو نېټه apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,مهرباني وکړئ لومړی ناروغ ته وساتئ -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,نوې اړیکه ونیسئ apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,د حاضرۍ په بریالیتوب سره په نښه شوي دي. DocType: Program Enrollment,Public Transport,د عامه ترانسپورت DocType: Sales Invoice,GST Vehicle Type,د GST موټر ډول @@ -5126,6 +5186,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,بلونه DocType: POS Profile,Write Off Account,حساب ولیکئ پړاو DocType: Patient Appointment,Get prescribed procedures,ټاکل شوي پروسیجرونه ترلاسه کړئ DocType: Sales Invoice,Redemption Account,د استحکام حساب +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,لومړی د توکو ځایونو جدول کې توکي اضافه کړئ DocType: Pricing Rule,Discount Amount,تخفیف مقدار DocType: Pricing Rule,Period Settings,د وخت تنظیمات DocType: Purchase Invoice,Return Against Purchase Invoice,بېرته پر وړاندې رانيول صورتحساب @@ -5156,7 +5217,6 @@ DocType: Assessment Plan,Assessment Plan,د ارزونې پلان DocType: Travel Request,Fully Sponsored,په بشپړه توګه تمویل شوي apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,د ژورنالیستانو ننوتلو ته apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,دندې کارت جوړ کړئ -DocType: Shift Type,Consequence after,وروسته پایلې DocType: Quality Procedure Process,Process Description,د پروسې توضیحات apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,پیرودونکی {0} جوړ شوی. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,اوس مهال په کوم ګودام کې هیڅ ذخیره شتون نلري @@ -5190,6 +5250,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,بېلوګډو چاڼېزو DocType: Delivery Settings,Dispatch Notification Template,د لیږدونې خبرتیا چوکاټ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,د ارزونې راپور apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,کارمندان ترلاسه کړئ +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,د حل نزولی @@ -5315,7 +5376,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,دا یو د ريښو د پلورنې د شخص او نه تصحيح شي. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",که ټاکل، د ارزښت د مشخص او يا په دې برخه محاسبه به د عايد يا د مجرايي سره مرسته نه کوي. که څه هم، دا د ارزښت کولای شي له خوا د نورو برخو چې زياته شي او يا مجرايي حواله شي. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",که ټاکل، د ارزښت د مشخص او يا په دې برخه محاسبه به د عايد يا د مجرايي سره مرسته نه کوي. که څه هم، دا د ارزښت کولای شي له خوا د نورو برخو چې زياته شي او يا مجرايي حواله شي. -DocType: Asset Settings,Number of Days in Fiscal Year,په مالي کال کې د ورځو شمیر ,Stock Ledger,دحمل د پنډو DocType: Company,Exchange Gain / Loss Account,په بدل کې لاسته راغلې ګټه / زیان اکانټ DocType: Amazon MWS Settings,MWS Credentials,د MWS اعتبار وړاندوینه @@ -5348,6 +5408,7 @@ 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} DocType: Bank Transaction Mapping,Column in Bank File,د بانک په دوسیه کې کالم apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,د ټولو موادو په وروستیو کې د وروستي قیمت نوي کولو لپاره قطع شوي. دا کیدای شي څو دقیقو وخت ونیسي. +DocType: Pick List,Get Item Locations,د توکو موقعیتونه ترلاسه کړئ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,د نوو حساب نوم. یادونه: لطفا لپاره پېرودونکي او عرضه کوونکي حسابونو نه رامنځته کوي DocType: POS Profile,Display Items In Stock,توکي په اسٹاک کې ښودل شوي apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,د هیواد په تلواله پته نمونې @@ -5371,6 +5432,7 @@ DocType: Crop,Materials Required,توکي اړین دي apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,نه زده کوونکي موندل DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,د میاشتې HRA معافیت DocType: Clinical Procedure,Medical Department,طبی څانګه +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,له وخته مخکې وتل DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,د سپرایټ شمیره د کرایه کولو معیارونه apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,صورتحساب نوکرې نېټه apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,وپلوري @@ -5382,11 +5444,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","مهرباني وکړئ د دې سند لغوه کولو لپاره کارمند {0} delete حذف کړئ" DocType: Program Enrollment,School House,د ښوونځي ماڼۍ DocType: Serial No,Out of AMC,د AMC له جملې څخه DocType: Opportunity,Opportunity Amount,د فرصت مقدار +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,ستاسو پروفایل apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,د Depreciations بک شمېر نه شي کولای ټول د Depreciations شمېر څخه ډيره وي DocType: Purchase Order,Order Confirmation Date,د امر تایید نیټه DocType: Driver,HR-DRI-.YYYY.-,HR-DRI -YYYY- @@ -5480,7 +5541,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",د نرخ تر مینځ توپیر شتون نلري، د ونډې او د حساب اندازه یې نه apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,تاسو ټولې ورځې (ورځې) شتون نلري چې د تاوان غوښتونکي درخواست غوښتنه ورځو کې apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,مهرباني وکړئ د بيا ډول شرکت نوم د تایید -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Total وتلي نننیو DocType: Journal Entry,Printing Settings,د چاپونې امستنې DocType: Payment Order,Payment Order Type,د تادیې امر ډول DocType: Employee Advance,Advance Account,د پرمختګ حساب @@ -5570,7 +5630,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,کال نوم apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,په دې مياشت کاري ورځو څخه زيات د رخصتيو په شتون لري. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,لاندې توکي {0} توکي د {1} توکي په نښه نه دي. تاسو کولی شئ د هغوی د توکي ماسټر څخه د {1} توکي په توګه وټاکئ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,د محصول د بنډل په قالب DocType: Sales Partner,Sales Partner Name,خرڅلاو همکار نوم apps/erpnext/erpnext/hooks.py,Request for Quotations,د داوطلبۍ غوښتنه @@ -5579,7 +5638,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,د عادي ازموینې توکي DocType: QuickBooks Migrator,Company Settings,د شرکت ترتیبونه DocType: Additional Salary,Overwrite Salary Structure Amount,د معاشاتو جوړښت مقدار بیرته اخیستل -apps/erpnext/erpnext/config/hr.py,Leaves,پا .ې +DocType: Leave Ledger Entry,Leaves,پا .ې DocType: Student Language,Student Language,د زده کوونکو ژبه DocType: Cash Flow Mapping,Is Working Capital,د کار کولو مرکز دی apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,ثبوت وسپارئ @@ -5587,12 +5646,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,نظم / Quot٪ apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,د ناروغ ناروغۍ ثبت کړئ DocType: Fee Schedule,Institution,د انستیتوت -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: Asset,Partially Depreciated,تر یوه بریده راکم شو DocType: Issue,Opening Time,د پرانستلو په وخت apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,څخه او د خرما اړتیا apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,امنيت & Commodity exchanges -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},د اړیکې لنډیز د {0} لخوا: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,د لټون پلټنه apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',د variant اندازه Default واحد '{0}' باید په کينډۍ ورته وي '{1}' DocType: Shipping Rule,Calculate Based On,محاسبه په اساس @@ -5639,6 +5696,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,د زیاتو اجازه ورکونکو ارزښت DocType: Journal Entry Account,Employee Advance,د کارموندنې پرمختیا DocType: Payroll Entry,Payroll Frequency,د معاشونو د فریکونسۍ +DocType: Plaid Settings,Plaid Client ID,د الوتکې پیرودونکي پیژند DocType: Lab Test Template,Sensitivity,حساسیت DocType: Plaid Settings,Plaid Settings,د الوتکې امستنې apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,هماغه وخت په عارضه توګه نافعال شوی ځکه چې تر ټولو زیات تیریدلی شوی دی @@ -5656,6 +5714,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,مهرباني وکړئ لومړی انتخاب نوکرې نېټه apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,پرانيستل نېټه بايد تړل د نیټې څخه مخکې وي DocType: Travel Itinerary,Flight,پرواز +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,بیرته کور ته DocType: Leave Control Panel,Carry Forward,مخ په وړاندې ترسره کړي apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,د موجوده معاملو لګښت مرکز بدل نه شي چې د پنډو DocType: Budget,Applicable on booking actual expenses,د حقیقي لګښتونو د بکولو په اړه د تطبیق وړ دي @@ -5712,6 +5771,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,نرخونه ای apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,تاسو اختيار نه لري چې پر بالک نیټی پاڼو تصویب apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} د {1} لپاره غوښتنه apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,دا ټول توکي لا د رسیدونو شوي +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,د {0} {1} لپاره کوم نامتو انوائس ونه موندل شو کوم چې تاسو د هغه فلټرو وړتیا وټاکئ چې تاسو مشخص کړي. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,د نوي اعلان تاریخ نیټه کړئ DocType: Company,Monthly Sales Target,د میاشتنۍ خرڅلاو هدف apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,هیڅ غوره رسید ونه موندل شو @@ -5757,6 +5817,7 @@ DocType: Batch,Source Document Name,سرچینه د سند نوم DocType: Batch,Source Document Name,سرچینه د سند نوم DocType: Production Plan,Get Raw Materials For Production,د تولید لپاره خاموش توکي ترلاسه کړئ DocType: Job Opening,Job Title,د دندې سرلیک +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,راتلونکي تادیه ریف apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.",{1} اشاره کوي چې {1} به یو کوډ چمتو نکړي، مګر ټول توکي \ نقل شوي دي. د آر ایف پی د اقتباس حالت وضع کول apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ډیری نمونې - {1} د مخه د بچ لپاره {1} او Item {2} په بچ {3} کې ساتل شوي دي. @@ -5767,12 +5828,10 @@ 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: Company,Product Code,د محصول کوډ DocType: Quality Review Table,Objective,هدف DocType: Supplier Scorecard,Per Month,په میاشت کې DocType: Education Settings,Make Academic Term Mandatory,د اکادمیک اصطالح معرفي کړئ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,مقدار تولید باید په پرتله 0 ډيره وي. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,د مالي کال پر اساس د اټکل شوي استهالک مهال ویش محاسبه کړئ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,مقدار تولید باید په پرتله 0 ډيره وي. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,د ساتنې غوښتنې ته راپور ته سفر وکړي. DocType: Stock Entry,Update Rate and Availability,تازه Rate او پیدايښت 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 واحدونه ترلاسه ده. @@ -5784,7 +5843,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,د خوشې کولو نیټه باید په راتلونکي کې وي DocType: BOM,Website Description,وېب پاڼه Description apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,په مساوات خالص د بدلون -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,لطفا لغوه رانيول صورتحساب {0} په لومړي apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,اجازه نشته. مهرباني وکړئ د خدماتو څانګه غیر فعال کړئ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}",دبرېښنا ليک پته بايد د بې سارې وي، له مخکې د شتون {0} DocType: Serial No,AMC Expiry Date,AMC د پای نېټه @@ -5826,6 +5884,7 @@ DocType: Pricing Rule,Price Discount Scheme,د قیمت تخفیف سکیم apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,د ساتنې حالت باید فسخ شي یا بشپړ شي DocType: Amazon MWS Settings,US,امریکا DocType: Holiday List,Add Weekly Holidays,د اوونۍ رخصتۍ اضافه کړئ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,توکي راپور کړئ DocType: Staffing Plan Detail,Vacancies,خالی DocType: Hotel Room,Hotel Room,د هوټل کوټه apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},ګڼون {0} کوي شرکت ته نه پورې {1} @@ -5877,12 +5936,15 @@ DocType: Email Digest,Open Quotations,خلاصې کوټونه 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","مهرباني وکړئ د دې سند لغوه کولو لپاره کارمند {0} delete حذف کړئ" apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,لپاره د وخت کندي د فعالیتونو ډولونه DocType: Opening Invoice Creation Tool,Sales,خرڅلاو DocType: Stock Entry Detail,Basic Amount,اساسي مقدار @@ -5896,6 +5958,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,خالی DocType: Patient,Alcohol Past Use,الکولي پخوانی کارول DocType: Fertilizer Content,Fertilizer Content,د سرې وړ منځپانګه +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,هیڅ وضاحت نشته apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,CR DocType: Tax Rule,Billing State,د بیلونو د بهرنیو چارو DocType: Quality Goal,Monitoring Frequency,د فریکونسي څارنه @@ -5913,6 +5976,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,د نیټې په پای کې پایلې نشي کولی د راتلونکې اړیکو نیټه مخکې وي. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,د بیچ ننوتل DocType: Journal Entry,Pay To / Recd From,د / Recd له ورکړي +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,توکي خپاره کړئ DocType: Naming Series,Setup Series,Setup لړۍ DocType: Payment Reconciliation,To Invoice Date,ته صورتحساب نېټه DocType: Bank Account,Contact HTML,د تماس د HTML @@ -5934,6 +5998,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,پرچون DocType: Student Attendance,Absent,غیرحاضر DocType: Staffing Plan,Staffing Plan Detail,د کارکونکي پلان تفصیل DocType: Employee Promotion,Promotion Date,پرمختیا نیټه +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,د پرېښودو تخصیص د رخصتۍ کاریال٪ s سره تړاو لري 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} @@ -5971,6 +6036,7 @@ DocType: Volunteer,Availability,شتون apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,د پیسو د انوز لپاره د بیالبیلو ارزښتونو ترتیبول DocType: Employee Training,Training,د روزنې DocType: Project,Time to send,د لیږلو وخت +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,دا پا yourه ستاسو توکي ساتي په کوم کې چې پیرودونکو یو څه علاقه ښودلې. 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 بريښناليک ID @@ -6070,11 +6136,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,د پرانستلو په ارزښت DocType: Salary Component,Formula,فورمول apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,سریال # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,مهرباني وکړئ د بشري سرچینو> HR ترتیبات کې د کارمند نوم ورکولو سیسټم تنظیم کړئ DocType: Material Request Plan Item,Required Quantity,اړین مقدار DocType: Lab Test Template,Lab Test Template,د لابراتوار ازموینه apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,د پلور حساب DocType: Purchase Invoice Item,Total Weight,ټول وزن +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} @@ -6098,6 +6164,7 @@ DocType: Company,Default Employee Advance Account,د اصلي کارمندانو apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),د لټون توکي (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,سره د موجوده د راکړې ورکړې حساب نه ړنګ شي +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,ولې فکر کوي چې دا توکی باید لرې شي؟ DocType: Vehicle,Last Carbon Check,تېره کاربن Check apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,قانوني داخراجاتو apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,لطفا د قطار په کمیت وټاکي @@ -6117,6 +6184,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,د ماشین یا د ګاډي ناڅاپه خرابېدل DocType: Travel Itinerary,Vegetarian,سبزيجات DocType: Patient Encounter,Encounter Date,د نیونې نیټه +DocType: Work Order,Update Consumed Material Cost In Project,په پروژه کې مصرف شوي مادي لګښت تازه کول apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,ګڼون: {0} سره اسعارو: {1} غوره نه شي DocType: Bank Statement Transaction Settings Item,Bank Data,د بانک ډاټا DocType: Purchase Receipt Item,Sample Quantity,نمونې مقدار @@ -6170,7 +6238,7 @@ DocType: GSTR 3B Report,April,اپریل DocType: Plant Analysis,Collection Datetime,د وخت وخت راټولول DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY- DocType: Work Order,Total Operating Cost,Total عملياتي لګښت -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,يادونه: د قالب {0} څو ځلې ننوتل +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,يادونه: د قالب {0} څو ځلې ننوتل apps/erpnext/erpnext/config/buying.py,All Contacts.,ټول د اړيکې. DocType: Accounting Period,Closed Documents,تړل شوي لاسوندونه DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,د استیناف انوائس اداره کړئ خپل ځان د ناروغ د مخنیوی لپاره وسپاري او رد کړئ @@ -6250,9 +6318,7 @@ DocType: Member,Membership Type,د غړیتوب ډول ,Reqd By Date,Reqd By نېټه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,پور DocType: Assessment Plan,Assessment Name,ارزونه نوم -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,په چاپ کې د PDC ښودل apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,د کتارونو تر # {0}: شعبه الزامی دی -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,د {0} {1} لپاره کوم نامتو انوائس ونه موندل شو. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,د قالب تدبيراومصلحت سره د مالياتو د تفصیلي DocType: Employee Onboarding,Job Offer,دندې وړانديز apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,انستیتوت Abbreviation @@ -6311,6 +6377,7 @@ DocType: Serial No,Out of Warranty,د ګرنټی له جملې څخه DocType: Bank Statement Transaction Settings Item,Mapped Data Type,د ډاټا ډاټا ډول DocType: BOM Update Tool,Replace,ځاېناستول apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,نه محصولات وموندل. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,نور توکي خپاره کړئ apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},د دې خدمت کچې تړون پیرودونکي ته ځانګړی دی {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} خرڅلاو صورتحساب په وړاندې د {1} DocType: Antibiotic,Laboratory User,د لابراتوار کارن @@ -6332,7 +6399,6 @@ DocType: Payment Order Reference,Bank Account Details,د بانک د حساب ت DocType: Purchase Order Item,Blanket Order,د پوسټ حکم 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,د مالياتو د جايدادونو د -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},د تولید د ترتیب شوی دی {0} DocType: BOM Item,BOM No,هیښ نه 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,حرکت اوسط @@ -6406,6 +6472,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),د مالیې وړ بهر تحویلي (صفر ټاکل شوی) DocType: BOM,Materials Required (Exploded),د توکو ته اړتیا ده (چاودنه) 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/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,نوکرې نېټه نه شي کولای راتلونکې نیټه وي. @@ -6463,7 +6530,6 @@ DocType: Pricing Rule,Same Item,ورته توکی DocType: Stock Ledger Entry,Stock Ledger Entry,دحمل د پنډو انفاذ DocType: Quality Action Resolution,Quality Action Resolution,د کیفیت عمل حل apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} په نیمه ورځ په اجازه {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,ورته توکی دی څو ځله داخل شوي دي DocType: Department,Leave Block List,پريږدئ بالک بشپړفهرست DocType: Purchase Invoice,Tax ID,د مالياتو د تذکرو apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,{0} د قالب د سریال ترانسفارمرونو د تشکیلاتو نه ده. کالم بايد خالي وي @@ -6500,7 +6566,7 @@ 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} معلول دی او یا موجود ندی DocType: Purchase Invoice,Return,بیرته راتګ -DocType: Accounting Dimension,Disable,نافعال +DocType: Account,Disable,نافعال apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,د پیسو اکر ته اړتيا ده چې د پیسو لپاره DocType: Task,Pending Review,انتظار کتنه apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.",په نورو مخونو کې د نورو انتخابونو لکه شتمنۍ، سیریل نکس، بسته او نور لپاره سم کړئ. @@ -6612,7 +6678,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,د تادیې مشترکه برخه باید 100٪ مساوي وي DocType: Item Default,Default Expense Account,Default اخراجاتو اکانټ DocType: GST Account,CGST Account,CGST ګڼون -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,د توکو کوډ> د توکي ګروپ> نښه apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,د زده کونکو د ليک ID DocType: Employee,Notice (days),خبرتیا (ورځې) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,د POS د وتلو واوډر انویسونه @@ -6623,6 +6688,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,توکي چې د صورتحساب د ژغورلو وټاکئ DocType: Employee,Encashment Date,د ورکړې نېټه DocType: Training Event,Internet,د انټرنېټ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,د پلورونکي معلومات DocType: Special Test Template,Special Test Template,د ځانګړې ځانګړې ټکي DocType: Account,Stock Adjustment,دحمل اصلاحاتو apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Default فعالیت لګښت لپاره د فعالیت ډول شتون لري - {0} @@ -6635,7 +6701,6 @@ 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,د آزموینې دواړه د پیل نیټه د پیل نیټه او د آزموینې دورې پای نیټه باید وټاکل شي -DocType: Company,Bank Remittance Settings,د بانک د پیسو د لیږلو تنظیمات apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,اوسط کچه 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","پیرودونکي چمتو شوي توکی" نشي کولی د ارزښت نرخ ولري @@ -6663,6 +6728,7 @@ DocType: Grading Scale Interval,Threshold,حد apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),د فلټر کارمندان لخوا (اختیاري) DocType: BOM Update Tool,Current BOM,اوسني هیښ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),بیلانس (ډاکټر - کر) +DocType: Pick List,Qty of Finished Goods Item,د بشپړ شوي توکو توکي apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Add شعبه DocType: Work Order Item,Available Qty at Source Warehouse,موجود Qty په سرچینه ګدام apps/erpnext/erpnext/config/support.py,Warranty,ګرنټی @@ -6740,7 +6806,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",دلته تاسو د قد، وزن، الرجی، طبي اندېښنې او نور وساتي apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,د حسابونو جوړول ... DocType: Leave Block List,Applies to Company,د دې شرکت د تطبيق وړ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,لغوه نه شي کولای، ځکه وړاندې دحمل انفاذ {0} شتون لري +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,لغوه نه شي کولای، ځکه وړاندې دحمل انفاذ {0} شتون لري DocType: Loan,Disbursement Date,دویشلو نېټه DocType: Service Level Agreement,Agreement Details,د تړون توضیحات apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,د تړون پیل نیټه د پای نیټې څخه لوی یا مساوي نه کیدی شي. @@ -6749,6 +6815,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,طبي ریکارډ DocType: Vehicle,Vehicle,موټر DocType: Purchase Invoice,In Words,په وييکي +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,تر نن نیټې پورې باید د نیټې څخه مخکې وي apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,د تسلیم کولو دمخه د بانک یا پور ورکونکي سازمان نوم درج کړئ. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} باید وسپارل شي DocType: POS Profile,Item Groups,د قالب ډلې @@ -6821,7 +6888,6 @@ DocType: Customer,Sales Team Details,خرڅلاو ټيم په بشپړه توګ apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,د تل لپاره ړنګ کړئ؟ DocType: Expense Claim,Total Claimed Amount,Total ادعا مقدار apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,د پلورلو د بالقوه فرصتونو. -DocType: Plaid Settings,Link a new bank account,د نوي بانک حساب سره اړیکه ونیسئ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,} tend د حاضري ناباوره حالت دی. DocType: Shareholder,Folio no.,فولولو نه. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},باطلې {0} @@ -6837,7 +6903,6 @@ DocType: Production Plan,Material Requested,توکي غوښتل شوي DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,د وړ قرارداد لپاره مقدار DocType: Patient Service Unit,Patinet Service Unit,د پیټینټ خدماتو څانګه -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,د متن فایل جوړ کړئ DocType: Sales Invoice,Base Change Amount (Company Currency),اډه د بدلون مقدار (شرکت د اسعارو) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,د لاندې زېرمتونونه د محاسبې نه زياتونې apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},یواځې {0} د توکو لپاره زیرمه {1} @@ -6851,6 +6916,7 @@ DocType: Item,No of Months,د میاشتې نه DocType: Item,Max Discount (%),Max کمښت)٪ ( apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,کریډیټ ورځ نشي کولی منفي شمیره وي apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,یو بیان اپلوډ کړئ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,دا توکي راپور کړئ DocType: Purchase Invoice Item,Service Stop Date,د خدمت بندیز تاریخ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,تېره نظم مقدار DocType: Cash Flow Mapper,e.g Adjustments for:,د مثال په توګه: @@ -6942,16 +7008,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,د کارکونکو مالیې معاف کول apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,مقدار باید له صفر څخه کم نه وي. DocType: Sales Invoice,C-Form Applicable,C-فورمه د تطبیق وړ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},د وخت عمليات بايد د عملياتو 0 څخه ډيره وي {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},د وخت عمليات بايد د عملياتو 0 څخه ډيره وي {0} DocType: Support Search Source,Post Route String,د پوستې لار apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,ګدام الزامی دی apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,د وېب پاڼه جوړولو کې پاتې راغله DocType: Soil Analysis,Mg/K,MG / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM اړونه تفصیلي apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,داخله او نوم لیکنه -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,د ساتلو د ذخیره ننوتنې مخکې له مخکې رامینځته شوې یا نمونې مقدار ندی برابر شوی +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,د ساتلو د ذخیره ننوتنې مخکې له مخکې رامینځته شوې یا نمونې مقدار ندی برابر شوی DocType: Program,Program Abbreviation,پروګرام Abbreviation -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,يو قالب کينډۍ پر وړاندې د تولید نظم نه راپورته شي apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),د واؤچر لخوا ډله (یوځای شوی) DocType: HR Settings,Encrypt Salary Slips in Emails,په بریښنالیکونو کې د معاشاتو سلیپونه کوډ کړئ DocType: Question,Multiple Correct Answer,ګ Cor درست ځوابونه @@ -6998,7 +7063,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,ایا نرخ یا مس DocType: Employee,Educational Qualification,د زده کړې شرایط DocType: Workstation,Operating Costs,د عملیاتي لګښتونو apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},د اسعارو د {0} بايد د {1} -DocType: Employee Checkin,Entry Grace Period Consequence,د ننوتلو فضل ګیرۍ دوره پایله DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,دې بدلون ته ګمارل شوي کارمندانو لپاره د "کارمند چیکین" پراساس حاضري نښه کړئ. DocType: Asset,Disposal Date,برطرف نېټه DocType: Service Level,Response and Resoution Time,د ځواب او ریسا وخت @@ -7047,6 +7111,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,د بشپړیدلو نیټه DocType: Purchase Invoice Item,Amount (Company Currency),اندازه (شرکت د اسعارو) DocType: Program,Is Featured,ب .ه شوی +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ترلاسه کول ... DocType: Agriculture Analysis Criteria,Agriculture User,کرهنیز کارن apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,اعتبار تر هغه وخته چې د لیږد نیټې څخه وړاندې نشي 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} د دې معاملې د بشپړولو لپاره واحدونو. @@ -7079,7 +7144,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,ټولې ورکړل نننیو 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 مشخص کړل خرڅلاو د نوم ثبتول @@ -7103,6 +7167,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,بې نومه apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ترلاسه له DocType: Lead,Converted,بدلوی DocType: Item,Has Serial No,لري شعبه +DocType: Stock Entry Detail,PO Supplied Item,پوسټ ورکړل شوی توکی 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} @@ -7215,7 +7280,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,د سینچ مالیې او 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,د {0} ونه موندل Default هیښ +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}: مهرباني وکړئ ټاکل ترمیمي کمیت apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,دلته يې اضافه توکي tap @@ -7251,7 +7316,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,د ساتنې او نېټه DocType: Purchase Invoice Item,Rejected Serial No,رد شعبه apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,کال د پيل نيټه او يا پای نیټه سره {0} تداخل. د مخنيوي لطفا شرکت جوړ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,مهرباني وکړئ د تنظیم کولو له لارې د شمیره ورکولو لړۍ له لارې د ګډون لپاره د شمېرنې لړۍ تنظیم کړئ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},مهرباني وکړئ په لیډ {0} کې د لیډ نوم یاد کړئ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},د پیل نیټه باید د قالب پای د نېټې په پرتله کمه وي {0} DocType: Shift Type,Auto Attendance Settings,د آٹو د ګډون تنظیمات @@ -7306,6 +7370,7 @@ DocType: Restaurant,Default Tax Template,اصلي مالی ټکي DocType: Fees,Student Details,د زده کونکو توضیحات DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",دا د توکي او د پلور امرونو لپاره کارول شوی پخوانی دی. فال بیک UOM "Nos" ده. DocType: Purchase Invoice Item,Stock Qty,سټاک Qty +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + داخلولو ته ننوتل DocType: Contract,Requires Fulfilment,بشپړتیا ته اړتیا لري DocType: QuickBooks Migrator,Default Shipping Account,د اصلي لیږد حساب DocType: Loan,Repayment Period in Months,په میاشتو کې بیرته ورکړې دوره @@ -7334,6 +7399,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise کمښت apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,د دندو Timesheet. DocType: Purchase Invoice,Against Expense Account,په وړاندې د اخراجاتو اکانټ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,نصب او يادونه {0} د مخکې نه سپارل +DocType: BOM,Raw Material Cost (Company Currency),د خامو موادو لګښت (د اسعارو اسعارو) DocType: GSTR 3B Report,October,اکتوبر DocType: Bank Reconciliation,Get Payment Entries,د پیسو توکي ترلاسه کړئ DocType: Quotation Item,Against Docname,Docname پر وړاندې د @@ -7380,15 +7446,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,د کارولو نیټه اړینه ده DocType: Request for Quotation,Supplier Detail,عرضه تفصیلي apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},په فورمول يا حالت تېروتنه: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,رسیدونو د مقدار +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,رسیدونو د مقدار apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,د معیارونو وزن باید 100٪ ته ورسیږي apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,د حاضرۍ apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,سټاک توکی DocType: Sales Invoice,Update Billed Amount in Sales Order,د پلور په امر کې د اخیستل شوو پیسو تازه کول +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,د پلورونکي سره اړیکې 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,مهرباني وکړئ د دې توکي راپور ورکولو لپاره د بازار ځای کارونکي په توګه ننوتل. ,Sales Partner Commission Summary,د پلور شریک همکار کمیسیون لنډیز ,Item Prices,د قالب نرخونه DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,په کلیمو کې به د ليدو وړ وي. هر کله چې تاسو د اخستلو امر وژغوري. @@ -7402,6 +7470,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,د بیې په لېست بادار. DocType: Task,Review Date,کتنه نېټه DocType: BOM,Allow Alternative Item,د متبادل توکي اجازه ورکړئ +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,د پیرود رسید هیڅ توکی نلري د دې لپاره چې برقرار نمونه فعاله وي. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,انوائس عالي مجموعه DocType: Company,Series for Asset Depreciation Entry (Journal Entry),د استملاک د استحکام داخلي (جریان داخلي) لړۍ DocType: Membership,Member Since,غړی @@ -7410,6 +7479,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,د افغان بېسیم ټول 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: Pricing Rule,Product Discount Scheme,د محصول تخفیف سکیم +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,د زنګ وهونکي لخوا کومه مسله نده راپورته شوې. DocType: Restaurant Reservation,Waitlisted,انتظار شوی DocType: Employee Tax Exemption Declaration Category,Exemption Category,د معافیت کټګورۍ apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,د اسعارو نه شي د ارقامو د يو شمېر نورو اسعارو په کارولو وروسته بدل شي @@ -7423,7 +7493,6 @@ DocType: Customer Group,Parent Customer Group,Parent پيرودونکو ګروپ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,د ای - ویز بل JSON یوازې د پلور انوائس څخه تولید کیدی شي apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,د دې پوښتنې لپاره اعظمي هڅې رسېدلي! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,ګډون -DocType: Purchase Invoice,Contact Email,تماس دبرېښنا ليک apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,د فیس جوړونې تادیه کول DocType: Project Template Task,Duration (Days),موده (ورځې) DocType: Appraisal Goal,Score Earned,نمره لاسته راول @@ -7449,7 +7518,6 @@ DocType: Landed Cost Item,Landed Cost Item,تيرماښام لګښت د قالب 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions",د یوې معاملې لپاره پیسې له اعظمي حد څخه زیاتې دي ، د معاملاتو تقسیم کولو سره د جلا جلا تادیاتو امر رامینځته کړئ DocType: Service Level Agreement,Entity,نهاد DocType: Payment Reconciliation,Receivable / Payable Account,ترلاسه / د راتلوونکې اکانټ DocType: Delivery Note Item,Against Sales Order Item,په وړاندې د خرڅلاو نظم قالب @@ -7618,6 +7686,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,شت DocType: Quality Inspection Reading,Reading 3,لوستلو 3 DocType: Stock Entry,Source Warehouse Address,سرچینه ګودام پته DocType: GL Entry,Voucher Type,ګټمنو ډول +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,راتلونکي تادیات 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 ,وروستی فعالیت @@ -7644,6 +7713,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,په ساحه کې د ناروغیو لیست. کله چې دا غوره کړه نو په اتومات ډول به د دندو لیست اضافه کړئ چې د ناروغۍ سره معامله وکړي +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,دا د صحي خدماتو ريښه ده او نشي کولی چې سمبال شي. DocType: Asset Repair,Repair Status,د ترمیم حالت apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",غوښتنه شوې مقدار: مقدار د پیرود لپاره غوښتنه کړې ، مګر امر یې نه دی شوی. @@ -7658,6 +7728,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,د بدلون لپاره د مقدار حساب DocType: QuickBooks Migrator,Connecting to QuickBooks,د بکسونو سره نښلول DocType: Exchange Rate Revaluation,Total Gain/Loss,ټول لاسته راوړنې / ضایع +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,د غوره لیست جوړول apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},د کتارونو تر {0}: ګوند / حساب سره سمون نه خوري {1} / {2} د {3} {4} DocType: Employee Promotion,Employee Promotion,د کارموندنې وده DocType: Maintenance Team Member,Maintenance Team Member,د ساتنې د ټیم غړی @@ -7741,6 +7812,7 @@ 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,د شتمنیو کټه ګورۍ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,خالص د معاشونو نه کېدای شي منفي وي @@ -7771,7 +7843,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,د کیفیت هدف DocType: BOM,Item to be manufactured or repacked,د قالب توليد شي او يا repacked apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},په نخښه کې د Syntax غلطی: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,د پیرودونکي لخوا کومه مسله راپورته شوې نده. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST -YYYY- DocType: Employee Education,Major/Optional Subjects,جګړن / اختیاري مضمونونه apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,مهرباني وکړئ د پیرودونکي ګروپ د پیرودنې په ترتیباتو کې سیٹ کړئ. @@ -7864,8 +7935,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,اعتبار ورځې apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,مهرباني وکړئ د لابراتوار آزموینې لپاره ناروغ ته وټاکئ DocType: Exotel Settings,Exotel Settings,د ایکسیلول تنظیمات -DocType: Leave Type,Is Carry Forward,مخ په وړاندې د دې لپاره ترسره کړي +DocType: Leave Ledger Entry,Is Carry Forward,مخ په وړاندې د دې لپاره ترسره کړي DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),کاري ساعتونه چې لاندې نه شتون په نښه شوی. (د غیر فعالولو لپاره صفر) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,یو پیغام ولیږئ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,له هیښ توکي ترلاسه کړئ 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,د عایداتو مالی لګښت دی diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index 22ecbd88f9..ac67694894 100644 --- a/erpnext/translations/pt.csv +++ b/erpnext/translations/pt.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Notificar fornecedor apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,"Por favor, selecione o Tipo de Entidade primeiro" DocType: Item,Customer Items,Artigos do Cliente +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Passivo DocType: Project,Costing and Billing,Custos e Faturação apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},A moeda da conta avançada deve ser igual à moeda da empresa {0} DocType: QuickBooks Migrator,Token Endpoint,Ponto final do token @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Unidade de Medida Padrão DocType: SMS Center,All Sales Partner Contact,Todos os Contactos de Parceiros Comerciais DocType: Department,Leave Approvers,Autorizadores de Baixa DocType: Employee,Bio / Cover Letter,Bio / Carta de Apresentação +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Pesquisar itens ... DocType: Patient Encounter,Investigations,Investigações DocType: Restaurant Order Entry,Click Enter To Add,Clique em Enter To Add apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Valor ausente para senha, chave de API ou URL do Shopify" DocType: Employee,Rented,Alugado apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Todas as contas apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Não é possível transferir o funcionário com status -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","A Ordem de Produção parada não pode ser cancelada, continue com mesma antes para depois cancelar" DocType: Vehicle Service,Mileage,Quilometragem apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Você realmente quer descartar esse ativo? DocType: Drug Prescription,Update Schedule,Programação de atualização @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Cliente DocType: Purchase Receipt Item,Required By,Solicitado Por DocType: Delivery Note,Return Against Delivery Note,Devolução Contra Nota de Entrega DocType: Asset Category,Finance Book Detail,Detalhe do livro de finanças +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Todas as depreciações foram registradas DocType: Purchase Order,% Billed,% Faturado apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Número da folha de pagamento apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Taxa de Câmbio deve ser a mesma que {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Batch item de status de validade apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Depósito Bancário DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Total de entradas tardias DocType: Mode of Payment Account,Mode of Payment Account,Modo da Conta de Pagamento apps/erpnext/erpnext/config/healthcare.py,Consultation,Consulta DocType: Accounts Settings,Show Payment Schedule in Print,Mostrar horário de pagamento na impressão @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Em apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Detalhes principais de contato apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Incidentes em Aberto DocType: Production Plan Item,Production Plan Item,Artigo do Plano de Produção +DocType: Leave Ledger Entry,Leave Ledger Entry,Sair da entrada do razão 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} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},O campo {0} está limitado ao tamanho {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Qua DocType: Purchase Invoice Item,Item Weight Details,Detalhes do peso do item DocType: Asset Maintenance Log,Periodicity,Periodicidade apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,O Ano Fiscal {0} é obrigatório +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Lucro / Perda Líquida DocType: Employee Group Table,ERPNext User ID,ID do usuário do ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,A distância mínima entre fileiras de plantas para o melhor crescimento apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,"Por favor, selecione Paciente para obter o procedimento prescrito" @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Lista de preços de venda DocType: Patient,Tobacco Current Use,Uso atual do tabaco apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Taxa de vendas -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,"Por favor, salve seu documento antes de adicionar uma nova conta" 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Fund DocType: Exchange Rate Revaluation Account,Gain/Loss,Ganho / Perda DocType: Crop,Perennial,Perene DocType: Program,Is Published,Está publicado +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Mostrar notas de entrega apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Para permitir o excesso de faturamento, atualize o "Over the Billing Allowance" em Accounts Settings ou no Item." DocType: Patient Appointment,Procedure,Procedimento DocType: Accounts Settings,Use Custom Cash Flow Format,Use o formato de fluxo de caixa personalizado @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Deixar detalhes da política DocType: BOM,Item Image (if not slideshow),Imagem do Item (se não for diapositivo de imagens) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"Linha # {0}: A operação {1} não está concluída para {2} quantidade de produtos acabados na Ordem de Serviço {3}. Por favor, atualize o status da operação através do Job Card {4}." -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} é obrigatório para gerar pagamentos de remessas, definir o campo e tentar novamente" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Valor por Hora / 60) * Tempo Real Operacional apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Linha # {0}: O tipo de documento de referência deve ser um pedido de despesa ou entrada de diário apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Selecionar BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Reembolsar Ao longo Número de Períodos apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Quantidade para produzir não pode ser menor que zero DocType: Stock Entry,Additional Costs,Custos Adicionais +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Território apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,A conta da transação existente não pode ser convertida a grupo. DocType: Lead,Product Enquiry,Inquérito de Produto DocType: Education Settings,Validate Batch for Students in Student Group,Validar Lote para Estudantes em Grupo de Estudantes @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Universitário apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,"Por favor, defina o modelo padrão para Notificação de status de saída em Configurações de RH." apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Objetivo DocType: BOM,Total Cost,Custo Total +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Alocação expirada! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Máximo de folhas encaminhadas para transporte DocType: Salary Slip,Employee Loan,Empréstimo a funcionário DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Enviar e-mail de pedido de pagamento @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Imóve apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Extrato de Conta apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmacêuticos DocType: Purchase Invoice Item,Is Fixed Asset,É um Ativo Imobilizado +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Mostrar pagamentos futuros DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Esta conta bancária já está sincronizada DocType: Homepage,Homepage Section,Seção da página inicial @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Fertilizante apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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" -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Por favor, instale o Sistema de Nomes de Instrutores em Educação> Configurações de Educação" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,É necessário pelo menos um modo de pagamento para a fatura POS. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Lote não é necessário para o item em lote {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Item de fatura de transação de extrato bancário @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,Selecione os Termos e Condições apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Valor de Saída DocType: Bank Statement Settings Item,Bank Statement Settings Item,Item de configurações de extrato bancário DocType: Woocommerce Settings,Woocommerce Settings,Configurações do Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Nome da transação DocType: Production Plan,Sales Orders,Ordens de Vendas apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Programa de fidelidade múltipla encontrado para o cliente. Por favor selecione manualmente. DocType: Purchase Taxes and Charges,Valuation,Avaliação @@ -461,6 +469,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Mostrar apenas o cliente desses grupos de clientes DocType: Sales Invoice,Is Opening Entry,É Registo de Entrada @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Mencione se é uma conta a receber não padrão 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 DocType: Supplier Scorecard,Criteria Setup,Configuração de critérios -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,É necessário colocar Para o Armazém antes de Enviar +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 DocType: Codification Table,Medical Code,Código médico apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Conecte-se à Amazon com o ERPNext @@ -486,7 +496,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Contas bancárias adicionadas -DocType: Delivery Stop,Contact Name,Nome de Contacto +DocType: Call Log,Contact Name,Nome de Contacto DocType: Plaid Settings,Synchronize all accounts every hour,Sincronize todas as contas a cada hora DocType: Course Assessment Criteria,Course Assessment Criteria,Critérios de Avaliação do Curso DocType: Pricing Rule Detail,Rule Applied,Regra Aplicada @@ -530,7 +540,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Número desconhecido DocType: Website Filter Field,Website Filter Field,Campo de filtro do site apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Tipo de alimentação DocType: Material Request Item,Min Order Qty,Qtd de Pedido Mín. @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,Valor total do capital DocType: Student Guardian,Relation,Relação DocType: Quiz Result,Correct,Corrigir DocType: Student Guardian,Mother,Mãe -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,"Por favor, adicione chaves válidas da API Plaid em site_config.json primeiro" DocType: Restaurant Reservation,Reservation End Time,Hora de término da reserva DocType: Crop,Biennial,Bienal ,BOM Variance Report,Relatório de variação da lista técnica @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},O pagamento de {0} {1} não pode ser superior ao Montante em Dívida {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,Configurações de PDV off-line DocType: Stock Entry Detail,Reference Purchase Receipt,Recibo de compra de referência DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variante de -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"A Qtd Concluída não pode ser superior à ""Qtd de Fabrico""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"A Qtd Concluída não pode ser superior à ""Qtd de Fabrico""" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Período baseado em DocType: Period Closing Voucher,Closing Account Head,A Fechar Título de Contas DocType: Employee,External Work History,Histórico Profissional Externo apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Erro de Referência Circular apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Cartão de relatório do aluno apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Do código PIN +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Mostrar vendedor DocType: Appointment Type,Is Inpatient,É paciente internado apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nome Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Por Extenso (Exportar) será visível assim que guardar a Guia de Remessa. @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Nome da Dimensão apps/erpnext/erpnext/healthcare/setup.py,Resistant,Resistente apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Defina a tarifa do quarto do hotel em {} +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: Journal Entry,Multi Currency,Múltiplas Moedas DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tipo de Fatura apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Válido a partir da data deve ser inferior a data de validade @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Admitido/a DocType: Workstation,Rent Cost,Custo de Aluguer 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Próximos Eventos no Calendário apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Atributos Variante @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,Solicitação de Cotação 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Mostrar pessoa de vendas em impressão 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 @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Criar um novo cliente apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Expirando em apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Se várias Regras de Fixação de Preços continuarem a prevalecer, será pedido aos utilizadores que definam a Prioridade manualmente para que este conflito seja resolvido." -DocType: Purchase Invoice,Scan Barcode,Scan Barcode apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Criar ordens de compra ,Purchase Register,Registo de Compra apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Paciente não encontrado @@ -817,6 +828,7 @@ DocType: Account,Old Parent,Fonte Antiga apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Campo obrigatório - Ano Acadêmico apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Campo obrigatório - Ano Acadêmico apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} não está associado a {2} {3} +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} @@ -860,6 +872,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Componente Salarial para a folha de presença com base no pagamento. DocType: Driver,Applicable for external driver,Aplicável para driver externo DocType: Sales Order Item,Used for Production Plan,Utilizado para o Plano de Produção +DocType: BOM,Total Cost (Company Currency),Custo total (moeda da empresa) DocType: Loan,Total Payment,Pagamento total apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Não é possível cancelar a transação para a ordem de serviço concluída. DocType: Manufacturing Settings,Time Between Operations (in mins),Tempo Entre Operações (em minutos) @@ -881,6 +894,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Notificar outro DocType: Vital Signs,Blood Pressure (systolic),Pressão sanguínea (sistólica) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} é {2} DocType: Item Price,Valid Upto,Válido Até +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. @@ -899,6 +913,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Alterações em {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,"Por favor, selecione a Empresa" DocType: Employee Skill,Employee Skill,Habilidade dos Funcionários apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Conta de Diferenças @@ -943,6 +958,7 @@ DocType: Patient,Risk Factors,Fatores de risco DocType: Patient,Occupational Hazards and Environmental Factors,Perigos ocupacionais e fatores ambientais apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Entradas de ações já criadas para ordem de serviço apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Veja pedidos anteriores +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} conversas DocType: Vital Signs,Respiratory rate,Frequência respiratória apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Gestão de Subcontratação DocType: Vital Signs,Body Temperature,Temperatura corporal @@ -984,6 +1000,7 @@ DocType: Purchase Invoice,Registered Composition,Composição Registrada apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Olá apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Mover Item DocType: Employee Incentive,Incentive Amount,Quantidade de incentivo +,Employee Leave Balance Summary,Resumo do Saldo de Empregados DocType: Serial No,Warranty Period (Days),Período de Garantia (Dias) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,O valor total de crédito / débito deve ser o mesmo que o lançamento no diário associado DocType: Installation Note Item,Installation Note Item,Nota de Instalação de Item @@ -997,6 +1014,7 @@ DocType: Vital Signs,Bloated,Inchado DocType: Salary Slip,Salary Slip Timesheet,Folhas de Vencimento de Registo de Horas apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,É obrigatório colocar o Fornecedor de Armazém no Recibo de compra de subcontratados DocType: Item Price,Valid From,Válido De +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Sua avaliação: DocType: Sales Invoice,Total Commission,Comissão Total DocType: Tax Withholding Account,Tax Withholding Account,Conta de Retenção Fiscal DocType: Pricing Rule,Sales Partner,Parceiro de Vendas @@ -1004,6 +1022,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Todos os scorecar 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 +DocType: Item,Website Image,Imagem do site apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,O depósito de destino na linha {0} deve ser o mesmo da Ordem de Serviço apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,É obrigatório colocar a Taxa de Avaliação se foi introduzido o Stock de Abertura 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 @@ -1038,8 +1057,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},E 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,"Por favor, preencha sua configuração da Xadrez API antes de sincronizar sua conta" 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 DocType: Job Applicant,Resume Attachment,Anexo de Currículo @@ -1051,7 +1070,6 @@ DocType: Production Plan,Production Plan,Plano de produção DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Ferramenta de criação de fatura de abertura DocType: Salary Component,Round to the Nearest Integer,Arredondar para o número inteiro mais próximo apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Retorno de Vendas -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,"Nota: O total de licenças atribuídas {0} não deve ser menor do que as licenças já aprovadas {1}, para esse período" DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Definir Qtd em transações com base na entrada serial ,Total Stock Summary,Resumo de estoque total apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1079,6 +1097,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Um apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Quantia principal DocType: Loan Application,Total Payable Interest,Juros a Pagar total apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total pendente: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Abrir Contato DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Fatura de Vendas de Registo de Horas 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} @@ -1088,6 +1107,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Série de nomeação de fa 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 DocType: Restaurant Reservation,Restaurant Reservation,Reserva de restaurante +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Seus itens apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Elaboração de Proposta DocType: Payment Entry Deduction,Payment Entry Deduction,Dedução de Registo de Pagamento DocType: Service Level Priority,Service Level Priority,Prioridade de Nível de Serviço @@ -1096,6 +1116,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Série de números em lote apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Já existe outro Vendedor {0} com a mesma id de Funcionário DocType: Employee Advance,Claimed Amount,Montante reclamado +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Alocação de Expiração 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 @@ -1164,7 +1185,6 @@ DocType: Student Batch Name,Batch Name,Nome de Lote DocType: Fee Validity,Max number of visit,Número máximo de visitas DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Obrigatório para conta de lucros e perdas ,Hotel Room Occupancy,Ocupação do quarto do hotel -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Registo de Horas criado: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Por favor defina o Dinheiro ou Conta Bancária padrão no Modo de Pagamento {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Matricular DocType: GST Settings,GST Settings,Configurações de GST @@ -1295,6 +1315,7 @@ DocType: Sales Invoice,Commission Rate (%),Taxa de Comissão (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Selecione o programa DocType: Project,Estimated Cost,Custo Estimado DocType: Request for Quotation,Link to material requests,Link para pedidos de material +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Publicar apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Espaço Aéreo ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Registo de Cartão de Crédito @@ -1321,6 +1342,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Ativos Atuais apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} não é um item de stock apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Por favor, compartilhe seus comentários para o treinamento clicando em 'Feedback de Treinamento' e depois 'Novo'" +DocType: Call Log,Caller Information,Informações do chamador DocType: Mode of Payment Account,Default Account,Conta Padrão apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Selecione Almacço de retenção de amostra em Configurações de estoque primeiro apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,"Por favor, selecione o tipo de Programa de Múltiplas Classes para mais de uma regra de coleta." @@ -1345,6 +1367,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Solicitações de Materiais Geradas Automaticamente DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Horário de trabalho abaixo do qual meio dia é marcado. (Zero para desabilitar) DocType: Job Card,Total Completed Qty,Total de Qtd Concluído +DocType: HR Settings,Auto Leave Encashment,Deixar automaticamente o carregamento apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Perdido apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,"Não pode inserir o voucher atual na coluna ""Lançamento Contabilístico Em""" DocType: Employee Benefit Application Detail,Max Benefit Amount,Montante Máximo de Benefícios @@ -1374,9 +1397,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Assinante DocType: Item Attribute Value,Item Attribute Value,Valor do Atributo do Item apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Câmbio deve ser aplicável para compra ou venda. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Somente alocação expirada pode ser cancelada DocType: Item,Maximum sample quantity that can be retained,Quantidade máxima de amostras que pode ser mantida apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},A linha {0} # Item {1} não pode ser transferido mais do que {2} contra a ordem de compra {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Campanhas de vendas. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Chamador desconhecido DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1427,6 +1452,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Slot de Tem apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Nome Doc DocType: Expense Claim Detail,Expense Claim Type,Tipo de Reembolso de Despesas DocType: Shopping Cart Settings,Default settings for Shopping Cart,As definições padrão para o Carrinho de Compras +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Salvar item apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Nova Despesa apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignorar quantidade pedida existente apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Adicionar Timeslots @@ -1439,6 +1465,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Revisão do convite enviado DocType: Shift Assignment,Shift Assignment,Atribuição de turno DocType: Employee Transfer Property,Employee Transfer Property,Propriedade de transferência do empregado +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,O campo Conta do patrimônio líquido / passivo não pode ficar em branco apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Do tempo deve ser menor que o tempo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotecnologia apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1520,11 +1547,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Cronograma de Curso DocType: GSTR 3B Report,GSTR 3B Report,Relatório GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Status da Cotação DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Estado de Conclusão +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},O valor total dos pagamentos não pode ser maior que {} DocType: Daily Work Summary Group,Select Users,Selecione Usuários 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 @@ -1562,6 +1591,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Quantida DocType: Lab Test Template,Result Format,Formato de resultado DocType: Expense Claim,Expenses,Despesas DocType: Service Level,Support Hours,Horas de suporte +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Notas de entrega DocType: Item Variant Attribute,Item Variant Attribute,Atributo de Variante do Item ,Purchase Receipt Trends,Tendências de Recibo de Compra DocType: Payroll Entry,Bimonthly,Quinzenal @@ -1584,7 +1614,6 @@ DocType: Sales Team,Incentives,Incentivos DocType: SMS Log,Requested Numbers,Números Solicitados DocType: Volunteer,Evening,Tarde DocType: Quiz,Quiz Configuration,Configuração do questionário -DocType: Customer,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 @@ -1631,7 +1660,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Definid ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar o Horário nos próximos {0} dias para a Operação {1} DocType: Work Order,Plan material for sub-assemblies,Planear material para subconjuntos 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 @@ -1646,9 +1674,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Você precisa habilitar a reordenação automática nas Configurações de estoque para manter os níveis de reordenamento. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar Visitas Materiais {0} antes de cancelar esta Visita de Manutenção DocType: Pricing Rule,Rate or Discount,Taxa ou desconto +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Detalhes bancários DocType: Vital Signs,One Sided,Um lado apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},O Nr. de Série {0} não pertence ao Item {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Qtd Necessária +DocType: Purchase Order Item Supplied,Required Qty,Qtd Necessária DocType: Marketplace Settings,Custom Data,Dados personalizados apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Os Armazéns com transação existente não podem ser convertidos em razão. DocType: Service Day,Service Day,Dia do serviço @@ -1676,7 +1705,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Moeda da Conta DocType: Lab Test,Sample ID,Identificação da amostra apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,"Por favor, mencione a Conta de Arredondamentos na Empresa" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Faixa DocType: Supplier,Default Payable Accounts,Contas a Pagar Padrão apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,O(A) Funcionário(a) {0} não está ativo(a) ou não existe @@ -1717,8 +1745,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Pedido de Informação DocType: Course Activity,Activity Date,Data da atividade apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} do {} -,LeaderBoard,Entre os melhores DocType: Sales Invoice Item,Rate With Margin (Company Currency),Taxa com margem (moeda da empresa) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Categorias apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sincronização de Facturas Offline DocType: Payment Request,Paid,Pago DocType: Service Level,Default Priority,Prioridade Padrão @@ -1753,11 +1781,11 @@ DocType: Agriculture Task,Agriculture Task,Tarefa de agricultura apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Rendimento Indireto DocType: Student Attendance Tool,Student Attendance Tool,Ferramenta de Assiduidade dos Alunos DocType: Restaurant Menu,Price List (Auto created),Lista de preços (criada automaticamente) +DocType: Pick List Item,Picked Qty,Qtd escolhido DocType: Cheque Print Template,Date Settings,Definições de Data 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 -,Company Name,Nome da Empresa 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. @@ -1776,7 +1804,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Tentativa mais recente DocType: Quiz Result,Quiz Result,Resultado do teste 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} -DocType: BOM,Raw Material Cost(Company Currency),Custo da Matéria-prima (Moeda da Empresa) 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 @@ -1845,6 +1872,7 @@ DocType: Travel Itinerary,Train,Trem ,Delayed Item Report,Relatório de item atrasado apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC elegível DocType: Healthcare Service Unit,Inpatient Occupancy,Ocupação de paciente internado +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Publique seus primeiros itens DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tempo após o final do turno durante o qual o check-out é considerado para atendimento. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Por favor especificar um {0} @@ -1963,6 +1991,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Todos os BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Criar entrada de diário entre empresas DocType: Company,Parent Company,Empresa-mãe apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotel Os quartos do tipo {0} estão indisponíveis no {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Compare listas técnicas para alterações nas matérias-primas e operações apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Documento {0} com sucesso não corrigido DocType: Healthcare Practitioner,Default Currency,Moeda Padrão apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Reconciliar esta conta @@ -1997,6 +2026,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,Dados de Fatura Form-C DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fatura de Conciliação de Pagamento DocType: Clinical Procedure,Procedure Template,Modelo de procedimento +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publicar itens apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Contribuição % apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","De acordo com as Configurações de compra, se a ordem de compra necessária == 'SIM', então, para criar a factura de compra, o usuário precisa criar a ordem de compra primeiro para o item {0}" ,HSN-wise-summary of outward supplies,HSN-wise-resumo de fontes externas @@ -2009,7 +2039,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',"Por favor, defina ""Aplicar Desconto Adicional Em""" DocType: Party Tax Withholding Config,Applicable Percent,Porcentagem Aplicável ,Ordered Items To Be Billed,Itens Pedidos A Serem Faturados -DocType: Employee Checkin,Exit Grace Period Consequence,Saia da Consequência do Período de Carência apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,A Faixa De tem de ser inferior à Faixa Para DocType: Global Defaults,Global Defaults,Padrões Gerais apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Convite de Colaboração no Projeto @@ -2017,13 +2046,11 @@ DocType: Salary Slip,Deductions,Deduções DocType: Setup Progress Action,Action Name,Nome da Ação apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Ano de Início apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Criar Empréstimo -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,A data de início do período de fatura atual DocType: Shift Type,Process Attendance After,Participação no Processo Depois ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Licença Sem Vencimento DocType: Payment Request,Outward,Para fora -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Erro de Planeamento de Capacidade apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Imposto do Estado / UT ,Trial Balance for Party,Balancete para a Parte ,Gross and Net Profit Report,Relatório de Lucro Bruto e Líquido @@ -2042,7 +2069,6 @@ DocType: Payroll Entry,Employee Details,Detalhes do Funcionários 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} -DocType: Setup Progress Action,Domains,Domínios 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} @@ -2085,7 +2111,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Reunião t 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.","O Modo de Pagamento não está configurado. Por favor, verifique se conta foi definida no Modo de Pagamentos ou no Perfil POS." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Mesmo item não pode ser inserido várias vezes. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Podem ser realizadas outras contas nos Grupos, e os registos podem ser efetuados em Fora do Grupo" -DocType: Email Campaign,Lead,Potenciais Clientes +DocType: Call Log,Lead,Potenciais Clientes DocType: Email Digest,Payables,A Pagar DocType: Amazon MWS Settings,MWS Auth Token,Token de Autenticação do MWS DocType: Email Campaign,Email Campaign For ,Campanha de e-mail para @@ -2097,6 +2123,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Itens da Ordem de Compra a faturar 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 DocType: Purchase Invoice Item,Net Rate,Taxa Líquida apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Selecione um cliente DocType: Leave Policy,Leave Allocations,Deixar alocações @@ -2110,6 +2137,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Fechar incidentes após dias ,Eway Bill,Conta de saída apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Você precisa ser um usuário com as funções System Manager e Item Manager para adicionar usuários ao Marketplace. +DocType: Attendance,Early Exit,Saída antecipada DocType: Job Opening,Staffing Plan,Plano de Pessoal apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON só pode ser gerado a partir de um documento enviado apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Imposto e benefícios do empregado @@ -2130,6 +2158,7 @@ DocType: Maintenance Team Member,Maintenance Role,Função de manutenção apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Linha duplicada {0} com o mesmo {1} DocType: Marketplace Settings,Disable Marketplace,Desativar mercado DocType: Quality Meeting,Minutes,Minutos +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Seus itens em destaque ,Trial Balance,Balancete apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Mostrar concluído apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,O Ano Fiscal de {0} não foi encontrado @@ -2139,8 +2168,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Usuário de reserva de ho 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" 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- -DocType: Shift Type,Consequence,Consequência DocType: Subscription Settings,Subscription Settings,Configurações de assinatura DocType: Purchase Invoice,Update Auto Repeat Reference,Atualizar referência de repetição automática apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Lista de feriados opcional não definida para o período de licença {0} @@ -2151,7 +2180,6 @@ DocType: Maintenance Visit Purpose,Work Done,Trabalho Efetuado apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,"Por favor, especifique pelo menos um atributo na tabela de Atributos" DocType: Announcement,All Students,Todos os Alunos apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,O Item {0} deve ser um item não inventariado -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Banco Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Ver Livro DocType: Grading Scale,Intervals,intervalos DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transações reconciliadas @@ -2187,6 +2215,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Item de Oportunidade DocType: Quality Action,Quality Review,Revisão de Qualidade @@ -2213,7 +2242,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Obter Faturas Pendentes -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,A Ordem de Vendas {0} não é válida +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,As ordens de compra ajudá-lo a planejar e acompanhar suas compras apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Prescrições de teste de laboratório @@ -2238,6 +2267,7 @@ DocType: Employee Onboarding,Notify users by email,Notificar usuários por email DocType: Travel Request,International,Internacional DocType: Training Event,Training Event,Evento de Formação DocType: Item,Auto re-order,Voltar a Pedir Autom. +DocType: Attendance,Late Entry,Entrada tardia apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Total Alcançado DocType: Employee,Place of Issue,Local de Emissão DocType: Promotional Scheme,Promotional Scheme Price Discount,Desconto de preço do regime promocional @@ -2284,6 +2314,7 @@ DocType: Serial No,Serial No Details,Dados de Nr. de Série DocType: Purchase Invoice Item,Item Tax Rate,Taxa Fiscal do Item apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Do nome do partido apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Valor do Salário Líquido +DocType: Pick List,Delivery against Sales Order,Entrega contra ordem do cliente DocType: Student Group Student,Group Roll Number,Número de rolo de grupo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Para {0}, só podem ser ligadas contas de crédito noutro registo de débito" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,A Guia de Remessa {0} não foi enviada @@ -2356,7 +2387,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Esse valor é usado para cálculos pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,É preciso ativar o Carrinho de Compras DocType: Payment Entry,Writeoff,Liquidar DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2370,6 +2400,7 @@ DocType: Delivery Trip,Total Estimated Distance,Distância total estimada DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Conta não paga de contas a receber DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Navegador da LDM +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Não é permitido criar dimensão contábil para {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Atualize seu status para este evento de treinamento DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Adicionar ou Subtrair @@ -2379,7 +2410,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Itens de vendas inativas DocType: Quality Review,Additional Information,informação adicional apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Valor Total do Pedido -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Redefinição do Acordo de Nível de Serviço. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Comida apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Faixa de Idade 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalhes do Voucher de Fechamento do PDV @@ -2426,6 +2456,7 @@ 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 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""" DocType: Healthcare Practitioner,Contacts and Address,Contatos e endereço DocType: Shift Type,Determine Check-in and Check-out,Determine o check-in e o check-out @@ -2445,7 +2476,6 @@ DocType: Student Admission,Eligibility and Details,Elegibilidade e detalhes apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Incluído no Lucro Bruto apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Variação Líquida no Ativo Imobilizado apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Código do cliente apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"A cobrança do tipo ""Real"" na linha {0} não pode ser incluída no preço do Item" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Máx.: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Data e Hora De @@ -2514,6 +2544,7 @@ 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. 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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: É necessário o cliente nas contas A Receber {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total de Impostos e Taxas (Moeda da Empresa) DocType: Weather,Weather Parameter,Parâmetro do tempo @@ -2576,6 +2607,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Limite de Horas de Trabal apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Pode haver vários fatores de cobrança em camadas com base no total gasto. Mas o fator de conversão para resgate será sempre o mesmo para todo o nível. apps/erpnext/erpnext/config/help.py,Item Variants,Variantes do Item apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Serviços +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Enviar Email de Folha de Pagamento a um Funcionário DocType: Cost Center,Parent Cost Center,Centro de Custo Principal @@ -2586,7 +2618,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","S DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importar notas de entrega do Shopify no envio apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Mostrar encerrado DocType: Issue Priority,Issue Priority,Emitir prioridade -DocType: Leave Type,Is Leave Without Pay,É uma Licença Sem Vencimento +DocType: Leave Ledger Entry,Is Leave Without Pay,É uma Licença Sem Vencimento apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,É obrigatório colocar a Categoria Ativo para um item de Ativo Imobilizado DocType: Fee Validity,Fee Validity,Validade da tarifa @@ -2635,6 +2667,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Qtd de Lote Dispon apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Atualização do Formato de Impressão DocType: Bank Account,Is Company Account,Conta corporativa apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Deixe o tipo {0} não é inviolável +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},O limite de crédito já está definido para a empresa {0} DocType: Landed Cost Voucher,Landed Cost Help,Ajuda do Custo de Entrega DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Escolha um Endereço de Envio @@ -2659,6 +2692,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Em dois sentidos DocType: Item,Manufacturers,Fabricantes @@ -2696,7 +2730,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Declaração de Conciliação Bancária DocType: Patient Encounter,Medical Coding,Codificação médica DocType: Healthcare Settings,Reminder Message,Mensagem de Lembrete -,Lead Name,Nome de Potencial Cliente +DocType: Call Log,Lead Name,Nome de Potencial Cliente ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Prospecção @@ -2728,12 +2762,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Armazém Fornecedor DocType: Opportunity,Contact Mobile No,Nº de Telemóvel de Contacto apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Selecione Empresa ,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: 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- 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.,O usuário {0} não possui perfil de POS padrão. Verifique Padrão na Linha {1} para este Usuário. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minutos da Reunião de Qualidade +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornecedor> Tipo de fornecedor apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Referência de funcionário DocType: Student Group,Set 0 for no limit,Defina 0 para sem limite apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,O(s) dia(s) em que está a solicitar a licença são feriados. Não necessita solicitar uma licença. @@ -2767,12 +2803,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Variação Líquida na Caixa DocType: Assessment Plan,Grading Scale,Escala de classificação apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,A Unidade de Medida {0} foi inserido mais do que uma vez na Tabela de Conversão de Fatores -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Já foi concluído apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Estoque na mão apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Por favor adicione os restantes benefícios {0} à aplicação como componente \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',"Por favor, defina o Código Fiscal para a administração pública '% s'" -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},A Solicitação de Pagamento {0} já existe apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Custo dos Itens Emitidos DocType: Healthcare Practitioner,Hospital,Hospital apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},A quantidade não deve ser superior a {0} @@ -2817,6 +2851,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Recursos Humanos apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Rendimento Superior DocType: Item Manufacturer,Item Manufacturer,item Fabricante +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Criar novo lead DocType: BOM Operation,Batch Size,Tamanho do batch apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Rejeitar DocType: Journal Entry Account,Debit in Company Currency,Débito em Moeda da Empresa @@ -2837,9 +2872,11 @@ DocType: Bank Transaction,Reconciled,Reconciliado DocType: Expense Claim,Total Amount Reimbursed,Montante Total Reembolsado apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Isto é baseado em registos deste veículo. Veja o cronograma abaixo para obter mais detalhes apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,A data da folha de pagamento não pode ser inferior à data de ingresso do empregado +DocType: Pick List,Item Locations,Localizações dos itens apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} criado apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Aberturas de trabalho para designação {0} já aberta \ ou contratação concluída conforme Plano de Pessoal {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Você pode publicar até 200 itens. DocType: Vital Signs,Constipated,Constipado apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Na Fatura de Fornecedor {0} datada de {1} DocType: Customer,Default Price List,Lista de Preços Padrão @@ -2933,6 +2970,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car 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 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Despesas de Marketing +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} unidades de {1} não estão disponíveis. ,Item Shortage Report,Comunicação de Falta de Item 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 @@ -2956,6 +2994,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 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 DocType: Material Request,Transferred,Transferido DocType: Vehicle,Doors,Portas @@ -3036,7 +3075,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Código do Item do Cliente DocType: Stock Reconciliation,Stock Reconciliation,Da Reconciliação DocType: Territory,Territory Name,Nome território DocType: Email Digest,Purchase Orders to Receive,Pedidos de compra a receber -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Trabalho em andamento Warehouse é necessário antes de Enviar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Trabalho em andamento Warehouse é necessário antes de Enviar apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Você só pode ter planos com o mesmo ciclo de faturamento em uma assinatura DocType: Bank Statement Transaction Settings Item,Mapped Data,Dados mapeados DocType: Purchase Order Item,Warehouse and Reference,Armazém e Referência @@ -3112,6 +3151,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Configurações de entrega apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Buscar dados apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Licença máxima permitida no tipo de licença {0} é {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publicar 1 item DocType: SMS Center,Create Receiver List,Criar Lista de Destinatários DocType: Student Applicant,LMS Only,Apenas LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,A data disponível para uso deve ser posterior à data de compra @@ -3145,6 +3185,7 @@ 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 DocType: Vital Signs,Furry,Peludo apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Por favor, defina a ""Conta de Ganhos/Perdas na Eliminação de Ativos"" na Empresa {0}" +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} @@ -3156,6 +3197,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Ver todas as edições de {0} 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/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/templates/pages/help.html,Visit the forums,Visite os fóruns DocType: Student,Student Mobile Number,Número de telemóvel do Estudante DocType: Item,Has Variants,Tem Variantes @@ -3167,9 +3209,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Nome da Distribui DocType: Quality Procedure Process,Quality Procedure Process,Processo de Procedimento de Qualidade apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,O ID do lote é obrigatório apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,O ID do lote é obrigatório +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,"Por favor, selecione o Cliente primeiro" DocType: Sales Person,Parent Sales Person,Vendedor Principal apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Nenhum item a ser recebido está atrasado apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,O vendedor e o comprador não podem ser os mesmos +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Ainda sem vistas DocType: Project,Collect Progress,Recolha Progresso DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Selecione primeiro o programa @@ -3191,11 +3235,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Alcançados DocType: Student Admission,Application Form Route,Percurso de Formulário de Candidatura apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,A data final do contrato não pode ser inferior a hoje. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter para enviar DocType: Healthcare Settings,Patient Encounters in valid days,Encontros com Pacientes em dias válidos apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"O Tipo de Licença {0} não pode ser atribuído, uma vez que é uma licença sem vencimento" 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},Linha {0}: O montante alocado {1} deve ser menor ou igual ao saldo pendente da fatura {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Por Extenso será visível assim que guardar a Nota Fiscal de Vendas. DocType: Lead,Follow Up,Acompanhamento +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Centro de custo: {0} não existe DocType: Item,Is Sales Item,É um Item de Vendas apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Esquema de Grupo de Item apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,O Item {0} não está configurado para os Nrs. de série. Verifique o definidor de Item @@ -3240,9 +3286,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Qtd Fornecida DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Item de Solicitação de Material -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,"Por favor, cancele o recibo de compra {0} primeiro" apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Esquema de Grupos de Itens. DocType: Production Plan,Total Produced Qty,Qtd Total Produzido +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Ainda não há comentários apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Não é possível referir o número da linha como superior ou igual ao número da linha atual para este tipo de Cobrança DocType: Asset,Sold,Vendido ,Item-wise Purchase History,Histórico de Compras por Item @@ -3261,7 +3307,7 @@ DocType: Designation,Required Skills,Habilidades necessárias DocType: Inpatient Record,O Positive,O Positivo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investimentos DocType: Issue,Resolution Details,Dados de Resolução -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Tipo de transação +DocType: Leave Ledger Entry,Transaction Type,Tipo de transação DocType: Item Quality Inspection Parameter,Acceptance Criteria,Critérios de Aceitação apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Por favor, insira as Solicitações de Materiais na tabela acima" apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nenhum reembolso disponível para lançamento no diário @@ -3303,6 +3349,7 @@ DocType: Bank Account,Bank Account No,Número da conta bancária DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Submissão de prova de isenção de imposto de empregado DocType: Patient,Surgical History,História cirúrgica DocType: Bank Statement Settings Item,Mapped Header,Cabeçalho Mapeado +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: 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. 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} @@ -3371,7 +3418,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Adicionar papel timbrado DocType: Program Enrollment,Self-Driving Vehicle,Veículo de auto-condução 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,O total de licenças atribuídas {0} não pode ser menor do que as licenças já aprovados {1} para o período DocType: Contract Fulfilment Checklist,Requirement,Requerimento DocType: Journal Entry,Accounts Receivable,Contas a Receber DocType: Quality Goal,Objectives,Objetivos @@ -3394,7 +3440,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Limite Único de Tran DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Esse valor é atualizado na Lista de Preços de Vendas Padrão. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Seu carrinho está vazio DocType: Email Digest,New Expenses,Novas Despesas -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Montante PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Não é possível otimizar a rota, pois o endereço do driver está ausente." DocType: Shareholder,Shareholder,Acionista DocType: Purchase Invoice,Additional Discount Amount,Quantia de Desconto Adicional @@ -3431,6 +3476,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Tarefa de manutenção apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Defina B2C Limit em GST Settings. DocType: Marketplace Settings,Marketplace Settings,Configurações do Marketplace DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Armazém onde está mantendo o stock de itens rejeitados +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Publicar {0} itens 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,Não é possível encontrar a taxa de câmbio para {0} a {1} para a data-chave {2}. Crie um registro de troca de moeda manualmente DocType: POS Profile,Price List,Lista de Preços 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." @@ -3467,6 +3513,7 @@ DocType: Salary Component,Deduction,Dedução DocType: Item,Retain Sample,Manter a amostra apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Linha {0}: É obrigatório colocar a Periodicidade. DocType: Stock Reconciliation Item,Amount Difference,Diferença de Montante +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Esta página acompanha os itens que você deseja comprar dos vendedores. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},O Preço de Item foi adicionada a {0} na Lista de Preços {1} DocType: Delivery Stop,Order Information,Informação do Pedido apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Por favor, insira a ID de Funcionário deste(a) vendedor(a)" @@ -3495,6 +3542,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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**. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Nome do Plano de Avaliação apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detalhes do Alvo apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Aplicável se a empresa for SpA, SApA ou SRL" @@ -3547,7 +3595,6 @@ DocType: Company,Transactions Annual History,Histórico Anual de Transações 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Acima 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 @@ -3601,6 +3648,7 @@ DocType: Grading Scale,Grading Scale Intervals,Intervalos de classificação na 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Lucros para o ano 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 @@ -3655,12 +3703,10 @@ DocType: Supplier Scorecard,Scoring Setup,Configuração de pontuação apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Eletrónica 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Nenhum GST Nº encontrado para a empresa. 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 DocType: Question,Single Correct Answer,Resposta Correta Única -DocType: Employee,Contact Details,Dados de Contacto DocType: C-Form,Received Date,Data de Receção 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 criou algum modelo padrão em Taxas de Vendas e no Modelo de Cobranças, selecione um e clique no botão abaixo." DocType: BOM Scrap Item,Basic Amount (Company Currency),Montante de Base (Moeda da Empresa) @@ -3690,12 +3736,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Operação Site DocType: Bank Statement Transaction Payment Item,outstanding_amount,quantidade_exclusiva DocType: Supplier Scorecard,Supplier Score,Pontuação do fornecedor apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Agendar Admissão +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,O valor total da solicitação de pagamento não pode ser maior que o valor {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Limite de Transação Cumulativa DocType: Promotional Scheme Price Discount,Discount Type,Tipo de desconto -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Qtd Total Faturada DocType: Purchase Invoice Item,Is Free Item,É item grátis +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Porcentagem que você tem permissão para transferir mais em relação à quantidade solicitada. Por exemplo: Se você encomendou 100 unidades. e sua permissão for de 10%, você poderá transferir 110 unidades." DocType: Supplier,Warn RFQs,Avisar PDOs -apps/erpnext/erpnext/templates/pages/home.html,Explore,Explorar +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Explorar DocType: BOM,Conversion Rate,Taxa de Conversão apps/erpnext/erpnext/www/all-products/index.html,Product Search,Pesquisa de produto ,Bank Remittance,Remessa Bancária @@ -3707,6 +3754,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Valor Total Pago DocType: Asset,Insurance End Date,Data final do seguro apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Selecione a Admissão de Estudante que é obrigatória para o estudante pago. +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.AAA.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Lista de Orçamentos DocType: Campaign,Campaign Schedules,Horários de Campanha DocType: Job Card Time Log,Completed Qty,Qtd Concluída @@ -3729,6 +3777,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Novo Ende DocType: Quality Inspection,Sample Size,Tamanho da Amostra apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,"Por favor, insira o Documento de Recepção" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Todos os itens já foram faturados +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Folhas tiradas apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Por favor, especifique um ""De Nr. de Processo"" válido" 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,"Podem ser criados outros centros de custo nos Grupos, e os registos podem ser criados em Fora do Grupo" 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,O total de folhas alocadas é mais dias do que a alocação máxima de {0} tipo de licença para o funcionário {1} no período @@ -3829,6 +3878,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Incluir tod 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 DocType: Leave Block List,Allow Users,Permitir Utilizadores 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: 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. @@ -3882,6 +3933,7 @@ DocType: Support Search Source,Result Title Field,Campo de título do resultado apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Resumo de Chamadas DocType: Sample Collection,Collected Time,Tempo coletado DocType: Employee Skill Map,Employee Skills,Habilidades dos Funcionários +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Despesa de combustível DocType: Company,Sales Monthly History,Histórico mensal de vendas apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,"Por favor, defina pelo menos uma linha na Tabela de Impostos e Taxas" DocType: Asset Maintenance Task,Next Due Date,Próxima data de vencimento @@ -3891,6 +3943,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Sinais vi DocType: Payment Entry,Payment Deductions or Loss,Deduções ou Perdas de Pagamento DocType: Soil Analysis,Soil Analysis Criterias,Critérios de análise do solo apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Termos do contrato padrão para Vendas ou Compra. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Linhas removidas em {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Comece o check-in antes do horário de início do turno (em minutos) DocType: BOM Item,Item operation,Operação de item apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Agrupar por Voucher @@ -3916,11 +3969,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Já foi criada a Folha de Vencimento do funcionário {0} para este período apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmacêutico apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Você só pode enviar uma licença para uma quantia válida de reembolso +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Itens por apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Custo dos Itens Adquiridos DocType: Employee Separation,Employee Separation Template,Modelo de Separação de Funcionários DocType: Selling Settings,Sales Order Required,Ordem de Venda necessária apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Torne-se um vendedor -DocType: Shift Type,The number of occurrence after which the consequence is executed.,O número de ocorrências após o qual a consequência é executada. ,Procurement Tracker,Procurement Tracker DocType: Purchase Invoice,Credit To,Creditar Em apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC invertido @@ -3933,6 +3986,7 @@ DocType: Quality Meeting,Agenda,Agenda DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Dados do Cronograma de Manutenção DocType: Supplier Scorecard,Warn for new Purchase Orders,Avisar novas ordens de compra DocType: Quality Inspection Reading,Reading 9,Leitura 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Conecte sua conta Exotel ao ERPNext e acompanhe os registros de chamadas DocType: Supplier,Is Frozen,Está Congelado DocType: Tally Migration,Processed Files,Arquivos processados apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Não é permitido selecionar o subgrupo de armazém para as transações @@ -3942,6 +3996,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Nº da LDM para um DocType: Upload Attendance,Attendance To Date,Assiduidade Até À Data 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 @@ -3966,7 +4021,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Solicitador apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Referência inválida {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regras para aplicar diferentes esquemas promocionais. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) não pode ser maior do que a quantidade planeada ({2}) no Pedido de Produção {3} DocType: Shipping Rule,Shipping Rule Label,Regra Rotulação de Envio DocType: Journal Entry Account,Payroll Entry,Entrada de folha de pagamento apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Exibir registros de taxas @@ -3978,6 +4032,7 @@ DocType: Contract,Fulfilment Status,Status de Cumprimento DocType: Lab Test Sample,Lab Test Sample,Amostra de teste de laboratório DocType: Item Variant Settings,Allow Rename Attribute Value,Permitir Renomear o Valor do Atributo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Lançamento Contabilístico Rápido +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Valor do pagamento futuro apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Não pode alterar a taxa se a LDM for mencionada nalgum item DocType: Restaurant,Invoice Series Prefix,Prefixo da série de fatura DocType: Employee,Previous Work Experience,Experiência Laboral Anterior @@ -4007,6 +4062,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Estado do Projeto DocType: UOM,Check this to disallow fractions. (for Nos),Selecione esta opção para não permitir frações. (Para Nrs.) DocType: Student Admission Program,Naming Series (for Student Applicant),Séries de Atribuição de Nomes (para Estudantes Candidatos) +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/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 @@ -4022,6 +4078,7 @@ DocType: Fiscal Year,Year End Date,Data de Fim de Ano DocType: Task Depends On,Task Depends On,A Tarefa Depende De apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Oportunidade DocType: Options,Option,Opção +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Você não pode criar lançamentos contábeis no período contábil encerrado {0} DocType: Operation,Default Workstation,Posto de Trabalho Padrão DocType: Payment Entry,Deductions or Loss,Deduções ou Perdas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} foi encerrado @@ -4030,6 +4087,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Obter Stock Atual DocType: Purchase Invoice,ineligible,inelegível apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Esquema da Lista de Materiais +DocType: BOM,Exploded Items,Itens explodidos DocType: Student,Joining Date,Data de Admissão ,Employees working on a holiday,Os funcionários que trabalham num feriado ,TDS Computation Summary,Resumo de Computação TDS @@ -4062,6 +4120,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Preço Unitário (de a DocType: SMS Log,No of Requested SMS,Nr. de SMS Solicitados apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,A Licença Sem Vencimento não coincide com os registos de Pedido de Licença aprovados apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Próximos Passos +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Itens salvos DocType: Travel Request,Domestic,Doméstico apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,"Por favor, forneça os itens especificados com as melhores taxas possíveis" apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Transferência de Empregados não pode ser submetida antes da Data de Transferência @@ -4135,7 +4194,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Categoria de Conta de Ativo apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,O valor {0} já está atribuído a um item existente {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Linha # {0} (Tabela de pagamento): o valor deve ser positivo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Não é possível produzir mais Itens {0} do que a quantidade da Ordem de Vendas {1} +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 Itens {0} do que a quantidade da Ordem de Vendas {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Nada está incluído no bruto apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Bill e-Way já existe para este documento apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Selecione os Valores do Atributo @@ -4170,12 +4229,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Ativar Consequência Diferente para Saída Antecipada ,Lab Test Report,Relatório de teste de laboratório DocType: Employee Benefit Application,Employee Benefit Application,Aplicação de benefício do empregado 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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,"Por favor, insira a Guia de Remessa primeiro" DocType: Student Applicant,Application Date,Data de Candidatura DocType: Salary Component,Amount based on formula,Montante baseado na fórmula DocType: Purchase Invoice,Currency and Price List,Moeda e Lista de Preços @@ -4204,6 +4261,7 @@ DocType: Purchase Receipt,Time at which materials were received,Momento em que o DocType: Products Settings,Products per Page,Produtos por Página 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Quantidade alocada não pode ser negativa DocType: Sales Order,Billing Status,Estado do Faturação apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Relatar um Incidente @@ -4213,6 +4271,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,Acima-de-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,Linha # {0}: O Lançamento Contabilístico {1} não tem uma conta {2} ou está relacionado a outro voucher DocType: Supplier Scorecard Criteria,Criteria Weight,Critérios Peso +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Conta: {0} não é permitida em Entrada de pagamento DocType: Production Plan,Ignore Existing Projected Quantity,Ignorar quantidade projetada existente apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Deixar a notificação de aprovação DocType: Buying Settings,Default Buying Price List,Lista de Compra de Preço Padrão @@ -4221,6 +4280,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,Tipo de Pagamento apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Selecione um lote para o item {0}. Não é possível encontrar um único lote que preenche este requisito @@ -4250,6 +4310,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Definições de Carrinho DocType: Journal Entry,Accounting Entries,Registos Contabilísticos 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"." +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 DocType: Journal Entry,Paid Loan,Empréstimo pago 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 @@ -4266,12 +4327,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Detalhes apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Não há folhas de tempo DocType: GoCardless Mandate,GoCardless Customer,Cliente GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,O Tipo de Licença {0} não pode ser do tipo avançar +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código do item> Grupo de itens> Marca apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Não foi criado um Cronograma de Manutenção para todos os itens. Por favor, clique em ""Gerar Cronograma""" ,To Produce,Para Produzir DocType: Leave Encashment,Payroll,Folha de Pagamento 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","Para a linha {0} em {1}. Para incluir {2} na taxa do Item, também devem ser incluídas as linhas {3}" DocType: Healthcare Service Unit,Parent Service Unit,Unidade de serviço dos pais DocType: Packing Slip,Identification of the package for the delivery (for print),Identificação do pacote para a entrega (para impressão) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,O Contrato de Nível de Serviço foi redefinido. DocType: Bin,Reserved Quantity,Quantidade Reservada apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Por favor insira o endereço de e-mail válido apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Por favor insira o endereço de e-mail válido @@ -4293,7 +4356,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Preço ou desconto do produto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Para a linha {0}: digite a quantidade planejada DocType: Account,Income Account,Conta de Rendimento -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Cliente> Grupo de Clientes> Território DocType: Payment Request,Amount in customer's currency,Montante na moeda do cliente apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Entrega apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Atribuindo Estruturas ... @@ -4316,6 +4378,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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. 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?,Você perderá registros de faturas geradas anteriormente. Tem certeza de que deseja reiniciar esta assinatura? @@ -4371,11 +4434,10 @@ DocType: Additional Salary,HR User,Utilizador de RH DocType: Bank Guarantee,Reference Document Name,Nome do documento de referência DocType: Purchase Invoice,Taxes and Charges Deducted,Impostos e Encargos Deduzidos DocType: Support Settings,Issues,Problemas -DocType: Shift Type,Early Exit Consequence after,Consequência de saída antecipada após DocType: Loyalty Program,Loyalty Program Name,Nome do programa de fidelidade apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},O estado deve ser um dos {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Lembrete para atualizar GSTIN Sent -DocType: Sales Invoice,Debit To,Débito Para +DocType: Discounted Invoice,Debit To,Débito Para DocType: Restaurant Menu Item,Restaurant Menu Item,Item do menu do restaurante DocType: Delivery Note,Required only for sample item.,Só é necessário para o item de amostra. DocType: Stock Ledger Entry,Actual Qty After Transaction,Qtd Efetiva Após Transação @@ -4458,6 +4520,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Nome do parâmetro apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Apenas Deixar Aplicações com status de 'Aprovado' e 'Rejeitado' podem ser submetidos apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Criando Dimensões ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},É obrigatório colocar o Nome do Grupo de Estudantes na linha {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Ignorar limite de crédito_check DocType: Homepage,Products to be shown on website homepage,Os produtos a serem mostrados na página inicial do website DocType: HR Settings,Password Policy,Política de Senha apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Este é um cliente principal e não pode ser editado. @@ -4517,10 +4580,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Se h apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Defina o cliente padrão em Configurações do restaurante ,Salary Register,salário Register DocType: Company,Default warehouse for Sales Return,Depósito padrão para devolução de vendas -DocType: Warehouse,Parent Warehouse,Armazém Principal +DocType: Pick List,Parent Warehouse,Armazém Principal DocType: Subscription,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/production_order/production_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/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" apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definir vários tipos de empréstimo DocType: Bin,FCFS Rate,Preço FCFS @@ -4557,6 +4620,7 @@ DocType: Travel Itinerary,Lodging Required,Alojamento requerido DocType: Promotional Scheme,Price Discount Slabs,Lajes de desconto de preço DocType: Stock Reconciliation Item,Current Serial No,Número de série atual DocType: Employee,Attendance and Leave Details,Detalhes de participação e licença +,BOM Comparison Tool,Ferramenta de comparação de BOM ,Requested,Solicitado apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Sem Observações DocType: Asset,In Maintenance,Em manutenção @@ -4579,6 +4643,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Contrato de Nível de Serviço Padrão DocType: SG Creation Tool Course,Course Code,Código de Curso apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Mais de uma seleção para {0} não permitida +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,A quantidade de matérias-primas será decidida com base na quantidade do item de produtos acabados DocType: Location,Parent Location,Localização dos pais DocType: POS Settings,Use POS in Offline Mode,Use POS no modo off-line apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,A prioridade foi alterada para {0}. @@ -4597,7 +4662,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Armazém de retenção de amo DocType: Company,Default Receivable Account,Contas a Receber Padrão apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Fórmula de quantidade projetada DocType: Sales Invoice,Deemed Export,Exceção de exportação -DocType: Stock Entry,Material Transfer for Manufacture,Transferência de Material para Fabrico +DocType: Pick List,Material Transfer for Manufacture,Transferência de Material para Fabrico 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.,A Percentagem de Desconto pode ser aplicada numa Lista de Preços ou em todas as Listas de Preços. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Registo Contabilístico de Stock DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4640,7 +4705,6 @@ DocType: Training Event,Theory,Teoria apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Aviso: A Qtd do Material requisitado é menor que a Qtd de Pedido Mínima apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,A conta {0} está congelada DocType: Quiz Question,Quiz Question,Quiz Question -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Fornecedor> Tipo de Fornecedor 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" @@ -4671,6 +4735,7 @@ 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 DocType: Account,Expense Account,Conta de Despesas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Cor @@ -4709,6 +4774,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Gerir Parceiros de 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 DocType: Fee Validity,Visited yet,Visitou ainda +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Você pode destacar até 8 itens. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Os Armazéns com a transação existente não podem ser convertidos num grupo. 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. @@ -4716,7 +4782,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Vista_expandida_de_items 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 @@ -4741,7 +4806,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Conversão de UOM DocType: Contract,Signee Details,Detalhes da Signee apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} atualmente tem um {1} Guia de Scorecard do Fornecedor, e as PDOs para este fornecedor devem ser emitidas com cautela." DocType: Certified Consultant,Non Profit Manager,Gerente sem fins lucrativos -DocType: BOM,Total Cost(Company Currency),Custo Total (Moeda da Empresa) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Nr. de Série {0} criado DocType: Homepage,Company Description for website homepage,A Descrição da Empresa para a página inicial do website DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Para a maior comodidade dos clientes, estes códigos podem ser utilizados em formatos de impressão, como Faturas e Guias de Remessa" @@ -4770,7 +4834,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Item de R DocType: Amazon MWS Settings,Enable Scheduled Synch,Ativar sincronização agendada apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Para Data e Hora apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Registo para a manutenção do estado de entrega de sms -DocType: Shift Type,Early Exit Consequence,Consequência de saída antecipada DocType: Accounts Settings,Make Payment via Journal Entry,Fazer o pagamento através do Lançamento Contabilístico apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,"Por favor, não crie mais de 500 itens de cada vez" apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Impresso Em @@ -4827,6 +4890,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limite Ultrapas 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 +DocType: Plaid Settings,Plaid Secret,Segredo da manta DocType: Company,Date of Establishment,Data de Estabelecimento apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Capital de Risco apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Já existe um prazo académico com este""Ano Lectivo"" {0} e ""Nome do Prazo"" {1}. Por favor, altere estes registos e tente novamente." @@ -4889,6 +4953,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Tipo de Cliente DocType: Compensatory Leave Request,Leave Allocation,Atribuição de Licenças DocType: Payment Request,Recipient Message And Payment Details,Mensagem E Dados De Pagamento Do Destinatário +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Selecione uma nota de entrega DocType: Support Search Source,Source DocType,DocType de origem apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Abra um novo ticket DocType: Training Event,Trainer Email,Email do Formador @@ -5010,6 +5075,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"A ""Data De"" deve ser depois da ""Data Para""" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Não foram encontrados planos de pessoal para esta designação apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Lote {0} do item {1} está desativado. @@ -5031,7 +5097,7 @@ DocType: Clinical Procedure,Patient,Paciente apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Ignorar verificação de crédito na ordem do cliente DocType: Employee Onboarding Activity,Employee Onboarding Activity,Atividade de Onboarding dos Funcionários DocType: Location,Check if it is a hydroponic unit,Verifique se é uma unidade hidropônica -DocType: Stock Reconciliation Item,Serial No and Batch,O Nr. de Série e de Lote +DocType: Pick List Item,Serial No and Batch,O Nr. de Série e de Lote DocType: Warranty Claim,From Company,Da Empresa DocType: GSTR 3B Report,January,janeiro apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Soma dos escores de critérios de avaliação precisa ser {0}. @@ -5056,7 +5122,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Desconto 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nenhum {0} encontrado para transações entre empresas. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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 @@ -5089,11 +5154,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centro de Cu 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Restante DocType: Appraisal,Appraisal,Avaliação DocType: Loan,Loan Account,Conta de Empréstimo apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Válido de e válido até campos são obrigatórios para o cumulativo +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Para o item {0} na linha {1}, a contagem de números de série não corresponde à quantidade selecionada" DocType: Purchase Invoice,GST Details,GST Detalhes apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Isto é baseado em transações contra este profissional de saúde. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Email enviado ao fornecedor {0} @@ -5157,6 +5224,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),O peso bruto do pacote. Normalmente peso líquido + peso do material de embalagem. (Para impressão) DocType: Assessment Plan,Program,Programa DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Os utilizadores com esta função poderão definir contas congeladas e criar / modificar os registos contabilísticos em contas congeladas +DocType: Plaid Settings,Plaid Environment,Ambiente xadrez ,Project Billing Summary,Resumo de cobrança do projeto DocType: Vital Signs,Cuts,Cortes DocType: Serial No,Is Cancelled,Foi Cancelado/a @@ -5219,7 +5287,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota : O sistema não irá verificar o excesso de entrega e de reservas do Item {0} pois a quantidade ou montante é 0 DocType: Issue,Opening Date,Data de Abertura apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Salve primeiro o paciente -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Faça um novo contato apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,A presença foi registada com sucesso. DocType: Program Enrollment,Public Transport,Transporte público DocType: Sales Invoice,GST Vehicle Type,Tipo de veículo GST @@ -5246,6 +5313,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Contas cria 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Primeiro adicione itens na tabela Localizações do Item DocType: Pricing Rule,Discount Amount,Montante do Desconto DocType: Pricing Rule,Period Settings,Configurações do período DocType: Purchase Invoice,Return Against Purchase Invoice,Devolver Na Fatura de Compra @@ -5278,7 +5346,6 @@ DocType: Assessment Plan,Assessment Plan,Plano de avaliação DocType: Travel Request,Fully Sponsored,Totalmente Patrocinado apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Entrada de Diário Reversa apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Criar cartão de trabalho -DocType: Shift Type,Consequence after,Consequência após DocType: Quality Procedure Process,Process Description,Descrição do processo apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,O cliente {0} é criado. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Atualmente não há estoque disponível em qualquer armazém @@ -5313,6 +5380,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Data de Liquidação DocType: Delivery Settings,Dispatch Notification Template,Modelo de Notificação de Despacho apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Relatório de avaliação apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Obter funcionários +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 @@ -5406,7 +5474,6 @@ DocType: Stock Settings,Use Naming Series,Usar a série de nomes apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Nenhuma ação apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Os encargos do tipo de avaliação não podem ser marcados como Inclusivos DocType: POS Profile,Update Stock,Actualizar Stock -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Por favor, defina a série de nomenclatura para {0} via Configuração> Configurações> Naming Series" apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Uma UNID diferente para os itens levará a um Valor de Peso Líquido (Total) incorreto. Certifique-se de que o Peso Líquido de cada item está na mesma UNID. DocType: Certification Application,Payment Details,Detalhes do pagamento apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Preço na LDM @@ -5442,7 +5509,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Este é um vendedor principal e não pode ser editado. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Se selecionado, o valor especificado ou calculado neste componente não contribuirá para os ganhos ou deduções. No entanto, seu valor pode ser referenciado por outros componentes que podem ser adicionados ou deduzidos." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Se selecionado, o valor especificado ou calculado neste componente não contribuirá para os ganhos ou deduções. No entanto, seu valor pode ser referenciado por outros componentes que podem ser adicionados ou deduzidos." -DocType: Asset Settings,Number of Days in Fiscal Year,Número de dias no ano fiscal ,Stock Ledger,Livro de Stock DocType: Company,Exchange Gain / Loss Account,Conta de Ganhos / Perdas de Câmbios DocType: Amazon MWS Settings,MWS Credentials,Credenciais MWS @@ -5478,6 +5544,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Coluna no arquivo bancário apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Deixe o aplicativo {0} já existir contra o aluno {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Em fila para atualizar o preço mais recente em todas as Marcas de materiais. Pode demorar alguns minutos. +DocType: Pick List,Get Item Locations,Obter locais de itens 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 crie contas para Clientes e Fornecedores" DocType: POS Profile,Display Items In Stock,Exibir itens em estoque apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Modelos de Endereço por País @@ -5501,6 +5568,7 @@ DocType: Crop,Materials Required,Materiais requisitados apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Não foi Encontrado nenhum aluno DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Isenção Mensal de HRA DocType: Clinical Procedure,Medical Department,Departamento Medico +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Total de saídas antecipadas DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Critérios de pontuação do Scorecard do Fornecedor apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Data de Lançamento da Fatura apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Vender @@ -5512,11 +5580,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Por favor, apague o empregado {0} \ para cancelar este documento" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Sem CMA DocType: Opportunity,Opportunity Amount,Valor da oportunidade +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Seu perfil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,O Número de Depreciações Reservadas não pode ser maior do que o Número Total de Depreciações DocType: Purchase Order,Order Confirmation Date,Data de confirmação do pedido DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5610,7 +5677,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Existem inconsistências entre a taxa, o número de ações e o valor calculado" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Você não está presente todos os dias entre os dias de solicitação de licença compensatória apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,"Por favor, reescreva o nome da empresa para confirmar" -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Qtd Total Em Falta DocType: Journal Entry,Printing Settings,Definições de Impressão DocType: Payment Order,Payment Order Type,Tipo de ordem de pagamento DocType: Employee Advance,Advance Account,Conta antecipada @@ -5700,7 +5766,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Nome do Ano 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 neste mês. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Os itens seguintes {0} não estão marcados como item {1}. Você pode ativá-los como um item {1} do seu mestre de itens -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Item de Pacote de Produtos DocType: Sales Partner,Sales Partner Name,Nome de Parceiro de Vendas apps/erpnext/erpnext/hooks.py,Request for Quotations,Solicitação de Cotações @@ -5709,7 +5774,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Sai +DocType: Leave Ledger Entry,Leaves,Sai DocType: Student Language,Student Language,Student Idioma DocType: Cash Flow Mapping,Is Working Capital,É capital de trabalho apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Enviar prova @@ -5717,12 +5782,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Ordem / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Record Patient Vitals DocType: Fee Schedule,Institution,Instituição -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: Asset,Partially Depreciated,Parcialmente Depreciados DocType: Issue,Opening Time,Tempo de Abertura apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,São necessárias as datas De e A apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Valores Mobiliários e Bolsas de Mercadorias -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Resumo de Chamadas por {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Pesquisa do Documentos apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',A Unidade de Medida Padrão para a Variante '{0}' deve ser igual à do Modelo '{1}' DocType: Shipping Rule,Calculate Based On,Calcular com Base Em @@ -5769,6 +5832,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Valor máximo admissível 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 DocType: Lab Test Template,Sensitivity,Sensibilidade DocType: Plaid Settings,Plaid Settings,Configurações xadrez apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,A sincronização foi temporariamente desativada porque tentativas máximas foram excedidas @@ -5786,6 +5850,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Por favor, selecione a Data de Postagem primeiro" apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,A Data de Abertura deve ser antes da Data de Término DocType: Travel Itinerary,Flight,Voar +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,De volta para casa DocType: Leave Control Panel,Carry Forward,Continuar apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,"O Centro de Custo, com as operações existentes, não pode ser convertido em livro" DocType: Budget,Applicable on booking actual expenses,Aplicável na reserva de despesas reais @@ -5842,6 +5907,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Maak Offerte apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Não está autorizado a aprovar licenças em Datas Bloqueadas apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} pedido para {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Todos estes itens já foram faturados +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Nenhuma fatura pendente encontrada para o {0} {1} que qualifica os filtros que você especificou. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Definir nova data de lançamento DocType: Company,Monthly Sales Target,Alvo de Vendas Mensais apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nenhuma fatura pendente encontrada @@ -5889,6 +5955,7 @@ DocType: Batch,Source Document Name,Nome do Documento de Origem DocType: Batch,Source Document Name,Nome do Documento de Origem DocType: Production Plan,Get Raw Materials For Production,Obtenha matérias-primas para a produção DocType: Job Opening,Job Title,Título de Emprego +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Referência de Pagamento Futuro apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} indica que {1} não fornecerá uma cotação, mas todos os itens \ foram citados. Atualizando o status da cotação RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Amostras máximas - {0} já foram mantidas para Batch {1} e Item {2} no Batch {3}. @@ -5899,12 +5966,10 @@ 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: Company,Product Code,Código do produto DocType: Quality Review Table,Objective,Objetivo DocType: Supplier Scorecard,Per Month,Por mês DocType: Education Settings,Make Academic Term Mandatory,Tornar o mandato acadêmico obrigatório -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,A Quantidade de Fabrico deve ser superior a 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Calcular o Calendário de Depreciação Proporcionada com base no Ano Fiscal +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,A Quantidade de Fabrico deve ser superior a 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Relatório de visita para a chamada de manutenção. DocType: Stock Entry,Update Rate and Availability,Atualizar Taxa e Disponibilidade 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.,"A percentagem que está autorizado a receber ou entregar da quantidade pedida. Por ex: Se encomendou 100 unidades e a sua Ajuda de Custo é de 10%, então está autorizado a receber 110 unidades." @@ -5915,7 +5980,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Data de lançamento deve estar no futuro DocType: BOM,Website Description,Descrição do Website apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Variação Líquida na Equidade -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,"Por favor, cancele a Fatura de Compra {0} primeiro" apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,"Não é permitido. Por favor, desative o tipo de unidade de serviço" apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","O ID de Email deve ser único, já existe para {0}" DocType: Serial No,AMC Expiry Date,Data de Validade do CMA @@ -5959,6 +6023,7 @@ DocType: Pricing Rule,Price Discount Scheme,Esquema de desconto de preço apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,O status de manutenção deve ser cancelado ou concluído para enviar DocType: Amazon MWS Settings,US,NOS DocType: Holiday List,Add Weekly Holidays,Adicionar feriados semanais +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Item de relatorio DocType: Staffing Plan Detail,Vacancies,Vagas DocType: Hotel Room,Hotel Room,Quarto de hotel apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},A conta {0} não pertence à empresa {1} @@ -6010,12 +6075,15 @@ DocType: Email Digest,Open Quotations,Citações Abertas 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Por favor, exclua o funcionário {0} \ para cancelar este documento" 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 @@ -6029,6 +6097,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Vago DocType: Patient,Alcohol Past Use,Uso passado do álcool DocType: Fertilizer Content,Fertilizer Content,Conteúdo de fertilizante +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Sem descrição apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Estado de Faturação DocType: Quality Goal,Monitoring Frequency,Freqüência de Monitoramento @@ -6046,6 +6115,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,As datas finais não podem ser anteriores à data do contato. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Entradas de lote DocType: Journal Entry,Pay To / Recd From,Pagar A / Recb De +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Cancelar publicação de item DocType: Naming Series,Setup Series,Série de Instalação DocType: Payment Reconciliation,To Invoice Date,Para Data da Fatura DocType: Bank Account,Contact HTML,HTML de Contacto @@ -6067,6 +6137,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Retalho DocType: Student Attendance,Absent,Ausente DocType: Staffing Plan,Staffing Plan Detail,Detalhe do plano de pessoal DocType: Employee Promotion,Promotion Date,Data de Promoção +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,A alocação de licença% s está vinculada ao aplicativo de licença% s 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} @@ -6101,9 +6172,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,A fatura {0} não existe mais DocType: Guardian Interest,Guardian Interest,Interesse do Responsável DocType: Volunteer,Availability,Disponibilidade +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,O aplicativo de licença está vinculado às alocações de licença {0}. O pedido de licença não pode ser definido como licença sem pagamento apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Configurar valores padrão para faturas de PDV DocType: Employee Training,Training,Formação DocType: Project,Time to send,Hora de enviar +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Esta página acompanha seus itens nos quais os compradores demonstraram algum interesse. DocType: Timesheet,Employee Detail,Dados do Funcionário apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Definir o armazém para o Procedimento {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 ID de e-mail @@ -6204,12 +6277,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valor Inicial DocType: Salary Component,Formula,Fórmula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Série # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Por favor, configure Employee Naming System em Recursos Humanos> HR Settings" 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/setup/doctype/company/company.py,Sales Account,Conta de vendas DocType: Purchase Invoice Item,Total Weight,Peso total +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}" @@ -6233,6 +6306,7 @@ DocType: Company,Default Employee Advance Account,Conta Antecipada Empregada ant apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Pesquisar item (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Não pode eliminar a conta com a transação existente +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Por que você acha que esse item deve ser removido? DocType: Vehicle,Last Carbon Check,Último Duplicado de Cheque apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Despesas Legais apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Selecione a quantidade na linha @@ -6252,6 +6326,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Decomposição DocType: Travel Itinerary,Vegetarian,Vegetariano DocType: Patient Encounter,Encounter Date,Encontro Data +DocType: Work Order,Update Consumed Material Cost In Project,Atualizar custo de material consumido no projeto apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Não é possível selecionar a conta: {0} com a moeda: {1} DocType: Bank Statement Transaction Settings Item,Bank Data,Dados bancários DocType: Purchase Receipt Item,Sample Quantity,Quantidade da amostra @@ -6306,7 +6381,7 @@ DocType: GSTR 3B Report,April,abril 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Nota: O item {0} já for introduzido diversas vezes +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Nota: O item {0} já for introduzido diversas vezes apps/erpnext/erpnext/config/buying.py,All Contacts.,Todos os Contactos. DocType: Accounting Period,Closed Documents,Documentos Fechados DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Gerenciar Compromisso Enviar fatura e cancelar automaticamente para Encontro do Paciente @@ -6388,9 +6463,7 @@ DocType: Member,Membership Type,Tipo de Membro ,Reqd By Date,Req. Por Data apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Credores DocType: Assessment Plan,Assessment Name,Nome da Avaliação -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Mostrar PDC em impressão apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Linha # {0}: É obrigatório colocar o Nr. de Série -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Nenhuma fatura pendente encontrada para {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Dados de Taxa por Item DocType: Employee Onboarding,Job Offer,Oferta de emprego apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Abreviação do Instituto @@ -6450,6 +6523,7 @@ DocType: Serial No,Out of Warranty,Fora da Garantia DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Tipo de dados mapeados DocType: BOM Update Tool,Replace,Substituir apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Não foram encontrados produtos. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Publicar mais itens apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Este Acordo de Nível de Serviço é específico para o Cliente {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} nas Faturas de Vendas {1} DocType: Antibiotic,Laboratory User,Usuário de laboratório @@ -6472,7 +6546,6 @@ DocType: Payment Order Reference,Bank Account Details,Detalhes da conta bancári DocType: Purchase Order Item,Blanket Order,Pedido de cobertor 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},A ordem de produção foi {0} DocType: BOM Item,BOM No,Nr. da LDM 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 @@ -6546,6 +6619,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Suprimentos tributáveis externos (classificação zero) DocType: BOM,Materials Required (Exploded),Materiais Necessários (Expandidos) 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/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 @@ -6603,7 +6677,6 @@ DocType: Pricing Rule,Same Item,Mesmo item DocType: Stock Ledger Entry,Stock Ledger Entry,Registo do Livro de Stock DocType: Quality Action Resolution,Quality Action Resolution,Resolução de Ação de Qualidade apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} no meio dia Deixe em {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Mesmo item foi inserido várias vezes DocType: Department,Leave Block List,Lista de Bloqueio de Licenças DocType: Purchase Invoice,Tax ID,NIF/NIPC apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,"O Item {0} não está configurado para os Nrs. de Série, a coluna deve estar em branco" @@ -6641,7 +6714,7 @@ DocType: Cheque Print Template,Distance from top edge,Distância da margem super 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 DocType: Purchase Invoice,Return,Devolver -DocType: Accounting Dimension,Disable,Desativar +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 DocType: Task,Pending Review,Revisão Pendente apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Edite em página inteira para obter mais opções, como ativos, números de série, lotes etc." @@ -6755,7 +6828,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,A fração da fatura combinada deve ser igual a 100% DocType: Item Default,Default Expense Account,Conta de Despesas Padrão DocType: GST Account,CGST Account,Conta CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Código do item> Grupo de itens> Marca apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student E-mail ID DocType: Employee,Notice (days),Aviso (dias) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Faturas de vouchers de fechamento de ponto de venda @@ -6766,6 +6838,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Selecione os itens para guardar a fatura DocType: Employee,Encashment Date,Data de Pagamento DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Informações do vendedor DocType: Special Test Template,Special Test Template,Modelo de teste especial DocType: Account,Stock Adjustment,Ajuste de Stock apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Existe uma Atividade de Custo Padrão para o Tipo de Atividade - {0} @@ -6778,7 +6851,6 @@ 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 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 -DocType: Company,Bank Remittance Settings,Configurações de remessa bancária apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Taxa média 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 @@ -6812,6 +6884,7 @@ DocType: Grading Scale Interval,Threshold,Limite apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtre os funcionários por (opcional) DocType: BOM Update Tool,Current BOM,LDM Atual apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Equilíbrio (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Quantidade de item de produtos acabados apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Adicionar Nr. de Série DocType: Work Order Item,Available Qty at Source Warehouse,Qtd disponível no Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,Garantia @@ -6890,7 +6963,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aqui pode colocar a altura, o peso, as alergias, problemas médicos, etc." apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Criando Contas ... DocType: Leave Block List,Applies to Company,Aplica-se à Empresa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Não pode cancelar porque o Registo de Stock {0} existe +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Não pode cancelar porque o Registo de Stock {0} existe DocType: Loan,Disbursement Date,Data de desembolso DocType: Service Level Agreement,Agreement Details,Detalhes do contrato apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,A data de início do contrato não pode ser maior ou igual à data de término. @@ -6899,6 +6972,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Registo médico DocType: Vehicle,Vehicle,Veículo DocType: Purchase Invoice,In Words,Por Extenso +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Até a data precisa ser anterior à data apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Digite o nome do banco ou instituição de empréstimo antes de enviar. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} deve ser enviado DocType: POS Profile,Item Groups,Grupos de Itens @@ -6971,7 +7045,6 @@ DocType: Customer,Sales Team Details,Dados de Equipa de Vendas apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Eliminar permanentemente? DocType: Expense Claim,Total Claimed Amount,Montante Reclamado Total apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potenciais oportunidades de venda. -DocType: Plaid Settings,Link a new bank account,Vincule uma nova conta bancária apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} é um status de participação inválido. DocType: Shareholder,Folio no.,Folio no. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Inválido {0} @@ -6987,7 +7060,6 @@ DocType: Production Plan,Material Requested,Material solicitado DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Qtd reservada para subcontrato DocType: Patient Service Unit,Patinet Service Unit,Unidade de Serviço Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Gerar arquivo de texto DocType: Sales Invoice,Base Change Amount (Company Currency),Montante de Modificação Base (Moeda da Empresa) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Não foram encontrados registos contabilísticos para os seguintes armazéns apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Somente {0} em estoque para item {1} @@ -7001,6 +7073,7 @@ DocType: Item,No of Months,Não de meses DocType: Item,Max Discount (%),Desconto Máx. (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Days Credit não pode ser um número negativo apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Carregar uma declaração +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Denunciar este item DocType: Purchase Invoice Item,Service Stop Date,Data de Parada de Serviço apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Montante do Último Pedido DocType: Cash Flow Mapper,e.g Adjustments for:,"por exemplo, ajustes para:" @@ -7094,16 +7167,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Categoria de Isenção de Imposto do Empregado apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,O valor não deve ser menor que zero. DocType: Sales Invoice,C-Form Applicable,Aplicável ao Form-C -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},O Tempo de Operação deve ser superior a 0 para a Operação {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},O Tempo de Operação deve ser superior a 0 para a Operação {0} DocType: Support Search Source,Post Route String,Cadeia de rota de postagem apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,É obrigatório colocar o Armazém apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Falha ao criar o site DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Dados de Conversão de UNID apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Admissão e Inscrição -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Entrada de estoque de retenção já criada ou quantidade de amostra não fornecida +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Entrada de estoque de retenção já criada ou quantidade de amostra não fornecida DocType: Program,Program Abbreviation,Abreviação do Programa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Não pode ser criado uma Ordem de Produção para um Item Modelo apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupo por vale (consolidado) DocType: HR Settings,Encrypt Salary Slips in Emails,Criptografar Slices Salariais em Emails DocType: Question,Multiple Correct Answer,Resposta Correta Múltipla @@ -7150,7 +7222,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Não é avaliado ou isen DocType: Employee,Educational Qualification,Qualificação Educacional DocType: Workstation,Operating Costs,Custos de Funcionamento apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},A moeda para {0} deve ser {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Consequência do período de carência de entrada DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Marcar a participação com base no "Employee Checkin" para os funcionários atribuídos a essa mudança. DocType: Asset,Disposal Date,Data de Eliminação DocType: Service Level,Response and Resoution Time,Tempo de Resposta e Resgate @@ -7199,6 +7270,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Data de Conclusão DocType: Purchase Invoice Item,Amount (Company Currency),Montante (Moeda da Empresa) DocType: Program,Is Featured,É destaque +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Buscando ... DocType: Agriculture Analysis Criteria,Agriculture User,Usuário da agricultura apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,A data de validade até a data não pode ser anterior à data da transação apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,São necessárias {0} unidades de {1} em {2} em {3} {4} para {5} para concluir esta transação. @@ -7231,7 +7303,6 @@ DocType: Student,B+,B+ 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Qtd Total Paga 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 @@ -7255,6 +7326,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anônimo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Recebido De 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: 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} @@ -7369,7 +7441,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Sincronizar impostos e enca 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Não foi encontrado a LDM Padrão para {0} +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" apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Toque em itens para adicioná-los aqui @@ -7405,7 +7477,6 @@ DocType: Purchase Invoice,Y,S DocType: Maintenance Visit,Maintenance Date,Data de Manutenção DocType: Purchase Invoice Item,Rejected Serial No,Nr. de Série Rejeitado apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,A data de início do ano ou data de término está em sobreposição com {0}. Para evitar isto defina a empresa -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Por favor configure a série de numeração para Presenças via Configuração> Série de Numeração apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Por favor, mencione o Nome do Líder no Lead {0}" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},"A data de início deve ser anterior à data final, para o Item {0}" DocType: Shift Type,Auto Attendance Settings,Configurações de atendimento automático @@ -7415,9 +7486,11 @@ DocType: Upload Attendance,Upload Attendance,Carregar Assiduidade apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,São necessárias a LDM e a Quantidade de Fabrico apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Faixa Etária 2 DocType: SG Creation Tool Course,Max Strength,Força Máx. +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","A conta {0} já existe na empresa filha {1}. Os seguintes campos têm valores diferentes, eles devem ser os mesmos:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instalando predefinições DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Nenhuma nota de entrega selecionada para o cliente {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Linhas adicionadas em {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Empregado {0} não tem valor de benefício máximo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Selecione itens com base na data de entrega DocType: Grant Application,Has any past Grant Record,Já havia passado Grant Record @@ -7463,6 +7536,7 @@ DocType: Fees,Student Details,Detalhes do aluno DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Essa é a UOM padrão usada para itens e pedidos de venda. A UOM de fallback é "Nos". DocType: Purchase Invoice Item,Stock Qty,Quantidade de stock DocType: Purchase Invoice Item,Stock Qty,Quantidade de Stock +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 DocType: Loan,Repayment Period in Months,Período de reembolso em meses @@ -7491,6 +7565,7 @@ DocType: Authorization Rule,Customerwise Discount,Desconto por Cliente apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Registo de Horas para as tarefas. DocType: Purchase Invoice,Against Expense Account,Na Conta de Despesas apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,A Nota de Instalação {0} já foi enviada +DocType: BOM,Raw Material Cost (Company Currency),Custo da matéria-prima (moeda da empresa) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Aluguel da casa paga dias sobrepostos com {0} DocType: GSTR 3B Report,October,Outubro DocType: Bank Reconciliation,Get Payment Entries,Obter Registos de Pagamento @@ -7538,15 +7613,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Disponível para data de uso é obrigatório DocType: Request for Quotation,Supplier Detail,Dados de Fornecedor apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Erro na fórmula ou condição: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Montante Faturado +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Montante Faturado apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Os pesos dos critérios devem somar até 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Assiduidade apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Itens de Stock DocType: Sales Invoice,Update Billed Amount in Sales Order,Atualizar Valor Cobrado no Pedido de Vendas +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Contatar vendedor 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Por extenso será visível assim que guardar a Ordem de Compra. @@ -7560,6 +7637,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Definidor de Lista de Preços. DocType: Task,Review Date,Data de Revisão DocType: BOM,Allow Alternative Item,Permitir item alternativo +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,O recibo de compra não possui nenhum item para o qual a opção Retain Sample esteja ativada. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Total geral da fatura DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Série para Entrada de Depreciação de Ativos (Entrada de Diário) DocType: Membership,Member Since,Membro desde @@ -7569,6 +7647,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,No Total Líquido 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},O Valor para o Atributo {0} deve estar dentro do intervalo de {1} a {2} nos acréscimos de {3} para o Item {4} DocType: Pricing Rule,Product Discount Scheme,Esquema de Desconto do Produto +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Nenhum problema foi levantado pelo chamador. DocType: Restaurant Reservation,Waitlisted,Espera de espera DocType: Employee Tax Exemption Declaration Category,Exemption Category,Categoria de isenção apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,A moeda não pode ser alterada depois de efetuar registos utilizando alguma outra moeda @@ -7582,7 +7661,6 @@ DocType: Customer Group,Parent Customer Group,Grupo de Clientes Principal apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON só pode ser gerado a partir da fatura de vendas apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Máximo de tentativas para este teste alcançado! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Subscrição -DocType: Purchase Invoice,Contact Email,Email de Contacto apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Criação de taxa pendente DocType: Project Template Task,Duration (Days),Duração (dias) DocType: Appraisal Goal,Score Earned,Classificação Ganha @@ -7608,7 +7686,6 @@ DocType: Landed Cost Item,Landed Cost Item,Custo de Entrega do Item 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","O valor de uma única transação excede o valor máximo permitido, cria uma ordem de pagamento separada dividindo as transações" 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 @@ -7777,6 +7854,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Dispo DocType: Quality Inspection Reading,Reading 3,Leitura 3 DocType: Stock Entry,Source Warehouse Address,Endereço do depósito de origem DocType: GL Entry,Voucher Type,Tipo de Voucher +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Pagamentos futuros 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 @@ -7803,6 +7881,7 @@ DocType: Travel Request,Identification Document Number,Número do Documento de I 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." DocType: Sales Invoice,Customer GSTIN,Cliente GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Lista de doenças detectadas no campo. Quando selecionado, ele adicionará automaticamente uma lista de tarefas para lidar com a doença" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Esta é uma unidade de serviço de saúde raiz e não pode ser editada. DocType: Asset Repair,Repair Status,Status do reparo 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." @@ -7817,6 +7896,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Conta para a Mudança de Montante DocType: QuickBooks Migrator,Connecting to QuickBooks,Conectando-se ao QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Ganho / Perda Total +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Criar lista de seleção 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}: A Parte / Conta não corresponde a {1} / {2} em {3} {4} DocType: Employee Promotion,Employee Promotion,Promoção de funcionários DocType: Maintenance Team Member,Maintenance Team Member,Membro da equipe de manutenção @@ -7900,6 +7980,7 @@ 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 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 @@ -7931,7 +8012,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Objetivo de Qualidade DocType: BOM,Item to be manufactured or repacked,Item a ser fabricado ou reembalado apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Erro de sintaxe na condição: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Nenhuma questão levantada pelo cliente. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Assuntos Principais/Opcionais apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,"Por favor, defina o grupo de fornecedores nas configurações de compra." @@ -8024,8 +8104,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Dias de Crédito apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Selecione Paciente para obter testes laboratoriais DocType: Exotel Settings,Exotel Settings,Configurações do Exotel -DocType: Leave Type,Is Carry Forward,É para Continuar +DocType: Leave Ledger Entry,Is Carry Forward,É para Continuar DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Horário de trabalho abaixo do qual a ausência está marcada. (Zero para desabilitar) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Envie uma mensagem apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Obter itens da LDM 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 diff --git a/erpnext/translations/pt_br.csv b/erpnext/translations/pt_br.csv index daebcaa6b6..142fc946dc 100644 --- a/erpnext/translations/pt_br.csv +++ b/erpnext/translations/pt_br.csv @@ -60,12 +60,11 @@ DocType: BOM,Item UOM,Unidade de Medida do Item DocType: Pricing Rule,Pricing Rule,Regra de Preços DocType: Item Customer Detail,Item Customer Detail,Detalhe do Cliente do Item apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Asset {0} must be submitted,O Ativo {0} deve ser enviado -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Armazén de Trabalho em Andamento é necessário antes de Enviar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Armazén de Trabalho em Andamento é necessário antes de Enviar DocType: Asset Maintenance Task,2 Yearly,2 Anos 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 controlada, a lista deverá ser adicionado a cada departamento onde tem de ser aplicado." apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Telephone Expenses,Despesas com Telefone DocType: Delivery Note Item,Available Qty at From Warehouse,Qtde disponível no armazén de origem -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Calcular Depreciação Proporcional no Calendário com base no Ano Fiscal apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py,Same Company is entered more than once,Mesma empresa está inscrita mais de uma vez apps/erpnext/erpnext/config/stock.py,Stock Transactions,Transações de Estoque DocType: Stock Entry,Purchase Receipt No,Nº do Recibo de Compra @@ -78,13 +77,12 @@ DocType: Vehicle Service,Brake Oil,Óleo de Freio DocType: Stock Settings,Naming Series Prefix,Prefixo do código de documentos apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Campanhas de vendas . apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please mention no of visits required,O número de visitas é obrigatório -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Valor Total Faturado DocType: Loan Type,Loan Name,Nome do Empréstimo DocType: Naming Series,Help HTML,Ajuda HTML apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Receipt document must be submitted,O Documento de Recibo precisa ser enviado apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Itens de estoque apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Paid amount + Write Off Amount can not be greater than Grand Total,Valor pago + Valor do abatimento não pode ser maior do que o total geral -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Pedido de Venda {0} não é válido +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Pedido de Venda {0} não é válido DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Após a conclusão do pagamento redirecionar usuário para a página selecionada. DocType: Payroll Entry,Salary Slip Based on Timesheet,Demonstrativo de pagamento baseado em controle de tempo apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',A unidade de medida padrão para a variante '{0}' deve ser o mesmo que no modelo '{1}' @@ -92,7 +90,6 @@ DocType: Work Order,Item To Manufacture,Item para Fabricação DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Nº da LDM para um Item Bom Acabado DocType: Purchase Order Item,Returned Qty,Qtde Devolvida DocType: SMS Log,Sent On,Enviado em -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Erro de Planejamento de Capacidade apps/erpnext/erpnext/public/js/setup_wizard.js,The name of the institute for which you are setting up this system.,O nome da intituição para a qual o sistema será instalado. DocType: Sales Order,To Deliver and Bill,Para Entregar e Faturar DocType: Employee,History In Company,Histórico na Empresa @@ -304,7 +301,6 @@ apps/erpnext/erpnext/config/stock.py,Stock Reports,Relatórios de Estoque apps/erpnext/erpnext/stock/doctype/item/item.py,Item {0} is not a stock Item,Item {0} não é um item de estoque apps/erpnext/erpnext/hr/utils.py,Employee {0} of grade {1} have no default leave policy,Colaborador {0} da classe {1} não tem política de licença padrão apps/erpnext/erpnext/config/support.py,Support Analytics,Análise de Pós-Vendas -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Por favor de entrega Nota primeiro apps/erpnext/erpnext/hr/doctype/leave_application/leave_application_dashboard.html,Total Allocated Leaves,Total de Licenças Alocadas DocType: Stock Entry,Update Rate and Availability,Atualizar Valor e Disponibilidade apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Pedido / Orçamentos % @@ -312,7 +308,6 @@ DocType: Payment Reconciliation,Minimum Invoice Amount,Valor Mínimo da Fatura apps/erpnext/erpnext/selling/report/pending_so_items_for_purchase_request/pending_so_items_for_purchase_request.py,S.O. No.,Número da Ordem de Venda apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js,disabled user,usuário desativado apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Linha #{0}: O Tipo de Documento de Referência deve ser um Pedido de Venda, uma Nota Fiscal de Venda ou um Lançamento Contábil" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) não pode ser maior do que a quantidade planejada ({2}) na ordem de produção {3} DocType: Payment Terms Template,Payment Terms,Termos de Pagamento apps/erpnext/erpnext/controllers/accounts_controller.py, or ,ou DocType: Timesheet,Payslip,Holerite @@ -352,7 +347,6 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py,Tax Rule Conflicts wi apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Nome do Documento DocType: Material Request,Terms and Conditions Content,Conteúdo dos Termos e Condições apps/erpnext/erpnext/config/buying.py,All Contacts.,Todos os Contatos. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Parou ordem de produção não pode ser cancelado, desentupir-lo primeiro para cancelar" DocType: Employee Leave Approver,Employee Leave Approver,Licença do Colaborador Aprovada DocType: Period Closing Voucher,Closing Fiscal Year,Encerramento do Exercício Fiscal ,Purchase Invoice Trends,Tendência de Faturas de Compra @@ -415,7 +409,7 @@ DocType: Delivery Note,In Words will be visible once you save the Delivery Note. 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: Stock Reconciliation Item,Serial No and Batch,Número de Série e Lote +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 DocType: Employee Transfer,Employee Transfer Detail,Detalhe de transferência de colaboradores DocType: Sales Invoice,Customer Address,Endereço do Cliente @@ -652,7 +646,6 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Please set defaul DocType: Employee Benefit Application,Payroll Period,Período da Folha de Pagamento DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Fazer lançamento contábil para cada movimento de estoque DocType: Supplier Quotation,Is Subcontracted,É subcontratada -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Pedido de Pagamento já existe {0} DocType: GL Entry,Voucher Type,Tipo de Comprovante DocType: Item Attribute,To Range,Para a Faixa apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Centro de custo com as operações existentes não podem ser convertidos em registro @@ -718,7 +711,7 @@ DocType: Item,"If this item has variants, then it cannot be selected in sales or DocType: Job Offer,Awaiting Response,Aguardando Resposta DocType: Tally Migration,Round Off Account,Conta de Arredondamento apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py,Suplier Name,Nome do Fornecedor -,Lead Name,Nome do Lead +DocType: Call Log,Lead Name,Nome do Lead ,Sales Payment Summary,Resumo de Pagamento de Vendas apps/erpnext/erpnext/config/help.py,Setting up Taxes,Configurando Impostos DocType: Upload Attendance,Attendance To Date,Data Final de Comparecimento @@ -766,7 +759,6 @@ DocType: Expense Claim,Total Claimed Amount,Quantia Total Reivindicada DocType: Asset Movement,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: BOM,Exploded_items,Exploded_items DocType: SMS Log,No of Sent SMS,Nº de SMS enviados apps/erpnext/erpnext/utilities/bot.py,[{0}](#Form/Item/{0}) is out of stock,Não há [{0}] ({0}) em estoque. DocType: Asset,Straight Line,Linha reta @@ -774,7 +766,6 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You cannot 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Quantia total paga 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 '" @@ -888,13 +879,11 @@ apps/erpnext/erpnext/controllers/trends.py,'Based On' and 'Group By' can not be 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} -DocType: BOM,Total Cost(Company Currency),Custo total (moeda da empresa) 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? apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance start date can not be before delivery date for Serial No {0},Manutenção data de início não pode ser anterior à data de entrega para Serial Não {0} DocType: Sales Order Item,Work Order Qty,Quantidade na ordem de trabalho -,LeaderBoard,Ranking de Desempenho DocType: Purchase Invoice,Select Supplier Address,Selecione um Endereço do Fornecedor DocType: Purchase Invoice,Get Advances Paid,Obter adiantamentos pagos DocType: Vehicle,Diesel,Diesel @@ -979,8 +968,7 @@ DocType: Opportunity,Opportunity From,Oportunidade de apps/erpnext/erpnext/public/js/queries.js,Please set {0},Defina {0} apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,UOM coversion factor required for UOM: {0} in Item: {1},Fator de Conversão de Unidade de Medida é necessário para Unidade de Medida: {0} no Item: {1} apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Deixe tipo {0} não pode ser encaminhado carry- -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Armazén de destino necessário antes de enviar -DocType: BOM,Raw Material Cost(Company Currency),Custo da matéria-prima (moeda da empresa) +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 @@ -993,7 +981,7 @@ DocType: Serial No,Incoming Rate,Valor de Entrada DocType: Salary Slip,Payment Days,Datas de Pagamento DocType: Price List,Price List Master,Cadastro da Lista de Preços DocType: Purchase Order,Customer Mobile No,Celular do Cliente -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Tempo de Operação deve ser maior que 0 para a operação {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Tempo de Operação deve ser maior que 0 para a operação {0} ,Budget Variance Report,Relatório de Variação de Orçamento DocType: Maintenance Visit,Completion Status,Status de Conclusão DocType: Stock Entry,Additional Costs,Custos adicionais @@ -1130,7 +1118,6 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"Master data syncing, it might tak DocType: Fee Schedule,Fee Schedule,Cronograma de Taxas DocType: Journal Entry,Write Off Based On,Abater baseado em apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html,Total hours: {0},Total de horas: {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Já concluído DocType: Sales Invoice,Payment Due Date,Data de Vencimento DocType: Purchase Taxes and Charges,Parenttype,Parenttype DocType: Sales Invoice,Sales Taxes and Charges Template,Modelo de Encargos e Impostos sobre Vendas @@ -1188,7 +1175,7 @@ DocType: Payment Terms Template Detail,Payment Terms Template Detail,Detalhes do apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Balance Value,Valor Patrimonial DocType: Item,Synced With Hub,Sincronizado com o Hub DocType: Training Event,Trainer Name,Nome do Instrutor -DocType: Email Campaign,Lead,Lead +DocType: Call Log,Lead,Lead DocType: Production Plan Item,Planned Start Date,Data Planejada de Início apps/erpnext/erpnext/hr/doctype/appraisal_template/appraisal_template.py,Sum of points for all goals should be 100. It is {0},Soma de pontos para todos os objetivos deve inteirar 100. (valor atual: {0}) DocType: Purchase Order Item,Blanket Order Rate,Preço do pedido limitado @@ -1221,7 +1208,7 @@ DocType: Stock Entry,Delivery Note No,Nº da Guia de Remessa apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please select a csv file,"Por favor, selecione um arquivo csv" apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Electrical,elétrico ,Customer Acquisition and Loyalty,Aquisição de Clientes e Fidelização -DocType: Leave Type,Is Leave Without Pay,É Licença não remunerada +DocType: Leave Ledger Entry,Is Leave Without Pay,É Licença não remunerada apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Account {2} is inactive,{0} {1}: Conta {2} está inativa DocType: Contract,Signee Details,Detalhes do Signatário DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Armazém só pode ser alterado através de entrada / entrega da nota / recibo de compra @@ -1255,7 +1242,6 @@ DocType: Pricing Rule,Max Qty,Qtde Máxima 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 -DocType: Purchase Invoice,Contact Email,Email do Contato 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} @@ -1299,7 +1285,6 @@ DocType: Supplier,Warn POs,Avisar em Pedidos de Compra DocType: SMS Center,All Customer Contact,Todo o Contato do Cliente DocType: Asset Movement,Asset Movement,Movimentação de Ativos DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Por extenso será visível quando você salvar o Pedido de Compra. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Ordem de produção não pode ser levantada contra um modelo de item apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Cr),Fechamento (Cr) apps/erpnext/erpnext/config/hr.py,Shift Management,Gerenciamento de Turno apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Budget cannot be assigned against Group Account {0},Orçamento não pode ser atribuído contra a conta de grupo {0} @@ -1337,7 +1322,7 @@ DocType: Asset,Quality Manager,Gerente de Qualidade DocType: Supplier Scorecard Scoring Standing,Prevent Purchase Orders,Evitar Pedidos de Compra DocType: Naming Series,Series List for this Transaction,Lista de séries para esta transação apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,Parceiro é um campo obrigatório -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Valor Faturado +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Valor Faturado apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please enter relieving date.,"Por favor, indique data da liberação." DocType: Account,Old Parent,Pai Velho DocType: Contract,Signee,Signatário @@ -1386,7 +1371,7 @@ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Qty for {0}, DocType: Manufacturing Settings,Time Between Operations (in mins),Tempo entre operações (em minutos) DocType: Payment Reconciliation Payment,Allocated amount,Quantidade atribuída apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Reference #{0} dated {1},Referência #{0} datado de {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Qtde Requerida +DocType: Purchase Order Item Supplied,Required Qty,Qtde Requerida DocType: Blanket Order,Purchasing,Requisições apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Digite o ID de Colaborador deste Vendedor apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Projected Qty,Qtde Projetada @@ -1495,6 +1480,7 @@ The tax rate you define here will be the standard tax rate for all **Items**. If apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidade de Medida {0} foi inserida mais de uma vez na Tabela de Conversão de Fator 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 é para categoria ' Avaliação ' ou ' Avaliação e Total' DocType: Payment Entry,Deductions or Loss,Dedução ou Perda +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Seu rating: apps/erpnext/erpnext/stock/doctype/price_list/price_list.py,Price List must be applicable for Buying or Selling,Lista de Preço deve ser aplicável para comprar ou vender apps/erpnext/erpnext/stock/report/bom_search/bom_search.js,Item 5,O item 5 DocType: Purchase Order,Set Target Warehouse,Definir Armazém de Destino @@ -1633,7 +1619,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Timesheet {0} is already completed or cancelled,O Registro de Tempo {0} está finalizado ou cancelado apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js,Raw Materials,Matéria-prima DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Se for selecionado, a Página Inicial será o Grupo de Itens padrão do site" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Quantidade de Fabricação deve ser maior que 0. +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Quantidade de Fabricação deve ser maior que 0. DocType: Workstation,Consumable Cost,Custo dos Consumíveis apps/erpnext/erpnext/templates/pages/cart.html,Place Order,Fazer pedido apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Maximum benefit amount of employee {0} exceeds {1},O valor máximo de benefício do colaborador {0} excede {1} @@ -1855,7 +1841,7 @@ DocType: Homepage,Products to be shown on website homepage,Produtos para serem m DocType: Task,Review Date,Data da Revisão DocType: Student,Student Mobile Number,Número de Celular do Aluno DocType: Bank Reconciliation Detail,Posting Date,Data da Postagem -DocType: Delivery Stop,Contact Name,Nome do Contato +DocType: Call Log,Contact Name,Nome do Contato DocType: Leave Block List,Stop users from making Leave Applications on following days.,Impedir que usuários solicitem licenças em dias seguintes apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Total a Pagar: {0} apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py,Leaves Allocated Successfully for {0},Licenças atribuídas com sucesso para {0} @@ -1884,7 +1870,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Gerenciar parceiro apps/erpnext/erpnext/hr/report/salary_register/salary_register.py,Salary Slip ID,ID da folha de pagamento DocType: Purchase Invoice Item,Enable Deferred Expense,Ativar Despesa diferida DocType: Accounts Settings,Make Payment via Journal Entry,Fazer o Pagamento via Lançamento no Livro Diário -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Qtde concluída não pode ser maior do que ""Qtde de Fabricação""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Qtde concluída não pode ser maior do que ""Qtde de Fabricação""" DocType: Student Log,Student Log,Log do Aluno DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Valor por Hora / 60) * Tempo de operação real DocType: BOM,Scrap Material Cost,Custo do Material Sucateado @@ -1986,7 +1972,7 @@ 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/production_order/production_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} +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} ,Sales Register,Registro de Vendas DocType: Sales Invoice Item,Stock Details,Detalhes do Estoque DocType: Purchase Invoice,Purchase Taxes and Charges Template,Modelo de Encargos e Impostos sobre Compras @@ -1998,7 +1984,6 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} on Half da 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Registro de Tempo criado: 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 @@ -2036,14 +2021,13 @@ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accou DocType: Leave Application,Total Leave Days,Total de dias de licença apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} {1} is cancelled or stopped,{0} {1} está cancelado ou parado ,Sales Person-wise Transaction Summary,Resumo de Vendas por Vendedor -DocType: Stock Entry,Material Transfer for Manufacture,Transferência de Material para Fabricação +DocType: Pick List,Material Transfer for Manufacture,Transferência de Material para Fabricação DocType: Landed Cost Item,Receipt Document Type,Tipo de Documento de Recibo DocType: Repayment Schedule,Balance Loan Amount,Saldo do Empréstimo apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Soap & Detergent,Soap & detergente apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Sick Leave,Licença Médica DocType: Selling Settings,Validate Selling Price for Item against Purchase Rate or Valuation Rate,Validar Preço de Venda para o Item de acordo com o Valor de Compra ou Taxa de Avaliação apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,"{0} {1} is associated with {2}, but Party Account is {3}","{0} {1} está associado a {2}, mas a Conta do Partido é {3}" -DocType: Purchase Invoice,Scan Barcode,Ler Código de Barras ,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 @@ -2197,7 +2181,6 @@ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range h ,Maintenance Schedules,Horários de Manutenção DocType: Asset,Double Declining Balance,Equilíbrio decrescente duplo DocType: Journal Entry,Multi Currency,Multi moeda -DocType: Employee,Contact Details,Detalhes do Contato apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} has expired.,Lote {0} de {1} item expirou. ,Ordered Items To Be Billed,"Itens Vendidos, mas não Faturados" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,From Date should be within the Fiscal Year. Assuming From Date = {0},A partir de data deve estar dentro do ano fiscal. Assumindo De Date = {0} @@ -2254,7 +2237,6 @@ DocType: SMS Center,Receiver List,Lista de recebedores DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Taxa na qual a moeda do cliente é convertida para a moeda base do cliente DocType: Purchase Order,Get Items from Open Material Requests,Obter Itens de Requisições de Material Abertas DocType: Bank Account,Party,Parceiro -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Total devido DocType: Purchase Receipt,Time at which materials were received,Horário em que os materiais foram recebidos apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial Nos Required for Serialized Item {0},Nº de Série Obrigatório para o Item Serializado {0} apps/erpnext/erpnext/templates/pages/demo.html,ERPNext Demo,Demo do ERPNext @@ -2284,7 +2266,7 @@ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py,Please enter messa DocType: Purchase Order Item,To be delivered to customer,Para ser entregue ao cliente DocType: GL Entry,Credit Amount in Account Currency,Crédito em moeda da conta apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py,Discount must be less than 100,Desconto deve ser inferior a 100 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Observação: O Item {0} foi inserido mais de uma vez +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Observação: O Item {0} foi inserido mais de uma vez DocType: Employee Promotion,Employee Promotion Details,Detalhes da promoção do colaborador DocType: C-Form,Received Date,Data de Recebimento DocType: Stock Settings,Default Item Group,Grupo de Itens padrão @@ -2322,7 +2304,6 @@ DocType: Item Variant Attribute,Item Variant Attribute,Variant item Atributo DocType: Employee,Encashment Date,Data da cobrança apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Mostrar valores zerados apps/erpnext/erpnext/controllers/item_variant.py,Increment for Attribute {0} cannot be 0,Atributo incremento para {0} não pode ser 0 -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total de licenças alocadas {0} não pode ser menor do que as licenças já aprovadas {1} para o período DocType: Projects Settings,Timesheets,Registros de Tempo DocType: Selling Settings,Auto close Opportunity after 15 days,Fechar automaticamente a oportunidade após 15 dias apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Programação de manutenção não é gerada para todos os itens. Por favor, clique em ""Gerar Agenda""" @@ -2566,7 +2547,7 @@ 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 apps/erpnext/erpnext/config/help.py,Material Request to Purchase Order,Requisição de Material para Pedido de Compra apps/erpnext/erpnext/erpnext_integrations/utils.py,Unverified Webhook Data,Dados não-confirmados do Webhook -DocType: Warehouse,Parent Warehouse,Armazén Pai +DocType: Pick List,Parent Warehouse,Armazén Pai apps/erpnext/erpnext/portal/doctype/homepage/homepage.py,This is an example website auto-generated from ERPNext,Este é um exemplo website auto- gerada a partir ERPNext DocType: Chapter Member,Leave Reason,Motivo da Saída DocType: Item Group,Show this slideshow at the top of the page,Mostrar esta apresentação de slides no topo da página @@ -2622,7 +2603,6 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against DocType: Task,Total Costing Amount (via Time Sheet),Custo Total (via Registro de Tempo) DocType: GL Entry,Against Voucher Type,Contra o Tipo de Comprovante DocType: Item,Copy From Item Group,Copiar do item do grupo -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Por favor cancelar a Fatura de Compra {0} primeiro DocType: Leave Block List,Allow Users,Permitir que os usuários DocType: POS Profile,Account for Change Amount,Conta para troco DocType: Buying Settings,Settings for Buying Module,Configurações para o Módulo de Compras @@ -2841,6 +2821,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js,New Warehouse Nam apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.js,Creating {0} Invoice,Criando Fatura de {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Purchase Order {1},{0} relacionado ao Pedido de Compra {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,"Item {0} não está configurado para nºs de série mestre, verifique o cadastro do item" +DocType: Leave Allocation,Carry Forwarded Leaves,Encaminhar Licenças apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Source and target warehouse must be different,O armazén de origem e o armazém de destino devem ser diferentes um do outro DocType: Account,Balance must be,O Saldo deve ser apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Outro Vendedor {0} existe com o mesmo ID de Colaborador @@ -2848,7 +2829,7 @@ DocType: Currency Exchange,Currency Exchange,Câmbio DocType: Company,Asset Depreciation Cost Center,Centro de Custo do Ativo Depreciado DocType: Activity Cost,Costing Rate,Preço de Custo apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Submit Salary Slip,Enviar Folha de Pagamentos -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Não pode cancelar por causa da entrada submetido {0} existe +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Não pode cancelar por causa da entrada submetido {0} existe apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Ordered Qty: Quantity ordered for purchase, but not received.","Ordenada Qtde: Quantidade pedida para a compra , mas não recebeu ." DocType: Training Event,Event Status,Status do Evento DocType: Shift Assignment,Shift Assignment,Atribuição de Turno @@ -3005,7 +2986,7 @@ DocType: Item,Show a slideshow at the top of the page,Mostrar uma apresentação DocType: Maintenance Visit,Partially Completed,Parcialmente Concluída apps/erpnext/erpnext/accounts/doctype/account/account.py,Cannot covert to Group because Account Type is selected.,"Não é possível converter para o Grupo, pois o tipo de conta é selecionado." apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py,This is based on the attendance of this Employee,Isto é baseado na frequência deste Colaborador -DocType: Leave Type,Is Carry Forward,É encaminhado +DocType: Leave Ledger Entry,Is Carry Forward,É encaminhado DocType: Location,Tree Details,Detalhes da árvore apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partner_commission_summary.py,Please select the document type first,"Por favor, selecione o tipo de documento primeiro" apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py,Out Qty,Qtde Saída @@ -3125,7 +3106,6 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,New Cost C DocType: Sales Person,Sales Person Name,Nome do Vendedor DocType: Sales Invoice Item,Sales Invoice Item,Item da Fatura de Venda DocType: Bank Reconciliation,Include Reconciled Entries,Incluir entradas reconciliadas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar entalhe Tempo nos próximos {0} dias para a Operação {1} DocType: Blanket Order,Manufacturing,Fabricação apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Linha {0}: Tipo de Parceiro e Parceiro são necessários para receber / pagar contas {1} ,Lead Details,Detalhes do Lead diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv index a770e73813..6018f7b239 100644 --- a/erpnext/translations/ro.csv +++ b/erpnext/translations/ro.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Notificați Furnizor apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Vă rugăm să selectați Party Type primul DocType: Item,Customer Items,Articole clientului +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,pasive DocType: Project,Costing and Billing,Calculație a cheltuielilor și veniturilor apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Advance valuta contului ar trebui să fie aceeași ca moneda companiei {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Unitatea de Măsură Implicita DocType: SMS Center,All Sales Partner Contact,Toate contactele partenerului de vânzări DocType: Department,Leave Approvers,Aprobatori Concediu DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Caută articole ... DocType: Patient Encounter,Investigations,Investigații DocType: Restaurant Order Entry,Click Enter To Add,Faceți clic pe Enter to Add apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Valoare lipsă pentru parola, cheia API sau adresa URL pentru cumpărături" DocType: Employee,Rented,Închiriate apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Toate conturile apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Nu se poate transfera angajatul cu starea Stânga -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Oprit comandă de producție nu poate fi anulat, acesta unstop întâi pentru a anula" DocType: Vehicle Service,Mileage,distanță parcursă apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Chiar vrei să resturi acest activ? DocType: Drug Prescription,Update Schedule,Actualizați programul @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Client DocType: Purchase Receipt Item,Required By,Cerute de DocType: Delivery Note,Return Against Delivery Note,Reveni Împotriva livrare Nota DocType: Asset Category,Finance Book Detail,Detaliile cărții de finanțe +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Toate amortizările au fost înregistrate DocType: Purchase Order,% Billed,% Facurat apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Număr de salarizare apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Cursul de schimb trebuie să fie același ca și {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Lot Articol Stare de expirare apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Ciorna bancară DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Total intrări târzii DocType: Mode of Payment Account,Mode of Payment Account,Modul de cont de plăți apps/erpnext/erpnext/config/healthcare.py,Consultation,Consultare DocType: Accounts Settings,Show Payment Schedule in Print,Afișați programul de plată în Tipărire @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Î apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Detalii de contact primare apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Probleme deschise DocType: Production Plan Item,Production Plan Item,Planul de producție Articol +DocType: Leave Ledger Entry,Leave Ledger Entry,Lăsați intrarea în evidență apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Utilizatorul {0} este deja alocat Angajat {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} câmpul este limitat la dimensiunea {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ă @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Sum DocType: Purchase Invoice Item,Item Weight Details,Greutate Detalii articol DocType: Asset Maintenance Log,Periodicity,Periodicitate apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Anul fiscal {0} este necesară +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Profit / Pierdere Netă DocType: Employee Group Table,ERPNext User ID,ID utilizator ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Distanța minimă dintre rânduri de plante pentru creștere optimă apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Vă rugăm să selectați Pacientul pentru a obține procedura prescrisă @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Listă Prețuri de Vânzare DocType: Patient,Tobacco Current Use,Utilizarea curentă a tutunului apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Rată de Vânzare -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Vă rugăm să salvați documentul înainte de a adăuga un cont nou 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Fond DocType: Exchange Rate Revaluation Account,Gain/Loss,Gain / Pierdere DocType: Crop,Perennial,peren DocType: Program,Is Published,Este publicat +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Afișare note de livrare apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Pentru a permite facturarea excesivă, actualizați „Indemnizație de facturare” în Setări conturi sau element." DocType: Patient Appointment,Procedure,Procedură DocType: Accounts Settings,Use Custom Cash Flow Format,Utilizați formatul fluxului de numerar personalizat @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Lăsați detaliile politicii DocType: BOM,Item Image (if not slideshow),Imagine Articol (dacă nu exista prezentare) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Rândul # {0}: Operația {1} nu este finalizată pentru {2} cantitate de mărfuri finite în Ordinul de lucru {3}. Vă rugăm să actualizați starea operației prin intermediul cărții de lucru {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} este obligatoriu pentru generarea plăților de remitență, setați câmpul și încercați din nou" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarif orar / 60) * Timp efectiv de operare apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rândul # {0}: Tipul de document de referință trebuie să fie una dintre revendicările de cheltuieli sau intrări în jurnal apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Selectați BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Rambursa Peste Număr de Perioade apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Cantitatea de produs nu poate fi mai mică decât Zero DocType: Stock Entry,Additional Costs,Costuri suplimentare +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriul apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Un cont cu tranzacții existente nu poate fi transformat în grup. DocType: Lead,Product Enquiry,Intrebare produs DocType: Education Settings,Validate Batch for Students in Student Group,Validați lotul pentru elevii din grupul de studenți @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Sub Absolvent apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Stabiliți șablonul implicit pentru notificarea de stare la ieșire în setările HR. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Țintă pe DocType: BOM,Total Cost,Cost total +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Alocare expirată! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Frunze transmise maxim transportat DocType: Salary Slip,Employee Loan,angajat de împrumut DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Trimiteți e-mail de solicitare de plată @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Imobil apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Extras de cont apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Produse farmaceutice DocType: Purchase Invoice Item,Is Fixed Asset,Este activ fix +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Afișați plăți viitoare DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Acest cont bancar este deja sincronizat DocType: Homepage,Homepage Section,Secțiunea Prima pagină @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Îngrăşământ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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. -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Cel puțin un mod de plată este necesar factura POS. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Numărul lot nu este necesar pentru articol lot {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Tranzacție de poziție bancară @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,Selectați Termeni și condiții apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Valoarea afară DocType: Bank Statement Settings Item,Bank Statement Settings Item,Elementul pentru setările declarației bancare DocType: Woocommerce Settings,Woocommerce Settings,Setări Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Numele tranzacției DocType: Production Plan,Sales Orders,Comenzi de Vânzări apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Programul de loialitate multiplă găsit pentru client. Selectați manual. DocType: Purchase Taxes and Charges,Valuation,Evaluare @@ -461,6 +469,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Afișați numai Clientul acestor grupuri de clienți DocType: Sales Invoice,Is Opening Entry,Deschiderea este de intrare @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Menționa dacă non-standard de cont primit aplicabil 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 DocType: Supplier Scorecard,Criteria Setup,Setarea criteriilor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Pentru Depozit este necesar înainte de Inregistrare +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 DocType: Codification Table,Medical Code,Codul medical apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Conectați-vă la Amazon cu ERPNext @@ -486,7 +496,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,S-au adăugat conturi bancare -DocType: Delivery Stop,Contact Name,Nume Persoana de Contact +DocType: Call Log,Contact Name,Nume Persoana de Contact DocType: Plaid Settings,Synchronize all accounts every hour,Sincronizați toate conturile în fiecare oră DocType: Course Assessment Criteria,Course Assessment Criteria,Criterii de evaluare a cursului DocType: Pricing Rule Detail,Rule Applied,Regula aplicată @@ -530,7 +540,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Numar necunoscut DocType: Website Filter Field,Website Filter Field,Câmpul de filtrare a site-ului web apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Tip de aprovizionare DocType: Material Request Item,Min Order Qty,Min Ordine Cantitate @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,Sumă totală principală DocType: Student Guardian,Relation,Relație DocType: Quiz Result,Correct,Corect DocType: Student Guardian,Mother,Mamă -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Vă rugăm să adăugați mai întâi chei api Plaid valide în site_config.json DocType: Restaurant Reservation,Reservation End Time,Timp de terminare a rezervării DocType: Crop,Biennial,Bienal ,BOM Variance Report,BOM Raport de variație @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Plata împotriva {0} {1} nu poate fi mai mare decât Impresionant Suma {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,Setări POS offline DocType: Stock Entry Detail,Reference Purchase Receipt,Recepție de achiziție de achiziție DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Varianta de -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Finalizat Cantitate nu poate fi mai mare decât ""Cantitate de Fabricare""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Finalizat Cantitate nu poate fi mai mare decât ""Cantitate de Fabricare""" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Perioada bazată pe DocType: Period Closing Voucher,Closing Account Head,Închidere Cont Principal DocType: Employee,External Work History,Istoricul lucrului externă apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Eroare de referință Circular apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Student Card de raportare apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Din codul PIN +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Afișați persoana de vânzări DocType: Appointment Type,Is Inpatient,Este internat apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Nume Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,În cuvinte (de export) va fi vizibil după ce a salva de livrare Nota. @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Numele dimensiunii apps/erpnext/erpnext/healthcare/setup.py,Resistant,Rezistent apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Vă rugăm să stabiliți tariful camerei la {} +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: Journal Entry,Multi Currency,Multi valutar DocType: Bank Statement Transaction Invoice Item,Invoice Type,Tip Factura apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Valabil de la data trebuie să fie mai mic decât valabil până la data actuală @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Admis DocType: Workstation,Rent Cost,Cost Chirie 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Evenimente viitoare Calendar apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Atribute Variant @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,Cerere de ofertă 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Afișează persoana tipărită de vânzări 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 @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Creați un nou client apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Expirând On apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","În cazul în care mai multe reguli de stabilire a prețurilor continuă să prevaleze, utilizatorii sunt rugați să setați manual prioritate pentru a rezolva conflictul." -DocType: Purchase Invoice,Scan Barcode,Scanează codul de bare apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Creare comenzi de aprovizionare ,Purchase Register,Cumpărare Inregistrare apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacientul nu a fost găsit @@ -817,6 +828,7 @@ DocType: Account,Old Parent,Vechi mamă apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Domeniu obligatoriu - An universitar apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Domeniu obligatoriu - An universitar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} nu este asociat cu {2} {3} +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} @@ -860,6 +872,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Componenta de salarizare pentru salarizare bazate pe timesheet. DocType: Driver,Applicable for external driver,Aplicabil pentru driverul extern DocType: Sales Order Item,Used for Production Plan,Folosit pentru Planul de producție +DocType: BOM,Total Cost (Company Currency),Cost total (moneda companiei) DocType: Loan,Total Payment,Plată totală apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Nu se poate anula tranzacția pentru comanda finalizată de lucru. DocType: Manufacturing Settings,Time Between Operations (in mins),Timp între operațiuni (în minute) @@ -881,6 +894,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Notificați alta DocType: Vital Signs,Blood Pressure (systolic),Tensiunea arterială (sistolică) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} este {2} DocType: Item Price,Valid Upto,Valid Până la +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. @@ -899,6 +913,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Modificări în {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Vă rugăm să selectați Company DocType: Employee Skill,Employee Skill,Indemanarea angajatilor apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Diferența de Cont @@ -943,6 +958,7 @@ DocType: Patient,Risk Factors,Factori de Risc DocType: Patient,Occupational Hazards and Environmental Factors,Riscuri Ocupaționale și Factori de Mediu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Înregistrări stoc deja create pentru comanda de lucru apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Vezi comenzile anterioare +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} conversații DocType: Vital Signs,Respiratory rate,Rata respiratorie apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Gestionarea Subcontracte DocType: Vital Signs,Body Temperature,Temperatura corpului @@ -984,6 +1000,7 @@ DocType: Purchase Invoice,Registered Composition,Compoziție înregistrată apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,buna apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Postul mutare DocType: Employee Incentive,Incentive Amount,Sumă stimulativă +,Employee Leave Balance Summary,Rezumatul soldului concediilor angajaților DocType: Serial No,Warranty Period (Days),Perioada de garanție (zile) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Suma totală a creditului / debitului ar trebui să fie aceeași cu cea înregistrată în jurnal DocType: Installation Note Item,Installation Note Item,Instalare Notă Postul @@ -997,6 +1014,7 @@ DocType: Vital Signs,Bloated,Umflat DocType: Salary Slip,Salary Slip Timesheet,Salariu alunecare Pontaj apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Furnizor Depozit obligatoriu pentru contractate sub-cumparare Primirea DocType: Item Price,Valid From,Valabil de la +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Rating-ul tău: DocType: Sales Invoice,Total Commission,Total de Comisie DocType: Tax Withholding Account,Tax Withholding Account,Contul de reținere fiscală DocType: Pricing Rule,Sales Partner,Partener de Vânzări @@ -1004,6 +1022,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Toate cardurile d 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 +DocType: Item,Website Image,Imagine Web apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Depozitul țintă în rândul {0} trebuie să fie același cu Ordinul de lucru apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Evaluarea Rata este obligatorie în cazul în care a intrat Deschiderea stoc 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 @@ -1038,8 +1057,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},L 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Vă rugăm să completați configurația API Plaid înainte de a vă sincroniza contul 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 DocType: Job Applicant,Resume Attachment,CV-Atașamentul @@ -1051,7 +1070,6 @@ DocType: Production Plan,Production Plan,Plan de productie DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Deschiderea Instrumentului de creare a facturilor DocType: Salary Component,Round to the Nearest Integer,Rotund la cel mai apropiat număr întreg apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Vânzări de returnare -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Notă: Totalul frunzelor alocate {0} nu ar trebui să fie mai mică decât frunzele deja aprobate {1} pentru perioada DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Setați cantitatea din tranzacții pe baza numărului de intrare sir ,Total Stock Summary,Rezumatul Total al Stocului apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1080,6 +1098,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Un apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Suma principală DocType: Loan Application,Total Payable Interest,Dobânda totală de plată apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Total excepție: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Deschideți contactul DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Vânzări factură Pontaj 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} @@ -1089,6 +1108,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Seria implicită de numire 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 DocType: Restaurant Reservation,Restaurant Reservation,Rezervare la restaurant +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Articolele dvs. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Propunere de scriere DocType: Payment Entry Deduction,Payment Entry Deduction,Plată Deducerea intrare DocType: Service Level Priority,Service Level Priority,Prioritate la nivel de serviciu @@ -1097,6 +1117,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Seria numerelor serii apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Un alt Sales Person {0} există cu același ID Angajat DocType: Employee Advance,Claimed Amount,Suma solicitată +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Expirați alocarea 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 @@ -1166,7 +1187,6 @@ DocType: Student Batch Name,Batch Name,Nume lot DocType: Fee Validity,Max number of visit,Numărul maxim de vizite DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Obligatoriu pentru contul de profit și pierdere ,Hotel Room Occupancy,Hotel Ocuparea camerei -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Pontajul creat: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Vă rugăm să setați Cash implicit sau cont bancar în modul de plată {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,A se inscrie DocType: GST Settings,GST Settings,Setări GST @@ -1299,6 +1319,7 @@ DocType: Sales Invoice,Commission Rate (%),Rata de Comision (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Selectați Program DocType: Project,Estimated Cost,Cost estimat DocType: Request for Quotation,Link to material requests,Link la cererile de materiale +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Publica apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Spaţiul aerian ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptabile [FEC] DocType: Journal Entry,Credit Card Entry,Card de credit intrare @@ -1325,6 +1346,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Active Curente apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} nu este un articol de stoc apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Vă rugăm să împărtășiți feedback-ul dvs. la antrenament făcând clic pe "Feedback Training" și apoi pe "New" +DocType: Call Log,Caller Information,Informații despre apelant DocType: Mode of Payment Account,Default Account,Cont Implicit apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Vă rugăm să selectați mai întâi Warehouse de stocare a probelor din Setări stoc apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Selectați tipul de program cu mai multe niveluri pentru mai multe reguli de colectare. @@ -1349,6 +1371,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Cereri materiale Auto Generat DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Ore de lucru sub care este marcată jumătate de zi. (Zero dezactivat) DocType: Job Card,Total Completed Qty,Cantitatea totală completată +DocType: HR Settings,Auto Leave Encashment,Auto Encashment apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Pierdut apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,"Nu puteți introduce voucher curent în ""Împotriva Jurnalul intrare"" coloană" DocType: Employee Benefit Application Detail,Max Benefit Amount,Suma maximă a beneficiilor @@ -1378,9 +1401,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Abonat DocType: Item Attribute Value,Item Attribute Value,Postul caracteristicii Valoarea apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Cursul valutar trebuie să fie aplicabil pentru cumpărare sau pentru vânzare. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Numai alocarea expirată poate fi anulată DocType: Item,Maximum sample quantity that can be retained,Cantitatea maximă de mostră care poate fi reținută apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rândul {0} # Articol {1} nu poate fi transferat mai mult de {2} față de comanda de aprovizionare {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Campanii de vânzări. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Apelant necunoscut DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1431,6 +1456,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Programul d apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Denumire Doc DocType: Expense Claim Detail,Expense Claim Type,Tip Solicitare Cheltuială DocType: Shopping Cart Settings,Default settings for Shopping Cart,Setările implicite pentru Cosul de cumparaturi +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Salvare articol apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Cheltuieli noi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignorați cantitatea comandată existentă apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Adăugă Intervale de Timp @@ -1443,6 +1469,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Examinarea invitației trimisă DocType: Shift Assignment,Shift Assignment,Schimbare asignare DocType: Employee Transfer Property,Employee Transfer Property,Angajamentul transferului de proprietate +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Câmpul Contul de capitaluri proprii / pasiv nu poate fi necompletat apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Din timp ar trebui să fie mai puțin decât timpul apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotehnologie apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1525,11 +1552,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Program de curs de DocType: GSTR 3B Report,GSTR 3B Report,Raportul GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Citat Stare DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Stare Finalizare +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Valoarea totală a plăților nu poate fi mai mare de {} DocType: Daily Work Summary Group,Select Users,Selectați Utilizatori DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotel Pricing Room Item DocType: Loyalty Program Collection,Tier Name,Denumirea nivelului @@ -1567,6 +1596,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Suma SGS DocType: Lab Test Template,Result Format,Formatul rezultatelor DocType: Expense Claim,Expenses,Cheltuieli DocType: Service Level,Support Hours,Ore de sprijin +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Note de livrare DocType: Item Variant Attribute,Item Variant Attribute,Varianta element Atribut ,Purchase Receipt Trends,Tendințe Primirea de cumpărare DocType: Payroll Entry,Bimonthly,Bilunar @@ -1589,7 +1619,6 @@ DocType: Sales Team,Incentives,Stimulente DocType: SMS Log,Requested Numbers,Numere solicitate DocType: Volunteer,Evening,Seară DocType: Quiz,Quiz Configuration,Configurarea testului -DocType: Customer,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 @@ -1636,7 +1665,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Maestru ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Imposibilitatea de a găsi timp Slot în următorii {0} zile pentru Operațiunea {1} DocType: Work Order,Plan material for sub-assemblies,Material Plan de subansambluri 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 @@ -1651,9 +1679,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Trebuie să activați re-comanda auto în Setări stoc pentru a menține nivelurile de re-comandă. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Anuleaza Vizite Material {0} înainte de a anula această Vizita de întreținere DocType: Pricing Rule,Rate or Discount,Tarif sau Discount +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Detalii bancare DocType: Vital Signs,One Sided,O singură față apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serial Nu {0} nu aparține postul {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Cantitate ceruta +DocType: Purchase Order Item Supplied,Required Qty,Cantitate ceruta DocType: Marketplace Settings,Custom Data,Date personalizate apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Depozitele cu tranzacții existente nu pot fi convertite în registru contabil. DocType: Service Day,Service Day,Ziua serviciului @@ -1681,7 +1710,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Moneda cont DocType: Lab Test,Sample ID,ID-ul probelor apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Vă rugăm să menționați rotunji contul în companie -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Interval DocType: Supplier,Default Payable Accounts,Implicit conturi de plătit apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Angajatul {0} nu este activ sau nu există @@ -1722,8 +1750,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Cerere de informații DocType: Course Activity,Activity Date,Data activității apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} de {} -,LeaderBoard,LEADERBOARD DocType: Sales Invoice Item,Rate With Margin (Company Currency),Rata cu marjă (moneda companiei) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Categorii apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sincronizare offline Facturile DocType: Payment Request,Paid,Plătit DocType: Service Level,Default Priority,Prioritate implicită @@ -1758,11 +1786,11 @@ DocType: Agriculture Task,Agriculture Task,Agricultura apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Venituri indirecte DocType: Student Attendance Tool,Student Attendance Tool,Instrumentul de student Participarea DocType: Restaurant Menu,Price List (Auto created),Listă Prețuri (creată automat) +DocType: Pick List Item,Picked Qty,Cules Qty DocType: Cheque Print Template,Date Settings,Setări Dată 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 -,Company Name,Denumire Furnizor 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. @@ -1781,7 +1809,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Ultima încercare DocType: Quiz Result,Quiz Result,Rezultatul testului 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} -DocType: BOM,Raw Material Cost(Company Currency),Brut Costul materialelor (companie Moneda) 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 @@ -1850,6 +1877,7 @@ DocType: Travel Itinerary,Train,Tren ,Delayed Item Report,Raportul întârziat al articolului apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC eligibil DocType: Healthcare Service Unit,Inpatient Occupancy,Ocuparea locului de muncă +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Publicați primele dvs. articole DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Timpul după încheierea turei în timpul căreia se face check-out pentru participare. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Vă rugăm să specificați un {0} @@ -1967,6 +1995,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,toate BOM apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Creați jurnalul companiei Inter DocType: Company,Parent Company,Compania mamă apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Camerele Hotel de tip {0} nu sunt disponibile în {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Comparați OM-urile pentru modificările materiilor prime și operațiunilor apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Documentul {0} nu a fost clar necunoscut DocType: Healthcare Practitioner,Default Currency,Monedă Implicită apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Reconciliați acest cont @@ -2001,6 +2030,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detaliu factură formular-C DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Reconcilierea plata facturii DocType: Clinical Procedure,Procedure Template,Șablon de procedură +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publica articole apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Contribuția% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","În conformitate cu Setările de cumpărare dacă comanda de aprovizionare este obligatorie == 'YES', atunci pentru a crea factura de cumpărare, utilizatorul trebuie să creeze mai întâi comanda de aprovizionare pentru elementul {0}" ,HSN-wise-summary of outward supplies,Rezumatul HSN pentru rezervele exterioare @@ -2013,7 +2043,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Vă rugăm să setați "Aplicați discount suplimentar pe" DocType: Party Tax Withholding Config,Applicable Percent,Procentul aplicabil ,Ordered Items To Be Billed,Articole Comandate de Pentru a fi facturate -DocType: Employee Checkin,Exit Grace Period Consequence,Consecința de ieșire din perioada de grație apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Din Gama trebuie să fie mai mică de la gama DocType: Global Defaults,Global Defaults,Valori Implicite Globale apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Colaborare proiect Invitație @@ -2021,13 +2050,11 @@ DocType: Salary Slip,Deductions,Deduceri DocType: Setup Progress Action,Action Name,Numele acțiunii apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Anul de începere apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Creați împrumut -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Data perioadei de factura de curent începem DocType: Shift Type,Process Attendance After,Prezență la proces după ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Concediu Fără Plată DocType: Payment Request,Outward,Exterior -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Capacitate de eroare de planificare apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Impozitul de stat / UT ,Trial Balance for Party,Trial Balance pentru Party ,Gross and Net Profit Report,Raport de profit brut și net @@ -2046,7 +2073,6 @@ DocType: Payroll Entry,Employee Details,Detalii angajaților 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} -DocType: Setup Progress Action,Domains,Domenii 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} @@ -2089,7 +2115,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Întâlnir 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.","Modul de plată nu este configurat. Vă rugăm să verificați, dacă contul a fost setat pe modul de plăți sau la POS Profil." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Același articol nu poate fi introdus de mai multe ori. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Conturile suplimentare pot fi făcute sub Groups, dar intrările pot fi făcute împotriva non-Grupuri" -DocType: Email Campaign,Lead,Pistă +DocType: Call Log,Lead,Pistă DocType: Email Digest,Payables,Datorii DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Campanie prin e-mail @@ -2101,6 +2127,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Cumparare Ordine Articole Pentru a fi facturat 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 DocType: Purchase Invoice Item,Net Rate,Rata netă apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Selectați un client DocType: Leave Policy,Leave Allocations,Lăsați alocările @@ -2114,6 +2141,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Închide Problemă După Zile ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Trebuie să fii un utilizator cu roluri de manager de sistem și manager de articole pentru a adăuga utilizatori la Marketplace. +DocType: Attendance,Early Exit,Iesire timpurie DocType: Job Opening,Staffing Plan,Planul de personal apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON poate fi generat numai dintr-un document trimis apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Impozitul și beneficiile angajaților @@ -2136,6 +2164,7 @@ DocType: Maintenance Team Member,Maintenance Role,Rol de Mentenanță apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Inregistrare {0} este duplicata cu aceeași {1} DocType: Marketplace Settings,Disable Marketplace,Dezactivați Marketplace DocType: Quality Meeting,Minutes,Minute +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Articolele dvs. recomandate ,Trial Balance,Balanta apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Spectacol finalizat apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Anul fiscal {0} nu a fost găsit @@ -2145,8 +2174,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Utilizator rezervare hote 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 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- -DocType: Shift Type,Consequence,Consecinţă DocType: Subscription Settings,Subscription Settings,Setările pentru abonament DocType: Purchase Invoice,Update Auto Repeat Reference,Actualizați referința de repetare automată apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Lista de vacanță opțională nu este setată pentru perioada de concediu {0} @@ -2157,7 +2186,6 @@ DocType: Maintenance Visit Purpose,Work Done,Activitatea desfășurată apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Vă rugăm să specificați cel puțin un atribut în tabelul Atribute DocType: Announcement,All Students,toţi elevii apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Postul {0} trebuie să fie un element de bază non-stoc -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Decontări bancare apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Vezi Registru Contabil DocType: Grading Scale,Intervals,intervale DocType: Bank Statement Transaction Entry,Reconciled Transactions,Tranzacții Reconciliate @@ -2193,6 +2221,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Oportunitate Articol DocType: Quality Action,Quality Review,Evaluarea calității @@ -2219,7 +2248,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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 DocType: Journal Entry,Get Outstanding Invoices,Obtine Facturi Neachitate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Comandă de vânzări {0} nu este valid +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ă apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Comenzile de aprovizionare vă ajuta să planificați și să urmați pe achizițiile dvs. apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Cerințe privind testarea la laborator @@ -2246,6 +2275,7 @@ DocType: Employee Onboarding,Notify users by email,Notifica utilizatorii prin e- DocType: Travel Request,International,Internaţional DocType: Training Event,Training Event,Eveniment de formare DocType: Item,Auto re-order,Re-comandă automată +DocType: Attendance,Late Entry,Intrare târzie apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Raport Realizat DocType: Employee,Place of Issue,Locul eliberării DocType: Promotional Scheme,Promotional Scheme Price Discount,Schema promoțională Reducere de preț @@ -2292,6 +2322,7 @@ DocType: Serial No,Serial No Details,Serial Nu Detalii DocType: Purchase Invoice Item,Item Tax Rate,Rata de Impozitare Articol apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,De la numele partidului apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Valoarea netă a salariului +DocType: Pick List,Delivery against Sales Order,Livrare contra comenzii de vânzare DocType: Student Group Student,Group Roll Number,Numărul rolurilor de grup apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Pentru {0}, numai conturi de credit poate fi legat de o altă intrare în debit" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Nota de Livrare {0} nu este introdusa @@ -2364,7 +2395,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Această valoare este folosită pentru calculul pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Trebuie să activați Cosul de cumparaturi DocType: Payment Entry,Writeoff,Achita DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2378,6 +2408,7 @@ DocType: Delivery Trip,Total Estimated Distance,Distanța totală estimată DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Conturi de primit un cont neplătit DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Nu este permisă crearea unei dimensiuni contabile pentru {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Actualizați starea dvs. pentru acest eveniment de instruire DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Adăugaţi sau deduceţi @@ -2387,7 +2418,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Articole de vânzare inactive DocType: Quality Review,Additional Information,informatii suplimentare apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Valoarea totală Comanda -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Resetarea acordului de nivel de serviciu. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Produse Alimentare apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Clasă de uzură 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detalii Voucher de închidere POS @@ -2434,6 +2464,7 @@ 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 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""" DocType: Healthcare Practitioner,Contacts and Address,Contacte și adresă DocType: Shift Type,Determine Check-in and Check-out,Determinați check-in și check-out @@ -2453,7 +2484,6 @@ DocType: Student Admission,Eligibility and Details,Eligibilitate și detalii apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Inclus în Profitul brut apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Schimbarea net în active fixe apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Cantitate -DocType: Company,Client Code,Codul clientului apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Taxa de tip 'Efectiv' în inregistrarea {0} nu poate fi inclus în Rata Articol""" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,De la Datetime @@ -2522,6 +2552,7 @@ DocType: Journal Entry Account,Account Balance,Soldul contului apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Clientul este necesară împotriva contului Receivable {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total Impozite si Taxe (Compania valutar) DocType: Weather,Weather Parameter,Parametrul vremii @@ -2584,6 +2615,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Prag de lucru pentru orel apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Pot exista un factor de colectare multiplu diferențiat bazat pe totalul cheltuit. Dar factorul de conversie pentru răscumpărare va fi întotdeauna același pentru toate nivelurile. apps/erpnext/erpnext/config/help.py,Item Variants,Variante Postul apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Servicii +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,E-mail Salariu Slip angajatului DocType: Cost Center,Parent Cost Center,Părinte Cost Center @@ -2594,7 +2626,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","S DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importă note de livrare de la Shopify la expediere apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Afișează închis DocType: Issue Priority,Issue Priority,Prioritate de emisiune -DocType: Leave Type,Is Leave Without Pay,Este concediu fără plată +DocType: Leave Ledger Entry,Is Leave Without Pay,Este concediu fără plată apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Categorie Activ este obligatorie pentru articolul Activ Fix DocType: Fee Validity,Fee Validity,Valabilitate taxă @@ -2643,6 +2675,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Cantitate lot dispo apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Actualizare Format Print DocType: Bank Account,Is Company Account,Este un cont de companie apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Tipul de plecare {0} nu este încasat +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Limita de credit este deja definită pentru companie {0} DocType: Landed Cost Voucher,Landed Cost Help,Costul Ajutor Landed DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Selectați adresa de expediere @@ -2667,6 +2700,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Două căi DocType: Item,Manufacturers,Producători @@ -2705,7 +2739,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Extras de cont reconciliere bancară DocType: Patient Encounter,Medical Coding,Codificarea medicală DocType: Healthcare Settings,Reminder Message,Mesaj Memento -,Lead Name,Nume Pistă +DocType: Call Log,Lead Name,Nume Pistă ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Prospectarea @@ -2737,12 +2771,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Furnizor Warehouse DocType: Opportunity,Contact Mobile No,Nr. Mobil Persoana de Contact apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Selectați Companie ,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: 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 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.,Utilizatorul {0} nu are niciun POS profil implicit. Verificați implicit la Rând {1} pentru acest Utilizator. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Proces-verbal de calitate al întâlnirii +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizor> Tip furnizor apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Referirea angajaților DocType: Student Group,Set 0 for no limit,0 pentru a seta nici o limită apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,A doua zi (e) pe care se aplica pentru concediu sunt sărbători. Nu trebuie să se aplice pentru concediu. @@ -2776,12 +2812,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Schimbarea net în numerar DocType: Assessment Plan,Grading Scale,Scala de notare apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unitate de măsură {0} a fost introdus mai mult de o dată în Factor de conversie Tabelul -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,deja finalizat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stoc în mână apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Vă rugăm să adăugați beneficiile rămase {0} la aplicație ca component \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Vă rugăm să setați Codul fiscal pentru administrația publică '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Cerere de plată există deja {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Costul de articole emise DocType: Healthcare Practitioner,Hospital,Spital apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Cantitatea nu trebuie să fie mai mare de {0} @@ -2826,6 +2860,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Resurse Umane apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Venituri de sus DocType: Item Manufacturer,Item Manufacturer,Postul Producator +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Creați noul plumb DocType: BOM Operation,Batch Size,Mărimea lotului apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Respinge DocType: Journal Entry Account,Debit in Company Currency,Debit în Monedă Companie @@ -2846,9 +2881,11 @@ DocType: Bank Transaction,Reconciled,reconciliat DocType: Expense Claim,Total Amount Reimbursed,Total suma rambursată apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Aceasta se bazează pe bușteni împotriva acestui vehicul. A se vedea calendarul de mai jos pentru detalii apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Data de salarizare nu poate fi mai mică decât data de îmbarcare a angajatului +DocType: Pick List,Item Locations,Locații articol apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} creat apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Deschideri de locuri de muncă pentru desemnarea {0} deja deschise sau închirieri finalizate conform Planului de personal {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Puteți publica până la 200 de articole. DocType: Vital Signs,Constipated,Constipat apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Contra facturii furnizorului {0} din data {1} DocType: Customer,Default Price List,Lista de Prețuri Implicita @@ -2942,6 +2979,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car 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 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Cheltuieli de marketing +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} unități de {1} nu sunt disponibile. ,Item Shortage Report,Raport Articole Lipsa 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 @@ -2965,6 +3003,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 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 DocType: Material Request,Transferred,transferat DocType: Vehicle,Doors,Usi @@ -3045,7 +3084,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Cod Articol Client DocType: Stock Reconciliation,Stock Reconciliation,Stoc Reconciliere DocType: Territory,Territory Name,Teritoriului Denumire DocType: Email Digest,Purchase Orders to Receive,Comenzi de cumpărare pentru a primi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,De lucru-in-Progress Warehouse este necesară înainte Trimite +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,De lucru-in-Progress Warehouse este necesară înainte Trimite apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Puteți avea numai planuri cu același ciclu de facturare într-un abonament DocType: Bank Statement Transaction Settings Item,Mapped Data,Date Cartografiate DocType: Purchase Order Item,Warehouse and Reference,Depozit și Referință @@ -3121,6 +3160,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Setări de livrare apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Fetch Data apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Permisul maxim permis în tipul de concediu {0} este {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publicați 1 articol DocType: SMS Center,Create Receiver List,Creare Lista Recipienti DocType: Student Applicant,LMS Only,Numai LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Data disponibilă pentru utilizare ar trebui să fie după data achiziției @@ -3154,6 +3194,7 @@ 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 DocType: Vital Signs,Furry,Cu blană apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Vă rugăm să setați 'Gain / Pierdere de cont privind Eliminarea activelor "în companie {0} +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} @@ -3165,6 +3206,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Vedeți toate problemele din {0} 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/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/templates/pages/help.html,Visit the forums,Vizitați forumurile DocType: Student,Student Mobile Number,Elev Număr mobil DocType: Item,Has Variants,Are variante @@ -3176,9 +3218,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Numele de Distrib DocType: Quality Procedure Process,Quality Procedure Process,Procesul procedurii de calitate apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ID-ul lotului este obligatoriu apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ID-ul lotului este obligatoriu +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Vă rugăm să selectați Clientul mai întâi DocType: Sales Person,Parent Sales Person,Mamă Sales Person apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Nu sunt întârziate niciun element de primit apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Vânzătorul și cumpărătorul nu pot fi aceleași +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Nu există încă vizionări DocType: Project,Collect Progress,Collect Progress DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Selectați mai întâi programul @@ -3200,11 +3244,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Realizat DocType: Student Admission,Application Form Route,Forma de aplicare Calea apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Data de încheiere a acordului nu poate fi mai mică decât astăzi. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter pentru a trimite DocType: Healthcare Settings,Patient Encounters in valid days,Întâlnirile pacientului în zilele valabile apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Lasă un {0} Tipul nu poate fi alocată, deoarece este în concediu fără plată" 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},Rândul {0}: Suma alocată {1} trebuie să fie mai mic sau egal cu factura suma restanta {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,În cuvinte va fi vizibil după salvarea facturii. DocType: Lead,Follow Up,Urmare +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Centrul de costuri: {0} nu există DocType: Item,Is Sales Item,Este produs de vânzări apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Ramificatie Grup Articole apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Articolul {0} nu este configurat pentru Numerotare Seriala. Verificati Articolul Principal. @@ -3248,9 +3294,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Furnizat Cantitate DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Material Cerere Articol -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Vă rugăm să anulați primul exemplar de achiziții {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Arborele de Postul grupuri. DocType: Production Plan,Total Produced Qty,Cantitate total produsă +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Niciun comentariu încă apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Nu se poate face referire la un număr de inregistare mai mare sau egal cu numărul curent de inregistrare pentru acest tip de Incasare DocType: Asset,Sold,Vândut ,Item-wise Purchase History,Istoric Achizitii Articol-Avizat @@ -3269,7 +3315,7 @@ DocType: Designation,Required Skills,Aptitudini necesare DocType: Inpatient Record,O Positive,O pozitiv apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investiții DocType: Issue,Resolution Details,Detalii Rezoluție -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,tipul tranzacției +DocType: Leave Ledger Entry,Transaction Type,tipul tranzacției DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criteriile de receptie apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Vă rugăm să introduceți Cererile materiale din tabelul de mai sus apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nu sunt disponibile rambursări pentru înscrierea în Jurnal @@ -3311,6 +3357,7 @@ DocType: Bank Account,Bank Account No,Contul bancar nr DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Sustine gratuitatea acestui serviciu si acceseaza DocType: Patient,Surgical History,Istorie chirurgicală DocType: Bank Statement Settings Item,Mapped Header,Antet Cartografiat +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: 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. 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} @@ -3379,7 +3426,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Adăugă Antet DocType: Program Enrollment,Self-Driving Vehicle,Vehicul cu autovehicul 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total frunze alocate {0} nu poate fi mai mic de frunze deja aprobate {1} pentru perioada DocType: Contract Fulfilment Checklist,Requirement,Cerinţă DocType: Journal Entry,Accounts Receivable,Conturi de Incasare DocType: Quality Goal,Objectives,Obiective @@ -3402,7 +3448,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Singurul prag de tran DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Această valoare este actualizată în lista prestabilită a prețurilor de vânzare. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Coșul dvs. este gol DocType: Email Digest,New Expenses,Cheltuieli noi -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Suma PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Nu se poate optimiza ruta deoarece adresa șoferului lipsește. DocType: Shareholder,Shareholder,Acționar DocType: Purchase Invoice,Additional Discount Amount,Valoare discount-ului suplimentar @@ -3439,6 +3484,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Activitate Mentenanță apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Setați limita B2C în setările GST. DocType: Marketplace Settings,Marketplace Settings,Setări pentru piață DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Depozit în cazul în care se menține stocul de articole respinse +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Publicați {0} articole 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,Imposibil de găsit rata de schimb pentru {0} până la {1} pentru data cheie {2}. Creați manual un registru de schimb valutar DocType: POS Profile,Price List,Lista Prețuri 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. @@ -3475,6 +3521,7 @@ DocType: Salary Component,Deduction,Deducere DocType: Item,Retain Sample,Păstrați eșantionul apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Rândul {0}: De la timp și de Ora este obligatorie. DocType: Stock Reconciliation Item,Amount Difference,suma diferenţă +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Această pagină ține evidența articolelor pe care doriți să le cumpărați de la vânzători. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Articol Preț adăugată pentru {0} în lista de prețuri {1} DocType: Delivery Stop,Order Information,Informații despre comandă apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Vă rugăm să introduceți ID-ul de angajat al acestei persoane de vânzări @@ -3503,6 +3550,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Numele planului de evaluare apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detalii despre țintă apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Se aplică dacă compania este SpA, SApA sau SRL" @@ -3555,7 +3603,6 @@ DocType: Company,Transactions Annual History,Istoricul tranzacțiilor anuale 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ă -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,de mai sus 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 @@ -3608,6 +3655,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Profitul anului 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 @@ -3662,12 +3710,10 @@ DocType: Supplier Scorecard,Scoring Setup,Punctul de configurare apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electronică 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Nu a fost găsit nr. GST pentru companie. 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 DocType: Question,Single Correct Answer,Un singur răspuns corect -DocType: Employee,Contact Details,Detalii Persoana de Contact DocType: C-Form,Received Date,Data primit DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Dacă ați creat un model standard la taxele de vânzare și taxe Format, selectați una și faceți clic pe butonul de mai jos." DocType: BOM Scrap Item,Basic Amount (Company Currency),Suma de bază (Companie Moneda) @@ -3697,12 +3743,13 @@ DocType: BOM Website Operation,BOM Website Operation,Site-ul BOM Funcționare DocType: Bank Statement Transaction Payment Item,outstanding_amount,suma restanta DocType: Supplier Scorecard,Supplier Score,Scorul furnizorului apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Programați admiterea +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Suma totală a solicitării de plată nu poate fi mai mare decât {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Valoarea cumulată a tranzacției DocType: Promotional Scheme Price Discount,Discount Type,Tipul reducerii -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Totală facturată Amt DocType: Purchase Invoice Item,Is Free Item,Este articol gratuit +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Procentaj pe care vi se permite să transferați mai mult în raport cu cantitatea comandată. De exemplu: Dacă ați comandat 100 de unități. iar alocația dvs. este de 10%, atunci vi se permite să transferați 110 unități." DocType: Supplier,Warn RFQs,Aflați RFQ-urile -apps/erpnext/erpnext/templates/pages/home.html,Explore,Explorați +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Explorați DocType: BOM,Conversion Rate,Rata de conversie apps/erpnext/erpnext/www/all-products/index.html,Product Search,Cauta produse ,Bank Remittance,Transferul bancar @@ -3714,6 +3761,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Suma totală plătită DocType: Asset,Insurance End Date,Data de încheiere a asigurării apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Selectați admiterea studenților care este obligatorie pentru solicitantul studenților plătiți +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Lista de bugete DocType: Campaign,Campaign Schedules,Programele campaniei DocType: Job Card Time Log,Completed Qty,Cantitate Finalizata @@ -3736,6 +3784,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Adresa no DocType: Quality Inspection,Sample Size,Eșantionul de dimensiune apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Vă rugăm să introduceți Document Primirea apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Toate articolele au fost deja facturate +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Frunze luate apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Vă rugăm să specificați un valabil ""Din cauza nr""" 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,"Centre de costuri pot fi realizate în grupuri, dar intrările pot fi făcute împotriva non-Grupuri" 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,Frunzele totale alocate sunt mai multe zile decât alocarea maximă a tipului de concediu {0} pentru angajatul {1} în perioada respectivă @@ -3836,6 +3885,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Includeți 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 DocType: Leave Block List,Allow Users,Permiteți utilizatori 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: 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. @@ -3889,6 +3940,7 @@ DocType: Support Search Source,Result Title Field,Câmp rezultat titlu apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Rezumatul apelului DocType: Sample Collection,Collected Time,Timpul colectat DocType: Employee Skill Map,Employee Skills,Abilități ale angajaților +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Cheltuieli de combustibil DocType: Company,Sales Monthly History,Istoric Lunar de Vânzări apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Vă rugăm să setați cel puțin un rând în tabelul Impozite și taxe DocType: Asset Maintenance Task,Next Due Date,Data următoare @@ -3898,6 +3950,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Semnele v DocType: Payment Entry,Payment Deductions or Loss,Deducerile de plată sau pierdere DocType: Soil Analysis,Soil Analysis Criterias,Criterii de analiză a solului apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Clauzele contractuale standard pentru vânzări sau de cumpărare. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Rândurile eliminate în {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Începeți check-in-ul înainte de ora de începere a schimbului (în minute) DocType: BOM Item,Item operation,Operarea elementului apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Grup in functie de Voucher @@ -3923,11 +3976,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Platā angajatului {0} deja creat pentru această perioadă apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmaceutic apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Puteți să trimiteți numai permisiunea de înregistrare pentru o sumă validă de încasare +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Articole de apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Costul de produsele cumparate DocType: Employee Separation,Employee Separation Template,Șablon de separare a angajaților DocType: Selling Settings,Sales Order Required,Comandă de Vânzări Obligatorie apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Deveniți un vânzător -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Numărul de apariții după care se execută consecința. ,Procurement Tracker,Urmărirea achizițiilor DocType: Purchase Invoice,Credit To,De Creditat catre apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC inversat @@ -3940,6 +3993,7 @@ DocType: Quality Meeting,Agenda,Agendă DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalii Program Mentenanta DocType: Supplier Scorecard,Warn for new Purchase Orders,Avertizați pentru comenzi noi de achiziție DocType: Quality Inspection Reading,Reading 9,Lectură 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Conectați contul dvs. Exotel la ERPNext și urmăriți jurnalele de apeluri DocType: Supplier,Is Frozen,Este înghețat DocType: Tally Migration,Processed Files,Fișiere procesate apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,depozit nod grup nu este permis să selecteze pentru tranzacții @@ -3949,6 +4003,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Nr. BOM pentru un a DocType: Upload Attendance,Attendance To Date,Prezenţa până la data 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 @@ -3973,7 +4028,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,care a făcut cererea apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Referință invalid {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Reguli pentru aplicarea diferitelor scheme promoționale. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nu poate fi mai mare decât cantitatea planificată ({2}) aferent comenzii de producție {3} DocType: Shipping Rule,Shipping Rule Label,Regula de transport maritim Label DocType: Journal Entry Account,Payroll Entry,Salarizare intrare apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Vizualizați înregistrările de taxe @@ -3985,6 +4039,7 @@ DocType: Contract,Fulfilment Status,Starea de îndeplinire DocType: Lab Test Sample,Lab Test Sample,Test de laborator DocType: Item Variant Settings,Allow Rename Attribute Value,Permiteți redenumirea valorii atributului apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Quick Jurnal de intrare +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Suma viitoare de plată apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Nu puteți schimba rata dacă BOM menționat agianst orice element DocType: Restaurant,Invoice Series Prefix,Prefixul seriei de facturi DocType: Employee,Previous Work Experience,Anterior Work Experience @@ -4014,6 +4069,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Status Proiect DocType: UOM,Check this to disallow fractions. (for Nos),Bifati pentru a nu permite fracțiuni. (Pentru Nos) DocType: Student Admission Program,Naming Series (for Student Applicant),Seria de denumire (pentru Student Solicitant) +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/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 @@ -4029,6 +4085,7 @@ DocType: Fiscal Year,Year End Date,Anul Data de încheiere DocType: Task Depends On,Task Depends On,Sarcina Depinde apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Oportunitate DocType: Options,Option,Opțiune +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Nu puteți crea înregistrări contabile în perioada de contabilitate închisă {0} DocType: Operation,Default Workstation,Implicit Workstation DocType: Payment Entry,Deductions or Loss,Deduceri sau Pierderi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} este închis @@ -4037,6 +4094,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Obține stocul curent DocType: Purchase Invoice,ineligible,neeligibile apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Arborele de Bill de materiale +DocType: BOM,Exploded Items,Articole explozibile DocType: Student,Joining Date,Data Angajării ,Employees working on a holiday,Numar de angajati care lucreaza in vacanta ,TDS Computation Summary,Rezumatul TDS de calcul @@ -4069,6 +4127,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Rata de bază (conform DocType: SMS Log,No of Requested SMS,Nu de SMS solicitat apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Concediu fără plată nu se potrivește cu înregistrările privind concediul de aplicare aprobat apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Pasii urmatori +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Articole salvate DocType: Travel Request,Domestic,Intern apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Vă rugăm să furnizeze elementele specificate la cele mai bune tarife posibile apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Transferul angajaților nu poate fi depus înainte de data transferului @@ -4141,7 +4200,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Cont activ Categorie apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Valoarea {0} este deja atribuită unui articol de ieșire {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Rândul # {0} (tabelul de plată): Suma trebuie să fie pozitivă -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Nu se pot produce mai multe Articole {0} decât cantitatea din Ordinul de Vânzări {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Nu se pot produce mai multe Articole {0} decât cantitatea din Ordinul de Vânzări {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Nimic nu este inclus în brut apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill există deja pentru acest document apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Selectați valorile atributelor @@ -4176,12 +4235,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Activați consecințe diferite pentru ieșirea timpurie ,Lab Test Report,Raport de testare în laborator DocType: Employee Benefit Application,Employee Benefit Application,Aplicația pentru beneficiile angajaților 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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Vă rugăm livrare Nota primul DocType: Student Applicant,Application Date,Data aplicării DocType: Salary Component,Amount based on formula,Suma bazată pe formula generală DocType: Purchase Invoice,Currency and Price List,Valută și lista de prețuri @@ -4210,6 +4267,7 @@ DocType: Purchase Receipt,Time at which materials were received,Timp în care s- DocType: Products Settings,Products per Page,Produse pe Pagină 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Suma alocată nu poate fi negativă DocType: Sales Order,Billing Status,Stare facturare apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Raportați o problemă @@ -4219,6 +4277,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-si mai mult 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,Rând # {0}: Jurnal de intrare {1} nu are cont {2} sau deja compensată împotriva unui alt voucher DocType: Supplier Scorecard Criteria,Criteria Weight,Criterii Greutate +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Cont: {0} nu este permis în baza intrării de plată DocType: Production Plan,Ignore Existing Projected Quantity,Ignorați cantitatea proiectată existentă apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Lăsați notificarea de aprobare DocType: Buying Settings,Default Buying Price List,Lista de POrețuri de Cumparare Implicita @@ -4227,6 +4286,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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ă 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" DocType: Payment Entry,Payment Type,Tip de plată apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Selectați un lot pentru articolul {0}. Nu se poate găsi un singur lot care să îndeplinească această cerință @@ -4256,6 +4316,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Setări Cosul de cumparat DocType: Journal Entry,Accounting Entries,Înregistrări contabile 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"." +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 DocType: Journal Entry,Paid Loan,Imprumut platit 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ță @@ -4272,12 +4333,14 @@ DocType: Shopify Settings,Webhooks Details,Detaliile Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Nu există nicio foaie de timp DocType: GoCardless Mandate,GoCardless Customer,Clientul GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Lasă Tipul {0} nu poate fi transporta-transmise +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cod articol> Grup de articole> Marcă apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Programul de Mentenanta nu este generat pentru toate articolele. Vă rugăm să faceți clic pe 'Generare Program' ,To Produce,Pentru a produce DocType: Leave Encashment,Payroll,stat de plată 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","Pentru rândul {0} în {1}. Pentru a include {2} ratei punctul, randuri {3} De asemenea, trebuie să fie incluse" DocType: Healthcare Service Unit,Parent Service Unit,Serviciul pentru părinți DocType: Packing Slip,Identification of the package for the delivery (for print),Identificarea pachetului pentru livrare (pentru imprimare) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Acordul privind nivelul serviciilor a fost resetat. DocType: Bin,Reserved Quantity,Cantitate rezervata apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Introduceți adresa de e-mail validă apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Introduceți adresa de e-mail validă @@ -4299,7 +4362,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Preț sau reducere produs apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Pentru rândul {0}: Introduceți cantitatea planificată DocType: Account,Income Account,Contul de venit -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriul DocType: Payment Request,Amount in customer's currency,Suma în moneda clientului apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Livrare apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Alocarea structurilor ... @@ -4322,6 +4384,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Veți pierde înregistrări ale facturilor generate anterior. Sigur doriți să reporniți acest abonament? @@ -4377,11 +4440,10 @@ DocType: Additional Salary,HR User,Utilizator HR DocType: Bank Guarantee,Reference Document Name,Numele documentului de referință DocType: Purchase Invoice,Taxes and Charges Deducted,Impozite și Taxe dedus DocType: Support Settings,Issues,Probleme -DocType: Shift Type,Early Exit Consequence after,Consecință de ieșire timpurie după DocType: Loyalty Program,Loyalty Program Name,Nume program de loialitate apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Statusul trebuie să fie unul din {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Memento pentru actualizarea mesajului GSTIN Trimis -DocType: Sales Invoice,Debit To,Debit Pentru +DocType: Discounted Invoice,Debit To,Debit Pentru DocType: Restaurant Menu Item,Restaurant Menu Item,Articol Meniu Restaurant DocType: Delivery Note,Required only for sample item.,Necesar numai pentru articolul de probă. DocType: Stock Ledger Entry,Actual Qty After Transaction,Cant. efectivă după tranzacție @@ -4464,6 +4526,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Nume parametru apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Lăsați numai aplicațiile cu statut „Aprobat“ și „Respins“ pot fi depuse apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Crearea dimensiunilor ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Grupul studențesc Nume este obligatoriu în rândul {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Bypass limita de credit_check DocType: Homepage,Products to be shown on website homepage,Produsele care urmează să fie afișate pe pagina de pornire site DocType: HR Settings,Password Policy,Politica de parolă apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Acesta este un grup de clienți rădăcină și nu pot fi editate. @@ -4523,10 +4586,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),În apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Alegeți clientul implicit în Setări restaurant ,Salary Register,Salariu Înregistrare DocType: Company,Default warehouse for Sales Return,Depozit implicit pentru returnarea vânzărilor -DocType: Warehouse,Parent Warehouse,Depozit Părinte +DocType: Pick List,Parent Warehouse,Depozit Părinte DocType: Subscription,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/production_order/production_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/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/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 @@ -4562,6 +4625,7 @@ DocType: Travel Itinerary,Lodging Required,Cazare solicitată DocType: Promotional Scheme,Price Discount Slabs,Placi cu reducere de preț DocType: Stock Reconciliation Item,Current Serial No,Serial curent nr DocType: Employee,Attendance and Leave Details,Detalii de participare și concediu +,BOM Comparison Tool,Instrument de comparare BOM ,Requested,Solicitată apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Nu Observații DocType: Asset,In Maintenance,În Mentenanță @@ -4584,6 +4648,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Acordul implicit privind nivelul serviciilor DocType: SG Creation Tool Course,Course Code,Codul cursului apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Nu sunt permise mai multe selecții pentru {0} +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Cantitatea de materii prime va fi decisă pe baza cantității articolului de produse finite DocType: Location,Parent Location,Locația părintească DocType: POS Settings,Use POS in Offline Mode,Utilizați POS în modul offline apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prioritatea a fost modificată la {0}. @@ -4602,7 +4667,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Exemplu de reținere depozit DocType: Company,Default Receivable Account,Implicit cont de încasat apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Formula de cantitate proiectată DocType: Sales Invoice,Deemed Export,Considerat export -DocType: Stock Entry,Material Transfer for Manufacture,Transfer de materii pentru fabricarea +DocType: Pick List,Material Transfer for Manufacture,Transfer de materii pentru fabricarea 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.,Procentul de reducere se poate aplica fie pe o listă de prețuri sau pentru toate lista de prețuri. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Intrare Contabilă pentru Stoc DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4645,7 +4710,6 @@ DocType: Training Event,Theory,Teorie apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Atenție: Materialul solicitat Cant este mai mică decât minima pentru comanda Cantitate apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Contul {0} este Blocat DocType: Quiz Question,Quiz Question,Întrebare întrebare -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizor> Tip furnizor 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" @@ -4676,6 +4740,7 @@ DocType: Antibiotic,Healthcare Administrator,Administrator de asistență medica 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 DocType: Account,Expense Account,Cont de cheltuieli apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Culoare @@ -4714,6 +4779,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Gestionează Parte 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 DocType: Fee Validity,Visited yet,Vizitată încă +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Puteți prezenta până la 8 articole. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Depozite tranzacție existente nu pot fi convertite în grup. 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. @@ -4721,7 +4787,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4746,7 +4811,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Conversie UOM în DocType: Contract,Signee Details,Signee Detalii apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} are în prezent {1} Scor de Furnizor, iar cererile de oferta către acest furnizor ar trebui emise cu prudență." DocType: Certified Consultant,Non Profit Manager,Manager non-profit -DocType: BOM,Total Cost(Company Currency),Cost total (companie Moneda) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serial Nu {0} a creat DocType: Homepage,Company Description for website homepage,Descriere companie pentru pagina de start site DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Pentru comoditatea clienților, aceste coduri pot fi utilizate în formate de imprimare cum ar fi Facturi și Note de Livrare" @@ -4775,7 +4839,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Primirea DocType: Amazon MWS Settings,Enable Scheduled Synch,Activați sincronizarea programată apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Pentru a Datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Busteni pentru menținerea statutului de livrare sms -DocType: Shift Type,Early Exit Consequence,Consecință de ieșire timpurie DocType: Accounts Settings,Make Payment via Journal Entry,Efectuați o plată prin Jurnalul de intrare apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Vă rugăm să nu creați mai mult de 500 de articole simultan apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,imprimat pe @@ -4832,6 +4895,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,limita Traversa 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Data Înființării apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Capital de Risc apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Un termen academic cu acest "An universitar" {0} și "Numele Termenul" {1} există deja. Vă rugăm să modificați aceste intrări și încercați din nou. @@ -4894,6 +4958,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,tip de client DocType: Compensatory Leave Request,Leave Allocation,Alocare Concediu DocType: Payment Request,Recipient Message And Payment Details,Mesaj destinatar și Detalii de plată +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Vă rugăm să selectați o notă de livrare DocType: Support Search Source,Source DocType,Sursa DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Deschideți un nou bilet DocType: Training Event,Trainer Email,trainer e-mail @@ -5015,6 +5080,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Din Data' trebuie să fie dupã 'Până în Data' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Nu au fost găsite planuri de personal pentru această desemnare apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Lotul {0} al elementului {1} este dezactivat. @@ -5036,7 +5102,7 @@ DocType: Clinical Procedure,Patient,Rabdator apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Anulați verificarea creditului la Ordin de vânzări DocType: Employee Onboarding Activity,Employee Onboarding Activity,Activitatea de angajare a angajaților DocType: Location,Check if it is a hydroponic unit,Verificați dacă este o unitate hidroponică -DocType: Stock Reconciliation Item,Serial No and Batch,Serial și Lot nr +DocType: Pick List Item,Serial No and Batch,Serial și Lot nr DocType: Warranty Claim,From Company,De la Compania DocType: GSTR 3B Report,January,ianuarie apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Suma Scorurile de criterii de evaluare trebuie să fie {0}. @@ -5061,7 +5127,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Reducere 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nu a fost găsit {0} pentru tranzacțiile Intercompanie. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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ț @@ -5094,11 +5159,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Centrul de c 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Rămas DocType: Appraisal,Appraisal,Expertiză DocType: Loan,Loan Account,Contul împrumutului apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Câmpurile valabile și valabile până la acestea sunt obligatorii pentru cumul +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Pentru articolul {0} din rândul {1}, numărul de serii nu se potrivește cu cantitatea aleasă" DocType: Purchase Invoice,GST Details,Detalii GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Aceasta se bazează pe tranzacțiile împotriva acestui medic. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-mail trimis la furnizorul {0} @@ -5162,6 +5229,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),"Greutatea brută a pachetului. Greutate + ambalare, de obicei, greutate netă de material. (Pentru imprimare)" DocType: Assessment Plan,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Utilizatorii cu acest rol li se permite să stabilească în conturile înghețate și de a crea / modifica intrări contabile împotriva conturile înghețate +DocType: Plaid Settings,Plaid Environment,Mediu plaid ,Project Billing Summary,Rezumatul facturării proiectului DocType: Vital Signs,Cuts,Bucăți DocType: Serial No,Is Cancelled,Este anulat @@ -5224,7 +5292,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Notă: Sistemul nu va verifica peste, livrare și supra-rezervări pentru postul {0} ca și cantitatea sau valoarea este 0" DocType: Issue,Opening Date,Data deschiderii apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Salvați mai întâi pacientul -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Creează un nou contact apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Prezența a fost marcată cu succes. DocType: Program Enrollment,Public Transport,Transport public DocType: Sales Invoice,GST Vehicle Type,Tipul vehiculului GST @@ -5251,6 +5318,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Facturi cu 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Mai întâi adăugați elemente din tabelul Locații de articole DocType: Pricing Rule,Discount Amount,Reducere Suma DocType: Pricing Rule,Period Settings,Setări perioade DocType: Purchase Invoice,Return Against Purchase Invoice,Reveni Împotriva cumparare factură @@ -5283,7 +5351,6 @@ DocType: Assessment Plan,Assessment Plan,Plan de evaluare DocType: Travel Request,Fully Sponsored,Sponsorizat complet apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Intrare în jurnal invers apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Creați carte de muncă -DocType: Shift Type,Consequence after,Consecința după DocType: Quality Procedure Process,Process Description,Descrierea procesului apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Clientul {0} este creat. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,În prezent nu există stoc disponibil în niciun depozit @@ -5318,6 +5385,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Data Aprobare DocType: Delivery Settings,Dispatch Notification Template,Șablonul de notificare pentru expediere apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Raport de evaluare apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Obțineți angajați +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 @@ -5411,7 +5479,6 @@ DocType: Stock Settings,Use Naming Series,Utilizați seria de numire apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Fara actiune apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Taxele de tip evaluare nu poate marcate ca Inclusive DocType: POS Profile,Update Stock,Actualizare stock -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Un UOM diferit pentru articole va conduce la o valoare incorecta pentru Greutate Neta (Total). Asigurați-vă că Greutatea Netă a fiecărui articol este în același UOM. DocType: Certification Application,Payment Details,Detalii de plata apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Rată BOM @@ -5446,7 +5513,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Aceasta este o persoană de vânzări rădăcină și nu pot fi editate. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Dacă este selectată, valoarea specificată sau calculată în această componentă nu va contribui la câștigurile sau deducerile. Cu toate acestea, valoarea sa poate fi menționată de alte componente care pot fi adăugate sau deduse." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Dacă este selectată, valoarea specificată sau calculată în această componentă nu va contribui la câștigurile sau deducerile. Cu toate acestea, valoarea sa poate fi menționată de alte componente care pot fi adăugate sau deduse." -DocType: Asset Settings,Number of Days in Fiscal Year,Numărul de zile în anul fiscal ,Stock Ledger,Registru Contabil Stocuri DocType: Company,Exchange Gain / Loss Account,Cont Cheltuiala / Venit din diferente de curs valutar DocType: Amazon MWS Settings,MWS Credentials,Certificatele MWS @@ -5482,6 +5548,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Coloana în fișierul bancar apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Lăsați aplicația {0} să existe deja împotriva elevului {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,A intrat în așteptare pentru actualizarea ultimului preț în toate materialele. Ar putea dura câteva minute. +DocType: Pick List,Get Item Locations,Obțineți locații de articole apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Numele de cont nou. Notă: Vă rugăm să nu creați conturi pentru clienți și furnizori DocType: POS Profile,Display Items In Stock,Afișați articolele în stoc apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Șabloanele țară înțelept adresa implicită @@ -5505,6 +5572,7 @@ DocType: Crop,Materials Required,Materiale necesare apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Nu există elevi găsit DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Scutire lunară pentru HRA DocType: Clinical Procedure,Medical Department,Departamentul medical +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Total Ieșiri anticipate DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Criteriile de evaluare a Scorecard-ului furnizorului apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Data Postare factură apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Vinde @@ -5516,11 +5584,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Vă rugăm să ștergeți Angajatul {0} \ pentru a anula acest document" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Din AMC DocType: Opportunity,Opportunity Amount,Oportunitate Sumă +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Profilul tau apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Numărul de Deprecieri Booked nu poate fi mai mare decât Număr total de Deprecieri DocType: Purchase Order,Order Confirmation Date,Data de confirmare a comenzii DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5614,7 +5681,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Există neconcordanțe între rata, numărul de acțiuni și suma calculată" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Nu vă prezentați toată ziua (zilele) între zilele de solicitare a plății compensatorii apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Vă rugăm să re-tip numele companiei pentru a confirma -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Totală restantă Amt DocType: Journal Entry,Printing Settings,Setări de imprimare DocType: Payment Order,Payment Order Type,Tipul ordinului de plată DocType: Employee Advance,Advance Account,Advance Account @@ -5704,7 +5770,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,An Denumire apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Există mai multe sărbători decât de zile de lucru în această lună. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Următoarele elemente {0} nu sunt marcate ca {1} element. Puteți să le activați ca element {1} din capitolul Articol -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Produs Bundle Postul DocType: Sales Partner,Sales Partner Name,Numele Partner Sales apps/erpnext/erpnext/hooks.py,Request for Quotations,Cerere de Oferte @@ -5713,7 +5778,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Frunze +DocType: Leave Ledger Entry,Leaves,Frunze DocType: Student Language,Student Language,Limba Student DocType: Cash Flow Mapping,Is Working Capital,Este capitalul de lucru apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Trimiteți dovada @@ -5721,12 +5786,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Ordine / Cotare% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Înregistrați vitalii pacientului DocType: Fee Schedule,Institution,Instituţie -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: Asset,Partially Depreciated,parțial Depreciata DocType: Issue,Opening Time,Timp de deschidere apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Datele De La și Pana La necesare apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,A Valorilor Mobiliare și Burselor de Mărfuri -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Rezumatul apelurilor cu {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Căutare în Docs apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unitatea implicit de măsură pentru Variant '{0} "trebuie să fie la fel ca în Template" {1} " DocType: Shipping Rule,Calculate Based On,Calculaţi pe baza @@ -5773,6 +5836,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Valoarea maximă admisă 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 DocType: Lab Test Template,Sensitivity,Sensibilitate DocType: Plaid Settings,Plaid Settings,Setări Plaid apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Sincronizarea a fost temporar dezactivată, deoarece au fost depășite încercările maxime" @@ -5790,6 +5854,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vă rugăm să selectați postarea Data primei apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,"Deschiderea Data ar trebui să fie, înainte de Data inchiderii" DocType: Travel Itinerary,Flight,Zbor +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Înapoi acasă DocType: Leave Control Panel,Carry Forward,Transmite Inainte apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Centrul de Cost cu tranzacții existente nu poate fi transformat în registru contabil DocType: Budget,Applicable on booking actual expenses,Se aplică la rezervarea cheltuielilor reale @@ -5846,6 +5911,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Creare Ofertă apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Tu nu sunt autorizate să aprobe frunze pe bloc Perioada apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Cerere pentru {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Toate aceste articole au fost deja facturate +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Nu s-au găsit facturi restante pentru {0} {1} care califică filtrele pe care le-ați specificat. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Setați noua dată de lansare DocType: Company,Monthly Sales Target,Vânzări lunare apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nu s-au găsit facturi restante @@ -5893,6 +5959,7 @@ DocType: Batch,Source Document Name,Numele sursei de document DocType: Batch,Source Document Name,Numele sursei de document DocType: Production Plan,Get Raw Materials For Production,Obțineți materii prime pentru producție DocType: Job Opening,Job Title,Denumire Post +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Plată viitoare Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} indică faptul că {1} nu va oferi o cotație, dar toate articolele \ au fost cotate. Se actualizează statusul cererii de oferta." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Probele maxime - {0} au fost deja reținute pentru lotul {1} și articolul {2} din lotul {3}. @@ -5903,12 +5970,10 @@ 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: Company,Product Code,Codul produsului DocType: Quality Review Table,Objective,Obiectiv DocType: Supplier Scorecard,Per Month,Pe luna DocType: Education Settings,Make Academic Term Mandatory,Asigurați-obligatoriu termenul academic -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Cantitatea să Fabricare trebuie sa fie mai mare decât 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Calculați programul de amortizare proporțional pe baza anului fiscal +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Cantitatea să Fabricare trebuie sa fie mai mare decât 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Vizitați raport pentru apel de mentenanță. DocType: Stock Entry,Update Rate and Availability,Actualizarea Rata și disponibilitatea 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.,"Procentul vi se permite de a primi sau livra mai mult față de cantitatea comandata. De exemplu: Dacă ați comandat 100 de unități. și alocația este de 10%, atunci vi se permite să primească 110 de unități." @@ -5920,7 +5985,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Data lansării trebuie să fie în viitor DocType: BOM,Website Description,Site-ul Descriere apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Schimbarea net în capitaluri proprii -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Vă rugăm să anulați Achiziționarea factură {0} mai întâi apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Nu sunt acceptate. Dezactivați tipul unității de serviciu apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Adresa de e-mail trebuie să fie unic, există deja pentru {0}" DocType: Serial No,AMC Expiry Date,Dată expirare AMC @@ -5964,6 +6028,7 @@ DocType: Pricing Rule,Price Discount Scheme,Schema de reducere a prețurilor apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Starea de întreținere trebuie anulată sau finalizată pentru a fi trimisă DocType: Amazon MWS Settings,US,S.U.A. DocType: Holiday List,Add Weekly Holidays,Adăugă Sărbători Săptămânale +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Raport articol DocType: Staffing Plan Detail,Vacancies,Posturi vacante DocType: Hotel Room,Hotel Room,Cameră de hotel apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Contul {0} nu aparține companiei {1} @@ -6015,12 +6080,15 @@ DocType: Email Digest,Open Quotations,Oferte deschise 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Vă rugăm să ștergeți Angajatul {0} \ pentru a anula acest document" 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ă @@ -6034,6 +6102,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Vacant DocType: Patient,Alcohol Past Use,Utilizarea anterioară a alcoolului DocType: Fertilizer Content,Fertilizer Content,Conținut de îngrășăminte +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,fără descriere apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Situatie facturare DocType: Quality Goal,Monitoring Frequency,Frecvența de monitorizare @@ -6051,6 +6120,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Sfârșitul de data nu poate fi înaintea datei următoarei persoane de contact. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Înregistrări pe lot DocType: Journal Entry,Pay To / Recd From,Pentru a plăti / Recd de la +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Publicarea articolului DocType: Naming Series,Setup Series,Seria de configurare DocType: Payment Reconciliation,To Invoice Date,Pentru a facturii Data DocType: Bank Account,Contact HTML,HTML Persoana de Contact @@ -6072,6 +6142,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Cu amănuntul DocType: Student Attendance,Absent,Absent DocType: Staffing Plan,Staffing Plan Detail,Detaliile planului de personal DocType: Employee Promotion,Promotion Date,Data promoției +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Alocarea de concediu% s este legată de cererea de concediu% s 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} @@ -6106,9 +6177,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Factura {0} nu mai există DocType: Guardian Interest,Guardian Interest,Interes tutore DocType: Volunteer,Availability,Disponibilitate +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Cererea de concediu este legată de alocațiile de concediu {0}. Cererea de concediu nu poate fi stabilită ca concediu fără plată apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Configurați valorile implicite pentru facturile POS DocType: Employee Training,Training,Pregătire DocType: Project,Time to send,Este timpul să trimiteți +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Această pagină ține evidența articolelor dvs. pentru care cumpărătorii au arătat interes. DocType: Timesheet,Employee Detail,Detaliu angajat apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Setați depozitul pentru procedura {0} 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 @@ -6209,12 +6282,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Valoarea de deschidere DocType: Salary Component,Formula,Formulă apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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: 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/setup/doctype/company/company.py,Sales Account,Cont de vânzări DocType: Purchase Invoice Item,Total Weight,Greutate totală +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}" @@ -6238,6 +6311,7 @@ DocType: Company,Default Employee Advance Account,Implicit Cont Advance Advance apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Elementul de căutare (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Un cont cu tranzacții existente nu poate fi șters +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,De ce credeți că acest articol ar trebui eliminat? DocType: Vehicle,Last Carbon Check,Ultima Verificare carbon apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Cheltuieli Juridice apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Selectați cantitatea pe rând @@ -6257,6 +6331,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Avarie DocType: Travel Itinerary,Vegetarian,Vegetarian DocType: Patient Encounter,Encounter Date,Data întâlnirii +DocType: Work Order,Update Consumed Material Cost In Project,Actualizați costurile materialelor consumate în proiect apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Contul: {0} cu moneda: {1} nu poate fi selectat DocType: Bank Statement Transaction Settings Item,Bank Data,Date bancare DocType: Purchase Receipt Item,Sample Quantity,Cantitate de probă @@ -6311,7 +6386,7 @@ DocType: GSTR 3B Report,April,Aprilie 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Notă: Articolul {0} a intrat de mai multe ori +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Notă: Articolul {0} a intrat de mai multe ori apps/erpnext/erpnext/config/buying.py,All Contacts.,Toate contactele. DocType: Accounting Period,Closed Documents,Documente închise 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 @@ -6393,9 +6468,7 @@ DocType: Member,Membership Type,Tipul de membru ,Reqd By Date,Cerere livrare la data de apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Creditorii DocType: Assessment Plan,Assessment Name,Nume evaluare -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Afișați PDC în imprimantă apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Nu serial este obligatorie -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Nu s-au găsit facturi restante pentru {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detaliu Taxa Avizata Articol DocType: Employee Onboarding,Job Offer,Ofertă de muncă apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institutul Abreviere @@ -6455,6 +6528,7 @@ DocType: Serial No,Out of Warranty,Ieșit din garanție DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapat tipul de date DocType: BOM Update Tool,Replace,Înlocuiește apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Nu găsiți produse. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Publicați mai multe articole apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Acest Acord de nivel de serviciu este specific Clientului {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} comparativ cu factura de vânzări {1} DocType: Antibiotic,Laboratory User,Utilizator de laborator @@ -6477,7 +6551,6 @@ DocType: Payment Order Reference,Bank Account Details,Detaliile contului bancar DocType: Purchase Order Item,Blanket Order,Ordinul de ștergere 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Ordinul de producție a fost {0} DocType: BOM Item,BOM No,Nr. BOM 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 @@ -6551,6 +6624,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Livrări impozabile externe (zero) DocType: BOM,Materials Required (Exploded),Materiale necesare (explodat) 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/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 @@ -6608,7 +6682,6 @@ DocType: Pricing Rule,Same Item,Același articol DocType: Stock Ledger Entry,Stock Ledger Entry,Registru Contabil Intrări DocType: Quality Action Resolution,Quality Action Resolution,Rezolvare acțiuni de calitate apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} în concediu de jumatate de zi in data de {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Același articol a fost introdus de mai multe ori DocType: Department,Leave Block List,Lista Concedii Blocate DocType: Purchase Invoice,Tax ID,ID impozit apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Articolul {0} nu este configurat pentru Numerotare Seriala. Coloana trebuie să fie vida @@ -6646,7 +6719,7 @@ DocType: Cheque Print Template,Distance from top edge,Distanța de la marginea d 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ă DocType: Purchase Invoice,Return,Întoarcere -DocType: Accounting Dimension,Disable,Dezactivati +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ă DocType: Task,Pending Review,Revizuirea în curs apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Modificați pe pagina completă pentru mai multe opțiuni, cum ar fi active, numere de serie, loturi etc." @@ -6760,7 +6833,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Partea facturată combinată trebuie să fie egală cu 100% DocType: Item Default,Default Expense Account,Cont de Cheltuieli Implicit DocType: GST Account,CGST Account,Contul CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Cod articol> Grup de articole> Marcă apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,ID-ul de student e-mail DocType: Employee,Notice (days),Preaviz (zile) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Facturi pentru voucherele de închidere de la POS @@ -6771,6 +6843,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Selectați elemente pentru a salva factura DocType: Employee,Encashment Date,Data plata in Numerar DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Informatiile vanzatorului DocType: Special Test Template,Special Test Template,Șablon de testare special DocType: Account,Stock Adjustment,Ajustarea stoc apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Există implicit Activitate Cost de activitate de tip - {0} @@ -6782,7 +6855,6 @@ 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" -DocType: Company,Bank Remittance Settings,Setări de remitență bancară apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Rata medie 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" @@ -6810,6 +6882,7 @@ DocType: Grading Scale Interval,Threshold,Prag apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtrați angajații după (opțional) DocType: BOM Update Tool,Current BOM,FDM curent apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Sold (Dr-Cr) +DocType: Pick List,Qty of Finished Goods Item,Cantitatea articolului de produse finite apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Adăugaţi Nr. de Serie DocType: Work Order Item,Available Qty at Source Warehouse,Cantitate disponibilă la Warehouse sursă apps/erpnext/erpnext/config/support.py,Warranty,garanţie @@ -6888,7 +6961,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aici puteți stoca informatii despre inaltime, greutate, alergii, probleme medicale etc" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Crearea de conturi ... DocType: Leave Block List,Applies to Company,Se aplică companiei -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nu pot anula, deoarece a prezentat Bursa de intrare {0} există" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nu pot anula, deoarece a prezentat Bursa de intrare {0} există" DocType: Loan,Disbursement Date,debursare DocType: Service Level Agreement,Agreement Details,Detalii despre acord apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Data de începere a acordului nu poate fi mai mare sau egală cu data de încheiere. @@ -6897,6 +6970,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Fișă medicală DocType: Vehicle,Vehicle,Vehicul DocType: Purchase Invoice,In Words,În cuvinte +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Până în prezent trebuie să fie înainte de această dată apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Introduceți numele băncii sau al instituției de credit înainte de depunere. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} trebuie transmis DocType: POS Profile,Item Groups,Grupuri articol @@ -6969,7 +7043,6 @@ DocType: Customer,Sales Team Details,Detalii de vânzări Echipa apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Șterge definitiv? DocType: Expense Claim,Total Claimed Amount,Total suma pretinsă apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potențiale oportunități de vânzare. -DocType: Plaid Settings,Link a new bank account,Conectați un nou cont bancar apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} este o stare de prezență nevalidă. DocType: Shareholder,Folio no.,Folio nr. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Invalid {0} @@ -6985,7 +7058,6 @@ DocType: Production Plan,Material Requested,Material solicitat DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Cantitate rezervată pentru subcontract DocType: Patient Service Unit,Patinet Service Unit,Unitatea de service Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Generați fișier text DocType: Sales Invoice,Base Change Amount (Company Currency),De schimbare a bazei Suma (Companie Moneda) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Nici o intrare contabile pentru următoarele depozite apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Numai {0} în stoc pentru elementul {1} @@ -6999,6 +7071,7 @@ DocType: Item,No of Months,Numărul de luni DocType: Item,Max Discount (%),Max Discount (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Zilele de credit nu pot fi un număr negativ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Încărcați o declarație +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Raportați acest articol DocType: Purchase Invoice Item,Service Stop Date,Data de începere a serviciului apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Ultima cantitate DocType: Cash Flow Mapper,e.g Adjustments for:,de ex. ajustări pentru: @@ -7092,16 +7165,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Angajament categoria de scutire fiscală apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Suma nu trebuie să fie mai mică de zero. DocType: Sales Invoice,C-Form Applicable,Formular-C aplicabil -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Funcționarea timp trebuie să fie mai mare decât 0 pentru funcționare {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Funcționarea timp trebuie să fie mai mare decât 0 pentru funcționare {0} DocType: Support Search Source,Post Route String,Postați șirul de rută apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Depozitul este obligatoriu apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Eroare la crearea site-ului DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Detaliu UOM de conversie apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Admitere și înscriere -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Reținerea stocului de stocare deja creată sau Cantitatea de eșantion care nu a fost furnizată +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Reținerea stocului de stocare deja creată sau Cantitatea de eșantion care nu a fost furnizată DocType: Program,Program Abbreviation,Abreviere de program -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Producția Comanda nu poate fi ridicată pe un șablon Postul apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grup după Voucher (Consolidat) DocType: HR Settings,Encrypt Salary Slips in Emails,Criptați diapozitive de salariu în e-mailuri DocType: Question,Multiple Correct Answer,Răspuns corect multiplu @@ -7148,7 +7220,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Este nul sau scutit DocType: Employee,Educational Qualification,Detalii Calificare de Învățământ DocType: Workstation,Operating Costs,Costuri de operare apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Moneda pentru {0} trebuie să fie {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Consecința perioadei de grație a intrării DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Marcați prezența pe baza „Verificării angajaților” pentru angajații repartizați în această schimbă. DocType: Asset,Disposal Date,eliminare Data DocType: Service Level,Response and Resoution Time,Timpul de Răspuns și Resursiune @@ -7197,6 +7268,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Data Finalizare DocType: Purchase Invoice Item,Amount (Company Currency),Sumă (monedă companie) DocType: Program,Is Featured,Este prezentat +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,... Fetching DocType: Agriculture Analysis Criteria,Agriculture User,Utilizator agricol apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Valabil până la data nu poate fi înainte de data tranzacției apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} unități de {1} necesare în {2} pe {3} {4} pentru {5} pentru a finaliza această tranzacție. @@ -7229,7 +7301,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Total plătit Amt 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 @@ -7253,6 +7324,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonim apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Primit de la DocType: Lead,Converted,Transformat DocType: Item,Has Serial No,Are nr. de serie +DocType: Stock Entry Detail,PO Supplied Item,PO Articol furnizat 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} @@ -7367,7 +7439,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Taxe și taxe de sincroniza 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,BOM implicit pentru {0} nu a fost găsit +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Atingeți elementele pentru a le adăuga aici @@ -7403,7 +7475,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Dată Mentenanță DocType: Purchase Invoice Item,Rejected Serial No,Respins de ordine apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Anul Data de începere sau de încheiere este suprapunerea cu {0}. Pentru a evita vă rugăm să setați companie -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Menționați numele de plumb din plumb {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Data de începere trebuie să fie mai mică decât data de sfârșit pentru postul {0} DocType: Shift Type,Auto Attendance Settings,Setări de prezență automată @@ -7414,9 +7485,11 @@ DocType: Upload Attendance,Upload Attendance,Încărcați Spectatori apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM și cantitatea de producție sunt necesare apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Clasă de uzură 2 DocType: SG Creation Tool Course,Max Strength,Putere max +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Contul {0} există deja în compania copil {1}. Următoarele câmpuri au valori diferite, ar trebui să fie aceleași:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Instalarea presetărilor DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Nu este selectată nicio notificare de livrare pentru client {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Rânduri adăugate în {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Angajatul {0} nu are o valoare maximă a beneficiului apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Selectați elementele bazate pe data livrării DocType: Grant Application,Has any past Grant Record,Are vreun dosar Grant trecut @@ -7462,6 +7535,7 @@ DocType: Fees,Student Details,Detalii studențești DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Acesta este UOM-ul implicit utilizat pentru articole și comenzi de vânzări. UOM-ul în rezervă este „Nos”. DocType: Purchase Invoice Item,Stock Qty,Cota stocului DocType: Purchase Invoice Item,Stock Qty,Cota stocului +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 DocType: Loan,Repayment Period in Months,Rambursarea Perioada în luni @@ -7490,6 +7564,7 @@ DocType: Authorization Rule,Customerwise Discount,Reducere Client apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet pentru sarcini. DocType: Purchase Invoice,Against Expense Account,Comparativ contului de cheltuieli apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Instalarea Nota {0} a fost deja prezentat +DocType: BOM,Raw Material Cost (Company Currency),Costul materiei prime (moneda companiei) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Chirie de casă zile plătite care se suprapun cu {0} DocType: GSTR 3B Report,October,octombrie DocType: Bank Reconciliation,Get Payment Entries,Participările de plată @@ -7536,15 +7611,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Data de utilizare disponibilă pentru utilizare este necesară DocType: Request for Quotation,Supplier Detail,Detalii furnizor apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Eroare în formulă sau o condiție: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Suma facturată +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Suma facturată apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Criteriile de greutate trebuie să adauge până la 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Prezență apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,stoc DocType: Sales Invoice,Update Billed Amount in Sales Order,Actualizați suma facturată în comandă de vânzări +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Contacteaza vanzatorul 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,În cuvinte va fi vizibil după ce a salva Ordinul de cumparare. @@ -7558,6 +7635,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Maestru Lista de prețuri. DocType: Task,Review Date,Data Comentariului DocType: BOM,Allow Alternative Item,Permiteți un element alternativ +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Încasarea de cumpărare nu are niciun articol pentru care este activat eșantionul de păstrare. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Total factură mare DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Seria pentru intrarea în amortizarea activelor (intrare în jurnal) DocType: Membership,Member Since,Membru din @@ -7567,6 +7645,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Pe net total 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},Valoare pentru atributul {0} trebuie să fie în intervalul de {1} la {2} în trepte de {3} pentru postul {4} DocType: Pricing Rule,Product Discount Scheme,Schema de reducere a produsului +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Apelantul nu a pus nicio problemă. DocType: Restaurant Reservation,Waitlisted,waitlisted DocType: Employee Tax Exemption Declaration Category,Exemption Category,Categoria de scutire apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Moneda nu poate fi schimbat după efectuarea înregistrări folosind un altă valută @@ -7580,7 +7659,6 @@ DocType: Customer Group,Parent Customer Group,Părinte Grup Clienți apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON poate fi generat numai din factura de vânzări apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Încercări maxime pentru acest test au fost atinse! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Abonament -DocType: Purchase Invoice,Contact Email,Email Persoana de Contact apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Crearea taxelor în așteptare DocType: Project Template Task,Duration (Days),Durata (zile) DocType: Appraisal Goal,Score Earned,Scor Earned @@ -7606,7 +7684,6 @@ DocType: Landed Cost Item,Landed Cost Item,Cost Final Articol 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Suma pentru o singură tranzacție depășește valoarea maximă permisă, creează o comandă de plată separată prin împărțirea tranzacțiilor" 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 @@ -7776,6 +7853,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Dispo DocType: Quality Inspection Reading,Reading 3,Lectura 3 DocType: Stock Entry,Source Warehouse Address,Adresă Depozit Sursă DocType: GL Entry,Voucher Type,Tip Voucher +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Plăți viitoare 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 @@ -7802,6 +7880,7 @@ 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." DocType: Sales Invoice,Customer GSTIN,Client GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Lista bolilor detectate pe teren. Când este selectată, va adăuga automat o listă de sarcini pentru a face față bolii" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Aceasta este o unitate de asistență medicală rădăcină și nu poate fi editată. DocType: Asset Repair,Repair Status,Stare de reparare 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." @@ -7816,6 +7895,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Contul pentru Schimbare Sumă DocType: QuickBooks Migrator,Connecting to QuickBooks,Conectarea la QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Total câștig / pierdere +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Creați lista de alegeri apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rând {0}: Parte / conturi nu se potrivește cu {1} / {2} din {3} {4} DocType: Employee Promotion,Employee Promotion,Promovarea angajaților DocType: Maintenance Team Member,Maintenance Team Member,Membru Echipă de Mentenanță @@ -7899,6 +7979,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Salariul net nu poate fi negativ @@ -7930,7 +8011,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Obiectivul de calitate DocType: BOM,Item to be manufactured or repacked,Articol care urmează să fie fabricat sau reambalat apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Eroare de sintaxă în stare: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Nicio problemă ridicată de client. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Subiecte Majore / Opționale apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Setați Grupul de furnizori în Setări de cumpărare. @@ -8023,8 +8103,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Zile de Credit apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Selectați pacientul pentru a obține testele de laborator DocType: Exotel Settings,Exotel Settings,Setări Exotel -DocType: Leave Type,Is Carry Forward,Este Carry Forward +DocType: Leave Ledger Entry,Is Carry Forward,Este Carry Forward DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Ore de lucru sub care este marcat absentul. (Zero dezactivat) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Trimite un mesaj apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Obține articole din FDM 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 diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv index 1512ad0f99..ca91dc4607 100644 --- a/erpnext/translations/ru.csv +++ b/erpnext/translations/ru.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Сообщите поставщику apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,"Пожалуйста, выберите партии первого типа" DocType: Item,Customer Items,Продукты для клиентов +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,пассивы DocType: Project,Costing and Billing,Калькуляция и биллинг apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},"Валюта авансового счета должна быть такой же, как и валюта компании {0}" DocType: QuickBooks Migrator,Token Endpoint,Конечная точка маркера @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Единица измерения по у DocType: SMS Center,All Sales Partner Contact,Всем Контактам Торговых Партнеров DocType: Department,Leave Approvers,Оставьте Утверждающие DocType: Employee,Bio / Cover Letter,Био / сопроводительное письмо +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Поиск предметов ... DocType: Patient Encounter,Investigations,исследования DocType: Restaurant Order Entry,Click Enter To Add,Нажмите «Ввод для добавления». apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Недостающее значение для пароля, ключа API или URL-адрес для поиска" DocType: Employee,Rented,Арендованный apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Все учетные записи apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Нельзя перевести сотрудника со статусом Уволен -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Остановился производственного заказа не может быть отменено, откупоривать сначала отменить" DocType: Vehicle Service,Mileage,пробег apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Вы действительно хотите отказаться от этого актива? DocType: Drug Prescription,Update Schedule,Расписание обновлений @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Клиент DocType: Purchase Receipt Item,Required By,Требуется По DocType: Delivery Note,Return Against Delivery Note,Вернуться На накладной DocType: Asset Category,Finance Book Detail,Финансовая книга +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Все амортизации были забронированы DocType: Purchase Order,% Billed,% Выставлено apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Номер платежной ведомости apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),"Курс должен быть таким же, как {0} {1} ({2})" @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Статус срока годности партии продукта apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Банковский счет DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-СП-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Всего поздних заявок DocType: Mode of Payment Account,Mode of Payment Account,Форма оплаты счета apps/erpnext/erpnext/config/healthcare.py,Consultation,Консультация DocType: Accounts Settings,Show Payment Schedule in Print,Показать график платежей в печати @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,В apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Основные контактные данные apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Открыть вопросы DocType: Production Plan Item,Production Plan Item,Производственный план Пункт +DocType: Leave Ledger Entry,Leave Ledger Entry,Выйти из книги apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Пользователь {0} уже назначен сотрудником {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},Поле {0} ограничено размером {1} DocType: Lab Test Groups,Add new line,Добавить строку apps/erpnext/erpnext/utilities/activation.py,Create Lead,Создать лидерство DocType: Production Plan,Projected Qty Formula,Прогнозируемая Кол-во Формула @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,М DocType: Purchase Invoice Item,Item Weight Details,Деталь Вес Подробности DocType: Asset Maintenance Log,Periodicity,Периодичность apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Финансовый год {0} требуется +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Чистая прибыль / убыток DocType: Employee Group Table,ERPNext User ID,ERPNext ID пользователя DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Минимальное расстояние между рядами растений для оптимального роста apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,"Пожалуйста, выберите пациента, чтобы получить предписанную процедуру" @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Продажа прайс-листа DocType: Patient,Tobacco Current Use,Текущее потребление табака apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Стоимость продажи -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,"Пожалуйста, сохраните ваш документ перед добавлением новой учетной записи" 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 ...,Ищите что-нибудь ... DocType: Company,Phone No,Номер телефона DocType: Delivery Trip,Initial Email Notification Sent,Исходящее уведомление по электронной почте отправлено DocType: Bank Statement Settings,Statement Header Mapping,Сопоставление заголовков операторов @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Пе DocType: Exchange Rate Revaluation Account,Gain/Loss,Прибыль / убыток DocType: Crop,Perennial,круглогодичный DocType: Program,Is Published,Опубликовано +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Показать накладные apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Чтобы разрешить чрезмерную оплату, обновите «Разрешение на чрезмерную оплату» в настройках учетных записей или элемента." DocType: Patient Appointment,Procedure,Процедура DocType: Accounts Settings,Use Custom Cash Flow Format,Использовать формат пользовательского денежного потока @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Оставьте сведения о политике DocType: BOM,Item Image (if not slideshow),Изображение продукта (не для слайд-шоу) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"Строка # {0}: операция {1} не завершена для {2} количества готовой продукции в рабочем задании {3}. Пожалуйста, обновите статус операции с помощью Job Card {4}." -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} является обязательным для генерации денежных переводов, установите поле и повторите попытку" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(часовая ставка ÷ 60) × фактическое время работы apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Строка # {0}: Тип ссылочного документа должен быть одним из заголовка расхода или записи журнала apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Выберите BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Погашать Over Количество периодов apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Количество в продукции не может быть меньше нуля DocType: Stock Entry,Additional Costs,Дополнительные расходы +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Счет существующей проводки не может быть преобразован в группу. DocType: Lead,Product Enquiry,Запрос на продукт DocType: Education Settings,Validate Batch for Students in Student Group,Проверка партии для студентов в студенческой группе @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Под Выпускник apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,"Пожалуйста, установите шаблон по умолчанию для уведомления о статусе отпуска в настройках HR." apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Целевая На DocType: BOM,Total Cost,Общая стоимость +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Распределение истекло! DocType: Soil Analysis,Ca/K,Са / К +DocType: Leave Type,Maximum Carry Forwarded Leaves,Максимум несут переадресованные листья DocType: Salary Slip,Employee Loan,Сотрудник займа DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Отправить запрос на оплату @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Нед apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Выписка по счету apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Фармацевтика DocType: Purchase Invoice Item,Is Fixed Asset,Фиксирована Asset +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Показать будущие платежи DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Этот банковский счет уже синхронизирован DocType: Homepage,Homepage Section,Раздел домашней страницы @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,удобрение apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.","Невозможно обеспечить доставку серийным номером, так как \ Item {0} добавляется с и без обеспечения доставки \ Серийным номером" -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,По крайней мере один способ оплаты требуется для POS счета. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Для партии {0} не требуется номер партии DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Элемент счета транзакции банковского выписки @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,Выберите Сроки и у apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,аута DocType: Bank Statement Settings Item,Bank Statement Settings Item,Элемент настройки выписки по банку DocType: Woocommerce Settings,Woocommerce Settings,Настройки Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Название транзакции DocType: Production Plan,Sales Orders,Сделки apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Программа множественной лояльности найдена для Клиента. Выберите вручную. DocType: Purchase Taxes and Charges,Valuation,Оценка @@ -461,6 +469,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: 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,Обновить группу электронной почты DocType: POS Profile,Only show Customer of these Customer Groups,Показывать только клиентов из этих групп клиентов DocType: Sales Invoice,Is Opening Entry,Открывающая запись @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Упоминание если нестандартная задолженность счет применимо 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,Запись о запасе уже создана для этого списка выбора DocType: Supplier Scorecard,Criteria Setup,Настройка критериев -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Для Склада является обязательным полем для проведения +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,Поступило на DocType: Codification Table,Medical Code,Медицинский кодекс apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Подключить Amazon к ERPNext @@ -486,7 +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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Добавлены банковские счета -DocType: Delivery Stop,Contact Name,Имя Контакта +DocType: Call Log,Contact Name,Имя Контакта DocType: Plaid Settings,Synchronize all accounts every hour,Синхронизировать все учетные записи каждый час DocType: Course Assessment Criteria,Course Assessment Criteria,Критерии оценки курса DocType: Pricing Rule Detail,Rule Applied,Правило применяется @@ -530,7 +540,6 @@ 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,№ Счета на продажу -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Неизвестный номер DocType: Website Filter Field,Website Filter Field,Поле фильтра веб-сайта apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Тип поставки DocType: Material Request Item,Min Order Qty,Минимальный заказ Кол-во @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,Общая сумма DocType: Student Guardian,Relation,Отношение DocType: Quiz Result,Correct,Правильный DocType: Student Guardian,Mother,Мама -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,"Пожалуйста, сначала добавьте действительные ключи API Plaid в site_config.json" DocType: Restaurant Reservation,Reservation End Time,Время окончания бронирования DocType: Crop,Biennial,двухгодичный ,BOM Variance Report,Отчет об изменчивости спецификации @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,Плед Открытый ключ DocType: Payment Term,Payment Term Name,Название условия платежа DocType: Healthcare Settings,Create documents for sample collection,Создание документов для сбора проб apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},"Оплата с {0} {1} не может быть больше, чем суммы задолженности {2}" @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,Настройки POS офлайн DocType: Stock Entry Detail,Reference Purchase Receipt,Ссылка на покупку DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-РЕКО-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Вариант -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Завершен Кол-во не может быть больше, чем ""Кол-во для изготовления""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Завершен Кол-во не может быть больше, чем ""Кол-во для изготовления""" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Период на основе DocType: Period Closing Voucher,Closing Account Head,Закрытие счета руководитель DocType: Employee,External Work History,Внешний Работа История apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Циклическая ссылка Ошибка apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Студенческая отчетная карточка apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Из штырькового кода +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Показать продавца DocType: Appointment Type,Is Inpatient,Является стационарным apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Имя Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,В Слов (Экспорт) будут видны только вы сохраните накладной. @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Имя измерения apps/erpnext/erpnext/healthcare/setup.py,Resistant,резистентный apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Пожалуйста, установите рейтинг номера в отеле {}" +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка> Серия нумерации" DocType: Journal Entry,Multi Currency,Мультивалютность DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип счета apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Срок действия с даты должен быть меньше срока действия до даты @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Признался DocType: Workstation,Rent Cost,Стоимость аренды 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,Сумма после амортизации apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Предстоящие события календаря apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Вариант Атрибуты @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,Запрос на Пред 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Показать продавца в печати 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,Прочность @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Создать нового клиента apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Срок действия apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Если превалируют несколько правил ценообразования, пользователям предлагается установить приоритет вручную для разрешения конфликта." -DocType: Purchase Invoice,Scan Barcode,Сканирование штрих-кода apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Создание заказов на поставку ,Purchase Register,Покупка Становиться на учет apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Пациент не найден @@ -817,6 +828,7 @@ DocType: Account,Old Parent,Старый родительский apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Обязательное поле — академический год apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Обязательное поле — академический год apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} не связано с {2} {3} +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} @@ -860,6 +872,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Заработная плата Компонент для расчета заработной платы на основе расписания. DocType: Driver,Applicable for external driver,Применимо для внешнего драйвера DocType: Sales Order Item,Used for Production Plan,Используется для производственного плана +DocType: BOM,Total Cost (Company Currency),Общая стоимость (валюта компании) DocType: Loan,Total Payment,Всего к оплате apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Невозможно отменить транзакцию для выполненного рабочего заказа. DocType: Manufacturing Settings,Time Between Operations (in mins),Время между операциями (в мин) @@ -881,6 +894,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Уведомить други DocType: Vital Signs,Blood Pressure (systolic),Кровяное давление (систолическое) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} - это {2} DocType: Item Price,Valid Upto,Действительно До +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.,Перечислите несколько ваших клиентов. Это могут быть как организации так и частные лица. @@ -899,6 +913,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Изменения в {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,"Пожалуйста, выберите компанию" DocType: Employee Skill,Employee Skill,Навыки сотрудников apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Учетная запись @@ -943,6 +958,7 @@ DocType: Patient,Risk Factors,Факторы риска DocType: Patient,Occupational Hazards and Environmental Factors,Профессиональные опасности и факторы окружающей среды apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,"Записи запаса, уже созданные для рабочего заказа" apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Посмотреть прошлые заказы +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} разговоров DocType: Vital Signs,Respiratory rate,Частота дыхания apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Управление субподрядом DocType: Vital Signs,Body Temperature,Температура тела @@ -984,6 +1000,7 @@ DocType: Purchase Invoice,Registered Composition,Зарегистрирован apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Здравствуйте apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Переместить продукт DocType: Employee Incentive,Incentive Amount,Сумма стимулирования +,Employee Leave Balance Summary,Сводный баланс по сотрудникам DocType: Serial No,Warranty Period (Days),Гарантийный срок (дней) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,"Общая сумма кредита / дебетовой суммы должна быть такой же, как связанная запись журнала" DocType: Installation Note Item,Installation Note Item,Установка Примечание Пункт @@ -997,6 +1014,7 @@ DocType: Vital Signs,Bloated,Раздутый DocType: Salary Slip,Salary Slip Timesheet,Зарплата скольжению Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК DocType: Item Price,Valid From,Действительно с +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Ваш рейтинг: DocType: Sales Invoice,Total Commission,Всего комиссия DocType: Tax Withholding Account,Tax Withholding Account,Удержание налога DocType: Pricing Rule,Sales Partner,Партнер по продажам @@ -1004,6 +1022,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Все оцено DocType: Buying Settings,Purchase Receipt Required,Покупка Получение необходимое DocType: Sales Invoice,Rail,рельсовый apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Действительная цена +DocType: Item,Website Image,Изображение сайта apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,"Целевой склад в строке {0} должен быть таким же, как и рабочий заказ" apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Оценка Оцените является обязательным, если введен Открытие изображения" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Не записи не найдено в таблице счетов @@ -1038,8 +1057,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,"Пожалуйста, завершите настройку Plaid API перед синхронизацией своей учетной записи" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Полдня Дата обязательна DocType: Sales Order,Billing and Delivery Status,Статус оплаты и доставки DocType: Job Applicant,Resume Attachment,резюме Приложение @@ -1051,7 +1070,6 @@ DocType: Production Plan,Production Plan,План производства DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Открытие инструмента создания счета-фактуры DocType: Salary Component,Round to the Nearest Integer,Округление до ближайшего целого apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Возвраты с продаж -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,"Примечание: Суммарное количество выделенных листьев {0} не должно быть меньше, чем уже утвержденных листьев {1} на период" DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Установить количество в транзакциях на основе ввода без последовательного ввода ,Total Stock Summary,Общая статистика запасов apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1080,6 +1098,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,"Л apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Основная сумма DocType: Loan Application,Total Payable Interest,Общая задолженность по процентам apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Итого выдающийся: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Открытый контакт 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} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Серийный номер (а) требуется для сериализованного элемента {0} @@ -1089,6 +1108,7 @@ 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,Произошла ошибка во время процесса обновления DocType: Restaurant Reservation,Restaurant Reservation,Бронирование ресторанов +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Ваши товары apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Предложение Написание DocType: Payment Entry Deduction,Payment Entry Deduction,Оплата запись Вычет DocType: Service Level Priority,Service Level Priority,Приоритет уровня обслуживания @@ -1097,6 +1117,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Партия Идентификаторов по номеру apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Другой человек Продажи {0} существует с тем же идентификатором Сотрудника DocType: Employee Advance,Claimed Amount,Заявленная сумма +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Expire Allocation DocType: QuickBooks Migrator,Authorization Settings,Настройки авторизации DocType: Travel Itinerary,Departure Datetime,Дата и время вылета apps/erpnext/erpnext/hub_node/api.py,No items to publish,Нет материалов для публикации @@ -1166,7 +1187,6 @@ DocType: Student Batch Name,Batch Name,Наименование партии DocType: Fee Validity,Max number of visit,Максимальное количество посещений DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Обязательно для счета прибылей и убытков ,Hotel Room Occupancy,Гостиничный номер -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Табель создан: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}" apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,зачислять DocType: GST Settings,GST Settings,Настройки GST @@ -1299,6 +1319,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Выберите программу DocType: Project,Estimated Cost,Ориентировочная стоимость DocType: Request for Quotation,Link to material requests,Ссылка на заявки на материалы +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Публиковать apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Авиационно-космический ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Вступление Кредитная карта @@ -1325,6 +1346,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Оборотные активы apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} нескладируемый продукт apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Пожалуйста, поделитесь своими отзывами о тренинге, нажав «Обратная связь с обучением», а затем «Новый»," +DocType: Call Log,Caller Information,Информация о звонящем DocType: Mode of Payment Account,Default Account,По умолчанию учетная запись apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Сначала выберите «Хранилище хранения образцов» в разделе «Настройки запаса» apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Выберите несколько типов программ для нескольких правил сбора. @@ -1349,6 +1371,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,"Запросы Авто материал, полученный" DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Рабочее время, ниже которого отмечается полдня. (Ноль отключить)" DocType: Job Card,Total Completed Qty,Всего завершено кол-во +DocType: HR Settings,Auto Leave Encashment,Авто оставить инкассо apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Поражений apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Вы не можете ввести текущий ваучер в «Против Запись в журнале 'колонке DocType: Employee Benefit Application Detail,Max Benefit Amount,Максимальная сумма пособия @@ -1378,9 +1401,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,подписчик DocType: Item Attribute Value,Item Attribute Value,Значение признака продукта apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Обмен валюты должен применяться для покупки или продажи. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Только истекшее распределение может быть отменено DocType: Item,Maximum sample quantity that can be retained,"Максимальное количество образцов, которое можно сохранить" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Строка {0} # Элемент {1} не может быть передан более {2} в отношении заказа на поставку {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Кампании по продажам. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Неизвестный абонент DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1431,6 +1456,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Распи apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Имя документа DocType: Expense Claim Detail,Expense Claim Type,Тип Авансового Отчета DocType: Shopping Cart Settings,Default settings for Shopping Cart,Настройки по умолчанию для корзину +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Сохранить элемент apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Новый Расход apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Игнорировать уже заказанное количество apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Добавить таймслоты @@ -1443,6 +1469,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Отправлено приглашение на просмотр DocType: Shift Assignment,Shift Assignment,Назначение сдвига DocType: Employee Transfer Property,Employee Transfer Property,Свойство переноса персонала +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Поле Учетная запись не может быть пустым apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,От времени должно быть меньше времени apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Биотехнологии apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1525,11 +1552,13 @@ 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,Создать новый контакт apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Расписание курса DocType: GSTR 3B Report,GSTR 3B Report,Отчет GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Статус цитаты DocType: GoCardless Settings,Webhooks Secret,Секретные клипы DocType: Maintenance Visit,Completion Status,Статус завершения +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Общая сумма платежей не может быть больше {} DocType: Daily Work Summary Group,Select Users,Выберите пользователей DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Номер в гостинице DocType: Loyalty Program Collection,Tier Name,Название уровня @@ -1567,6 +1596,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Сумм DocType: Lab Test Template,Result Format,Формат результата DocType: Expense Claim,Expenses,Расходы DocType: Service Level,Support Hours,Часы поддержки +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Накладные DocType: Item Variant Attribute,Item Variant Attribute,Характеристики модификации продукта ,Purchase Receipt Trends,Динамика Получения Поставок DocType: Payroll Entry,Bimonthly,Раз в два месяца @@ -1589,7 +1619,6 @@ DocType: Sales Team,Incentives,Стимулирование DocType: SMS Log,Requested Numbers,Запрошенные номера DocType: Volunteer,Evening,Вечер DocType: Quiz,Quiz Configuration,Конфигурация викторины -DocType: Customer,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,7 +1665,6 @@ apps/erpnext/erpnext/config/accounting.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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Не удается найти временной интервал в ближайшие {0} дней для работы {1} DocType: Work Order,Plan material for sub-assemblies,План материал для Субсборки 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,Нет доступных продуктов для перемещения @@ -1651,9 +1679,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,"Вы должны включить автоматический повторный заказ в настройках запаса, чтобы поддерживать уровни повторного заказа." apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменить Материал просмотров {0} до отмены этого обслуживания визит DocType: Pricing Rule,Rate or Discount,Стоимость или скидка +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Банковские реквизиты DocType: Vital Signs,One Sided,Односторонняя apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Серийный номер {0} не принадлежит Пункт {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Обязательные Кол-во +DocType: Purchase Order Item Supplied,Required Qty,Обязательные Кол-во DocType: Marketplace Settings,Custom Data,Пользовательские данные apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Склады с существующей транзакции не могут быть преобразованы в бухгалтерской книге. DocType: Service Day,Service Day,День обслуживания @@ -1681,7 +1710,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Валюта счета DocType: Lab Test,Sample ID,Образец apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,"Пожалуйста, укажите округлить счет в компании" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Диапазон DocType: Supplier,Default Payable Accounts,По умолчанию задолженность Кредиторская apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Сотрудник {0} не активен или не существует @@ -1722,8 +1750,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Запрос на информацию DocType: Course Activity,Activity Date,Дата деятельности apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} из {} -,LeaderBoard,Доска почёта DocType: Sales Invoice Item,Rate With Margin (Company Currency),Ставка с маржей (валюта компании) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,категории apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Синхронизация Offline счетов-фактур DocType: Payment Request,Paid,Оплачено DocType: Service Level,Default Priority,Приоритет по умолчанию @@ -1758,11 +1786,11 @@ 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,Косвенная прибыль DocType: Student Attendance Tool,Student Attendance Tool,Student Участники Инструмент DocType: Restaurant Menu,Price List (Auto created),Прейскурант (автоматически создан) +DocType: Pick List Item,Picked Qty,Выбрал кол-во DocType: Cheque Print Template,Date Settings,Настройки даты 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,Сведения о содействии сотрудникам -,Company Name,Название компании DocType: SMS Center,Total Message(s),Всего сообщений DocType: Share Balance,Purchased,купленный DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Переименуйте значение атрибута в атрибуте элемента. @@ -1781,7 +1809,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Последняя попытка 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} -DocType: BOM,Raw Material Cost(Company Currency),Стоимость сырья (в валюте компании) 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,метр @@ -1850,6 +1877,7 @@ DocType: Travel Itinerary,Train,Поезд ,Delayed Item Report,Отчет по отложенному пункту apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Соответствующий ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Стационарное размещение +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Опубликуйте свои первые предметы DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Время после окончания смены, в течение которого выезд считается посещением." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Введите {0} @@ -1966,6 +1994,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Все ВОМ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Создать межфирменный журнал DocType: Company,Parent Company,Родительская компания apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Номера отеля типа {0} недоступны в {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Сравните спецификации для изменений в сырье и операциях apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Документ {0} успешно очищен DocType: Healthcare Practitioner,Default Currency,Базовая валюта apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Примирить этот аккаунт @@ -2000,6 +2029,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-образный Счет Подробно DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Оплата Примирение Счет DocType: Clinical Procedure,Procedure Template,Шаблон процедуры +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Публикация товаров apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Вклад% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","В соответствии с настройками покупки, если требуемый заказ на поставку == «ДА», то для создания счета-фактуры пользователю необходимо сначала создать заказ на поставку для пункта {0}" ,HSN-wise-summary of outward supplies,HSN-краткая сводка внешних поставок @@ -2012,7 +2042,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',"Пожалуйста, установите "Применить Дополнительная Скидка On '" DocType: Party Tax Withholding Config,Applicable Percent,Применимый процент ,Ordered Items To Be Billed,"Заказал пунктов, которые будут Объявленный" -DocType: Employee Checkin,Exit Grace Period Consequence,Выход из льготного периода apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,"С Диапазон должен быть меньше, чем диапазон" DocType: Global Defaults,Global Defaults,Глобальные вводные по умолчанию apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Сотрудничество Приглашение проекта @@ -2020,13 +2049,11 @@ DocType: Salary Slip,Deductions,Отчисления DocType: Setup Progress Action,Action Name,Название действия apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Год начала apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Создать кредит -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Дату периода текущего счета-фактуры начнем DocType: Shift Type,Process Attendance After,Посещаемость процесса после ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Отпуск без сохранения содержания DocType: Payment Request,Outward,внешний -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Ошибка Планирования Мощностей apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Государственный / UT налог ,Trial Balance for Party,Пробный баланс для партии ,Gross and Net Profit Report,Отчет о валовой и чистой прибыли @@ -2045,7 +2072,6 @@ DocType: Payroll Entry,Employee Details,Сотрудник Подробнее 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} требуется актив -DocType: Setup Progress Action,Domains,Домены 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} @@ -2088,7 +2114,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Общее 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.","Режим оплаты не настроен. Пожалуйста, проверьте, имеет ли учетная запись была установлена на режим платежей или на POS Profile." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Один продукт нельзя вводить несколько раз. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Дальнейшие счета могут быть сделаны в соответствии с группами, но Вы можете быть против не-групп" -DocType: Email Campaign,Lead,Обращение +DocType: Call Log,Lead,Обращение DocType: Email Digest,Payables,Кредиторская задолженность DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Кампания по электронной почте для @@ -2100,6 +2126,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Покупка Заказ позиции быть выставлен счет 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,Кредитные лимиты DocType: Purchase Invoice Item,Net Rate,Нетто-ставка apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Выберите клиента DocType: Leave Policy,Leave Allocations,Оставить выделение @@ -2113,6 +2140,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Закрыть вопрос после дней ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,"Чтобы добавить пользователей в Marketplace, вы должны быть пользователем с диспетчерами System Manager и Item Manager." +DocType: Attendance,Early Exit,Ранний выход DocType: Job Opening,Staffing Plan,План кадрового обеспечения apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON может быть создан только из представленного документа apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Налог и льготы для сотрудников @@ -2134,6 +2162,7 @@ DocType: Maintenance Team Member,Maintenance Role,Роль обслуживан apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Дубликат строка {0} с же {1} DocType: Marketplace Settings,Disable Marketplace,Отключить рынок DocType: Quality Meeting,Minutes,минут +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Ваши избранные товары ,Trial Balance,Пробный баланс apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Показать выполнено apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Финансовый год {0} не найден @@ -2143,8 +2172,8 @@ 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,"Пожалуйста, выберите префикс первым" DocType: Contract,Fulfilment Deadline,Срок выполнения +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Возле тебя DocType: Student,O-,О- -DocType: Shift Type,Consequence,следствие DocType: Subscription Settings,Subscription Settings,Настройки подписки DocType: Purchase Invoice,Update Auto Repeat Reference,Обновить ссылку на автоматический повтор apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Необязательный список праздников не установлен для периода отпуска {0} @@ -2155,7 +2184,6 @@ DocType: Maintenance Visit Purpose,Work Done,Сделано apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,"Пожалуйста, укажите как минимум один атрибут в таблице атрибутов" DocType: Announcement,All Students,Все студенты apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Продукт {0} должен отсутствовать на складе -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Банк Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Посмотреть Леджер DocType: Grading Scale,Intervals,Интервалы DocType: Bank Statement Transaction Entry,Reconciled Transactions,Согласованные транзакции @@ -2191,6 +2219,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Этот склад будет использоваться для создания заказов на продажу. Резервный склад "Магазины". DocType: Work Order,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,Поддержание же скоростью в течение покупке цикла DocType: Opportunity Item,Opportunity Item,Продукт Выявления DocType: Quality Action,Quality Review,Обзор качества @@ -2217,7 +2246,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Получить неоплаченных счетов-фактур -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Сделка {0} не действительна +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,Предупреждать о новых запросах на предложение apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Заказы помогут вам планировать и следить за ваши покупки apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Лабораторные тесты @@ -2242,6 +2271,7 @@ DocType: Employee Onboarding,Notify users by email,Уведомить польз DocType: Travel Request,International,Международный DocType: Training Event,Training Event,Учебное мероприятие DocType: Item,Auto re-order,Автоматический перезаказ +DocType: Attendance,Late Entry,Поздний вход apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Всего Выполнено DocType: Employee,Place of Issue,Место вопроса DocType: Promotional Scheme,Promotional Scheme Price Discount,Рекламная схема Цена со скидкой @@ -2288,6 +2318,7 @@ DocType: Serial No,Serial No Details,Серийный номер подробн DocType: Purchase Invoice Item,Item Tax Rate,Ставка налогов на продукт apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,От имени партии apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Чистая сумма зарплаты +DocType: Pick List,Delivery against Sales Order,Доставка по заказу клиента DocType: Student Group Student,Group Roll Number,Номер группы в реестре учреждения DocType: Student Group Student,Group Roll Number,Номер группы в реестре учреждения apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Для {0}, только кредитные счета могут быть связаны с дебетовой записью" @@ -2361,7 +2392,6 @@ DocType: Contract,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,Дата выставления счета поставщиком -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Это значение используется для расчета пропорционального времени apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Вам необходимо включить «корзину» DocType: Payment Entry,Writeoff,Списать DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2375,6 +2405,7 @@ DocType: Delivery Trip,Total Estimated Distance,Общее расчетное р DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Неоплаченный счет к получению DocType: Tally Migration,Tally Company,Талли Компания apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Браузер ВМ +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Не разрешено создавать учетное измерение для {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Обновите свой статус для этого учебного мероприятия DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Добавить или вычесть @@ -2384,7 +2415,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Неактивные позиции продаж DocType: Quality Review,Additional Information,Дополнительная информация apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Общая стоимость заказа -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Сброс соглашения об уровне обслуживания. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Продукты питания apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Старение Диапазон 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Информация о закрытии ваучера POS @@ -2431,6 +2461,7 @@ 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,Кампания 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',"Состояние утверждения должны быть ""Одобрено"" или ""Отклонено""" DocType: Healthcare Practitioner,Contacts and Address,Контакты и адрес DocType: Shift Type,Determine Check-in and Check-out,Определить Заезд и Выезд @@ -2450,7 +2481,6 @@ DocType: Student Admission,Eligibility and Details,Правила приёма apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Включено в валовую прибыль apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Чистое изменение в основных фондов apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Код клиента apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные 'в строке {0} не могут быть включены в пункт Оценить apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,С DateTime @@ -2519,6 +2549,7 @@ DocType: Journal Entry Account,Account Balance,Остаток на счете apps/erpnext/erpnext/config/accounting.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 (%),Превышение Пособия (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Наименование клиента обязательно для Дебиторской задолженности {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Всего Налоги и сборы (Компания Валюты) DocType: Weather,Weather Parameter,Параметры погоды @@ -2581,6 +2612,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Порог рабочег apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,"Может быть многоуровневый коэффициент сбора, основанный на общей затрате. Но коэффициент пересчета для погашения всегда будет одинаковым для всех уровней." apps/erpnext/erpnext/config/help.py,Item Variants,Варианты продукта apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Услуги +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,Спецификация 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Отправить зарплатную ведомость сотруднику DocType: Cost Center,Parent Cost Center,Родитель МВЗ @@ -2591,7 +2623,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields"," DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Импорт уведомлений о доставке из Shopify on Shipment apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Показать закрыто DocType: Issue Priority,Issue Priority,Приоритет вопроса -DocType: Leave Type,Is Leave Without Pay,Является отпуск без +DocType: Leave Ledger Entry,Is Leave Without Pay,Является отпуск без apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Категория активов является обязательным для фиксированного элемента активов DocType: Fee Validity,Fee Validity,Вознаграждение за действительность @@ -2640,6 +2672,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Доступные apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Обновление Формат печати DocType: Bank Account,Is Company Account,Учетная запись компании apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Оставить тип {0} не инкашируемый +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Кредитный лимит уже определен для Компании {0} DocType: Landed Cost Voucher,Landed Cost Help,Земельные Стоимость Помощь DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-Видеоблог-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Выберите адрес доставки @@ -2664,6 +2697,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Двусторонний DocType: Item,Manufacturers,Производители @@ -2700,7 +2734,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Банковская сверка состояние DocType: Patient Encounter,Medical Coding,Медицинское кодирование DocType: Healthcare Settings,Reminder Message,Сообщение напоминания -,Lead Name,Имя +DocType: Call Log,Lead Name,Имя ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,разведочные работы @@ -2732,12 +2766,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Склад поставщика DocType: Opportunity,Contact Mobile No,Связаться Мобильный Нет apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Выберите компанию ,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: Student Report Generation Tool,Print Section,Печать раздела DocType: Staffing Plan Detail,Estimated Cost Per Position,Ориентировочная стоимость за позицию DocType: Employee,HR-EMP-,HR-EMP- 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,Протокол встречи качества +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Поставщик> Тип поставщика apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Перечень сотрудников DocType: Student Group,Set 0 for no limit,Чтобы снять ограничение установите 0 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"На следующий день (с), на которой вы подаете заявление на отпуск праздники. Вам не нужно обратиться за разрешением." @@ -2771,12 +2807,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Чистое изменение денежных средств DocType: Assessment Plan,Grading Scale,Оценочная шкала apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Уже закончено apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Товарная наличность apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Добавьте оставшиеся преимущества {0} в приложение как компонент \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',"Пожалуйста, установите фискальный код для государственной администрации "% s"" -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Платежная заявка {0} уже существует apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Стоимость выпущенных продуктов DocType: Healthcare Practitioner,Hospital,больница apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Количество должно быть не более {0} @@ -2821,6 +2855,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Персонал apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Высокий уровень дохода DocType: Item Manufacturer,Item Manufacturer,Пункт Производитель +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Создать новое руководство DocType: BOM Operation,Batch Size,Размер партии apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,отклонять DocType: Journal Entry Account,Debit in Company Currency,Дебет в валюте компании @@ -2841,9 +2876,11 @@ DocType: Bank Transaction,Reconciled,Примирение DocType: Expense Claim,Total Amount Reimbursed,Общая сумма возмещаются apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Это основано на бревнах против этого транспортного средства. См график ниже для получения подробной информации apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Дата начисления заработной платы не может быть меньше даты вступления в должность сотрудника +DocType: Pick List,Item Locations,Расположение предметов apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} создано apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Вакансии Открытия для обозначения {0} уже открыты / или найм завершен в соответствии с Кадровым планом {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Вы можете опубликовать до 200 пунктов. DocType: Vital Signs,Constipated,Запор apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Против поставщика счет-фактура {0} от {1} DocType: Customer,Default Price List,По умолчанию Прайс-лист @@ -2937,6 +2974,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Сдвиг фактического начала DocType: Tally Migration,Is Day Book Data Imported,Импортированы ли данные дневника apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Маркетинговые расходы +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} единиц {1} недоступно. ,Item Shortage Report,Отчет о нехватке продуктов 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,Невозможно создать стандартные критерии. Переименуйте критерии @@ -2960,6 +2998,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,Дата выбытия DocType: Upload Attendance,Get Template,Получить шаблон +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Список выбора ,Sales Person Commission Summary,Резюме комиссии по продажам DocType: Material Request,Transferred,Переданы DocType: Vehicle,Doors,двери @@ -3040,7 +3079,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Клиентский код п DocType: Stock Reconciliation,Stock Reconciliation,Инвентаризация запасов DocType: Territory,Territory Name,Территория Имя DocType: Email Digest,Purchase Orders to Receive,Заказы на поставку для получения -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Работа-в-Прогресс Склад требуется перед Отправить +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Работа-в-Прогресс Склад требуется перед Отправить apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,У вас могут быть только планы с одинаковым биллинговым циклом в подписке DocType: Bank Statement Transaction Settings Item,Mapped Data,Отображаемые данные DocType: Purchase Order Item,Warehouse and Reference,Склад и справочники @@ -3116,6 +3155,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Настройки доставки apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Получение данных apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},"Максимальный отпуск, разрешенный в типе отпуска {0}, равен {1}" +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Опубликовать 1 пункт DocType: SMS Center,Create Receiver List,Создать список получателей DocType: Student Applicant,LMS Only,Только LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Доступная для использования дата должна быть после даты покупки @@ -3149,6 +3189,7 @@ DocType: Serial No,Delivery Document No,Номер документа доста DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Обеспечить доставку на основе серийного номера DocType: Vital Signs,Furry,пушистый apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Пожалуйста, установите "прибыль / убыток Счет по обращению с отходами актива в компании {0}" +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} @@ -3160,6 +3201,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Просмотреть все проблемы от {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Стол для совещаний по качеству +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/templates/pages/help.html,Visit the forums,Посетите форумы DocType: Student,Student Mobile Number,Студент Мобильный телефон DocType: Item,Has Variants,Имеет варианты @@ -3171,9 +3213,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Название DocType: Quality Procedure Process,Quality Procedure Process,Процесс качественного процесса apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Идентификатор партии является обязательным apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Идентификатор партии является обязательным +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,"Пожалуйста, сначала выберите клиента" DocType: Sales Person,Parent Sales Person,Головная группа продаж apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,"Никакие предметы, которые должны быть получены, просрочены" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Продавец и покупатель не могут быть одинаковыми +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Нет новых просмотров DocType: Project,Collect Progress,Оценить готовность DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Сначала выберите программу @@ -3195,11 +3239,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Достигнутый DocType: Student Admission,Application Form Route,Заявка на маршрут apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,"Дата окончания соглашения не может быть меньше, чем сегодня." +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter для отправки DocType: Healthcare Settings,Patient Encounters in valid days,Встреча пациентов в действительные дни apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Оставьте Тип {0} не может быть выделена, так как он неоплачиваемый отпуск" 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}" DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,По словам будет виден только вы сохраните Расходная накладная. DocType: Lead,Follow Up,Следовать за +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,МВЗ: {0} не существует DocType: Item,Is Sales Item,Продаваемый продукт apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Структура продуктовых групп apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Пункт {0} не установка для мастера серийные номера Проверить товара @@ -3244,9 +3290,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Поставляемое кол-во DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Позиция запроса материала -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Сначала отмените покупку {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Структура продуктовых групп DocType: Production Plan,Total Produced Qty,Общее количество произведенных +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Нет отзывов apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,"Не можете обратиться номер строки, превышающую или равную текущему номеру строки для этого типа зарядки" DocType: Asset,Sold,Продан ,Item-wise Purchase History,Пункт мудрый История покупок @@ -3265,7 +3311,7 @@ DocType: Designation,Required Skills,Требуемые навыки DocType: Inpatient Record,O Positive,O Положительный apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Инвестиции DocType: Issue,Resolution Details,Разрешение Подробнее -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Тип операции +DocType: Leave Ledger Entry,Transaction Type,Тип операции DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критерий приемлемости apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Пожалуйста, введите Материал запросов в приведенной выше таблице" apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Нет доступных платежей для записи журнала @@ -3307,6 +3353,7 @@ DocType: Bank Account,Bank Account No,Банковский счет Нет DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Предоставление доказательств в отношении налогов на сотрудников DocType: Patient,Surgical History,Хирургическая история DocType: Bank Statement Settings Item,Mapped Header,Mapped Header +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»> «Настройки HR»" DocType: Employee,Resignation Letter Date,Отставка Письмо Дата apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Правила ценообразования далее фильтруются в зависимости от количества. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Укажите дату присоединения для сотрудника {0} @@ -3375,7 +3422,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Добавить блан 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,"Всего выделенные листья {0} не может быть меньше, чем уже утвержденных листьев {1} за период" DocType: Contract Fulfilment Checklist,Requirement,требование DocType: Journal Entry,Accounts Receivable,Дебиторская задолженность DocType: Quality Goal,Objectives,Цели @@ -3398,7 +3444,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Единый поро DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Это значение обновляется в прейскуранте продаж по умолчанию. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Ваша корзина пуста DocType: Email Digest,New Expenses,Новые расходы -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC Amount apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Не удается оптимизировать маршрут, так как отсутствует адрес драйвера." DocType: Shareholder,Shareholder,акционер DocType: Purchase Invoice,Additional Discount Amount,Сумма Дополнительной Скидки @@ -3435,6 +3480,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Задача обслужива apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Установите B2C Limit в настройках GST. 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} теперь используется как основной Фискальный Год. Пожалуйста, обновите страницу в браузере, чтобы изменения вступили в силу." @@ -3471,6 +3517,7 @@ DocType: Salary Component,Deduction,Вычет DocType: Item,Retain Sample,Сохранить образец apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Строка {0}: От времени и времени является обязательным. DocType: Stock Reconciliation Item,Amount Difference,Сумма разница +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"На этой странице отслеживаются товары, которые вы хотите купить у продавцов." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Цена продукта {0} добавлена в прайс-лист {1} DocType: Delivery Stop,Order Information,запросить информацию apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Пожалуйста, введите Employee Id этого менеджера по продажам" @@ -3499,6 +3546,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Фискальный год** представляет собой финансовый год. Все бухгалтерские записи и другие крупные сделки отслеживаются по **Фискальному году**. DocType: Opportunity,Customer / Lead Address,Адрес Клиента / Обращения DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Поставщик Scorecard Setup +DocType: Customer Credit Limit,Customer Credit Limit,Кредитный лимит клиента apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Название плана оценки apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Детали цели apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Применимо, если компания SpA, SApA или SRL" @@ -3551,7 +3599,6 @@ DocType: Company,Transactions Annual History,Ежегодная история 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,Название банка -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Выше 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,6 +3652,7 @@ 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,Добавлено в Избранные предметы apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Прибыль за год 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,В процессе @@ -3659,12 +3707,10 @@ 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,Разрешить один и тот же элемент в несколько раз -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Для компании не найдено GST. 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,Сотрудники DocType: Question,Single Correct Answer,Единый правильный ответ -DocType: Employee,Contact Details,Контактная информация DocType: C-Form,Received Date,Дата получения DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Если вы создали стандартный шаблон в шаблонах Налоги с налогами и сбором платежей, выберите его и нажмите кнопку ниже." DocType: BOM Scrap Item,Basic Amount (Company Currency),Базовая сумма (Компания Валюта) @@ -3694,12 +3740,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Операция Сай DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,Оценка поставщика apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Расписание приема +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Общая сумма запроса платежа не может превышать сумму {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Порог совокупной транзакции DocType: Promotional Scheme Price Discount,Discount Type,Тип скидки -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Всего в счете-фактуре Amt DocType: Purchase Invoice Item,Is Free Item,Это бесплатный товар +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"В процентах вам разрешено переводить больше по сравнению с заказанным количеством. Например: если вы заказали 100 единиц. и ваше пособие составляет 10%, тогда вам разрешено передавать 110 единиц." DocType: Supplier,Warn RFQs,Предупреждать о RFQ -apps/erpnext/erpnext/templates/pages/home.html,Explore,Обзор +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Обзор DocType: BOM,Conversion Rate,Коэффициент конверсии apps/erpnext/erpnext/www/all-products/index.html,Product Search,Поиск продукта ,Bank Remittance,Банковский перевод @@ -3711,6 +3758,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Общая сумма DocType: Asset,Insurance End Date,Дата окончания страхования apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Пожалуйста, выберите Вход для студентов, который является обязательным для оплачиваемого студента" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Бюджетный список DocType: Campaign,Campaign Schedules,Расписание кампаний DocType: Job Card Time Log,Completed Qty,Завершено Кол-во @@ -3733,6 +3781,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Новы DocType: Quality Inspection,Sample Size,Размер образца apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,"Пожалуйста, введите Квитанция документ" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,На все продукты уже выписаны счета +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Листья взяты apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Пожалуйста, сформулируйте действительный 'От делу №'" 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,"Дальнейшие МВЗ можно сделать под групп, но записи могут быть сделаны в отношении не-групп" 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,"Всего выделенных листьев больше дней, чем максимальное распределение {0} типа отпуска для сотрудника {1} в период" @@ -3833,6 +3882,8 @@ 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: Call Log,Received By,Получено 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.,Подписка отдельный доходы и расходы за вертикалей продукции или подразделений. @@ -3886,6 +3937,7 @@ DocType: Support Search Source,Result Title Field,Поле заголовка р apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Сводка вызовов DocType: Sample Collection,Collected Time,Время сбора DocType: Employee Skill Map,Employee Skills,Навыки сотрудников +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Расход топлива DocType: Company,Sales Monthly History,История продаж в месяц apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,"Пожалуйста, укажите хотя бы одну строку в таблице налогов и сборов" DocType: Asset Maintenance Task,Next Due Date,Следующая дата выполнения @@ -3895,6 +3947,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Жизн DocType: Payment Entry,Payment Deductions or Loss,Отчисления оплаты или убыток DocType: Soil Analysis,Soil Analysis Criterias,Критерий анализа почвы apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Стандартные условия договора для продажи или покупки. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Строки удалены в {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Начать регистрацию до начала смены (в минутах) DocType: BOM Item,Item operation,Работа с элементами apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Группа по ваучером @@ -3920,11 +3973,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Зарплата Скольжение работника {0} уже создано за этот период apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Фармацевтический apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Вы можете только отправить «Оставшаяся инкассация» для действительной суммы инкассации +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Предметы по apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Стоимость поставленных продуктов DocType: Employee Separation,Employee Separation Template,Шаблон разделения сотрудников DocType: Selling Settings,Sales Order Required,Требования Сделки apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Стать продавцом -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Номер вхождения, после которого выполняется следствие." ,Procurement Tracker,Отслеживание закупок DocType: Purchase Invoice,Credit To,Кредитная Для apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC наоборот @@ -3937,6 +3990,7 @@ DocType: Quality Meeting,Agenda,Повестка дня DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,График технического обслуживания Подробно DocType: Supplier Scorecard,Warn for new Purchase Orders,Предупреждать о новых заказах на поставку DocType: Quality Inspection Reading,Reading 9,Чтение 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Подключите свою учетную запись Exotel к ERPNext и отслеживайте журналы вызовов DocType: Supplier,Is Frozen,Замерз DocType: Tally Migration,Processed Files,Обработанные файлы apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,"склад группы узлов не допускается, чтобы выбрать для сделок" @@ -3946,6 +4000,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Номер ВМ д DocType: Upload Attendance,Attendance To Date,Конец учетного периода 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,Предписания @@ -3970,7 +4025,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Requestor apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Недопустимая ссылка {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Правила применения разных рекламных схем. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) не может быть больше, чем запланированное количество ({2}) в Производственном Заказе {3}" DocType: Shipping Rule,Shipping Rule Label,Название правила доставки DocType: Journal Entry Account,Payroll Entry,Ввод зарплаты apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Посмотреть рекорды @@ -3982,6 +4036,7 @@ DocType: Contract,Fulfilment Status,Статус выполнения DocType: Lab Test Sample,Lab Test Sample,Лабораторный пробный образец DocType: Item Variant Settings,Allow Rename Attribute Value,Разрешить переименование значения атрибута apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Быстрый журнал запись +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Сумма будущего платежа apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Вы не можете изменить рейтинг, если ВМ упоминается agianst любого продукта" DocType: Restaurant,Invoice Series Prefix,Префикс Идентификаторов Счетов DocType: Employee,Previous Work Experience,Предыдущий опыт работы @@ -4011,6 +4066,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Статус проекта DocType: UOM,Check this to disallow fractions. (for Nos),"Проверьте это, чтобы запретить фракции. (Для №)" DocType: Student Admission Program,Naming Series (for Student Applicant),Идентификация по Имени (для заявителей-студентов) +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/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,График обслуживания практикующих @@ -4026,6 +4082,7 @@ DocType: Fiscal Year,Year End Date,Дата окончания года 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,По умолчанию Workstation DocType: Payment Entry,Deductions or Loss,Отчисления или убыток apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} закрыт @@ -4034,6 +4091,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Получить текущий запас DocType: Purchase Invoice,ineligible,неподходящий apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Дерево Билла материалов +DocType: BOM,Exploded Items,Взорванные предметы DocType: Student,Joining Date,Дата вступления ,Employees working on a holiday,"Сотрудники, работающие на празднике" ,TDS Computation Summary,Резюме вычислений TDS @@ -4066,6 +4124,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Базовая ста DocType: SMS Log,No of Requested SMS,Кол-во запрошенных СМС apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Отпуск без оплаты не входит в утвержденные типы отпусков apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Следующие шаги +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Сохраненные предметы DocType: Travel Request,Domestic,внутренний apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,"Пожалуйста, предоставьте указанные пункты в наилучших возможных ставок" apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Передача сотрудника не может быть отправлена до даты передачи @@ -4138,7 +4197,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Строка # {0} (Таблица платежей): сумма должна быть положительной -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},"Нельзя произвести продукта {0} больше, чем указано в Сделке {1}" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},"Нельзя произвести продукта {0} больше, чем указано в Сделке {1}" apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Ничто не входит в валовой apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill уже существует для этого документа apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Выберите значения атрибута @@ -4173,12 +4232,10 @@ 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,Установка компании -DocType: Shift Type,Enable Different Consequence for Early Exit,Включить различные последствия для досрочного выхода ,Lab Test Report,Отчет лабораторного теста DocType: Employee Benefit Application,Employee Benefit Application,Приложение для сотрудников apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Существует дополнительный компонент заработной платы. DocType: Purchase Invoice,Unregistered,незарегистрированный -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,"Пожалуйста, накладной первый" DocType: Student Applicant,Application Date,Дата подачи документов DocType: Salary Component,Amount based on formula,Сумма на основе формулы DocType: Purchase Invoice,Currency and Price List,Валюта и прайс-лист @@ -4207,6 +4264,7 @@ DocType: Purchase Receipt,Time at which materials were received,Время по DocType: Products Settings,Products per Page,Продукты на страницу 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,Дата оплаты apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Выделенная сумма не может быть отрицательной DocType: Sales Order,Billing Status,Статус оплаты apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Отправить вопрос @@ -4216,6 +4274,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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} или уже сопоставляется с другой купон DocType: Supplier Scorecard Criteria,Criteria Weight,Вес критериев +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Аккаунт: {0} не разрешен при вводе платежа DocType: Production Plan,Ignore Existing Projected Quantity,Игнорировать существующее прогнозируемое количество apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Оставить уведомление об утверждении DocType: Buying Settings,Default Buying Price List,По умолчанию Покупка Прайс-лист @@ -4224,6 +4283,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Строка {0}: введите местоположение для объекта актива {1} DocType: Employee Checkin,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.","Установить значения по умолчанию, как Болгарии, Валюта, текущий финансовый год и т.д." DocType: Payment Entry,Payment Type,Вид оплаты apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Выберите партию для продукта {0}. Не удалось найти такую, которая удовлетворяет этому требованию." @@ -4252,6 +4312,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Корзина Настр DocType: Journal Entry,Accounting Entries,Бухгалтерские Проводки 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.","Если выбрано Правило ценообразования для «Цены», оно перезапишет Прайс-лист. Правило ценообразования является окончательным, поэтому дальнейшая скидка не применяется. Следовательно, в таких транзакциях, как Сделка, Заказ на закупку и т.д., оно будет указываться в поле «Цена», а не в поле «Прайс-лист»." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Пожалуйста, настройте систему имен инструкторов в «Образование»> «Настройки образования»" DocType: Journal Entry,Paid Loan,Платный кредит 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,Справочная дата @@ -4268,12 +4329,14 @@ DocType: Shopify Settings,Webhooks Details,Информация о веб-узл apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Нет табелей DocType: GoCardless Mandate,GoCardless Customer,Без комиссии apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Оставьте Тип {0} не может быть перенос направлен +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"График обслуживания не генерируется для всех элементов. Пожалуйста, нажмите на кнопку ""Generate Расписание""" ,To Produce,Чтобы продукты DocType: Leave Encashment,Payroll,Начисление заработной платы 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} в размере Item ряды также должны быть включены {3} DocType: Healthcare Service Unit,Parent Service Unit,Группа родительского обслуживания DocType: Packing Slip,Identification of the package for the delivery (for print),Идентификация упаковки для доставки (для печати) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Соглашение об уровне обслуживания было сброшено. DocType: Bin,Reserved Quantity,Зарезервированное количество apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,"Пожалуйста, введите действующий адрес электронной почты" apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,"Пожалуйста, введите действующий адрес электронной почты" @@ -4295,7 +4358,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Цена или скидка на продукт apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Для строки {0}: введите запланированное количество DocType: Account,Income Account,Счет Доходов -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория DocType: Payment Request,Amount in customer's currency,Сумма в валюте клиента apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Доставка apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Назначение структур ... @@ -4318,6 +4380,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,Ссылка 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?,Вы потеряете записи ранее сгенерированных счетов-фактур. Вы действительно хотите перезапустить эту подписку? @@ -4373,11 +4436,10 @@ DocType: Additional Salary,HR User,Сотрудник отдела кадров DocType: Bank Guarantee,Reference Document Name,Название ссылочного документа DocType: Purchase Invoice,Taxes and Charges Deducted,"Налоги и сборы, вычитаемые" DocType: Support Settings,Issues,Вопросов -DocType: Shift Type,Early Exit Consequence after,Последствие досрочного выхода после DocType: Loyalty Program,Loyalty Program Name,Название программы лояльности apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Статус должен быть одним из {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Напоминание об обновлении отправленного GSTIN -DocType: Sales Invoice,Debit To,Относится к счету: +DocType: Discounted Invoice,Debit To,Относится к счету: DocType: Restaurant Menu Item,Restaurant Menu Item,Пункт меню ресторана DocType: Delivery Note,Required only for sample item.,Требуется только для образца пункта. DocType: Stock Ledger Entry,Actual Qty After Transaction,Остаток после проведения @@ -4460,6 +4522,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Имя параме apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Только оставьте приложения со статусом «Одобрено» и «Отклонено» могут быть представлены apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Создание размеров ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Студенческая группа Имя является обязательным в строке {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Обойти кредитную лимитную проверку DocType: Homepage,Products to be shown on website homepage,Продукты будут показаны на главной страницы сайта DocType: HR Settings,Password Policy,Политика паролей apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Это корневая группа клиентов и не могут быть изменены. @@ -4519,10 +4582,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ес apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Укажите клиента по умолчанию в настройках ресторана ,Salary Register,Доход Регистрация DocType: Company,Default warehouse for Sales Return,Склад по умолчанию для возврата товара -DocType: Warehouse,Parent Warehouse,Родитель склад +DocType: Pick List,Parent Warehouse,Родитель склад DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},Спецификация по умолчанию для продукта {0} и проекта {1} не найдена +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}: пожалуйста, установите способ оплаты в графике платежей" apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Определение различных видов кредита DocType: Bin,FCFS Rate,Уровень FCFS @@ -4559,6 +4622,7 @@ DocType: Travel Itinerary,Lodging Required,Требуется проживани DocType: Promotional Scheme,Price Discount Slabs,Цена Скидка Плиты DocType: Stock Reconciliation Item,Current Serial No,Текущий серийный номер DocType: Employee,Attendance and Leave Details,Посещаемость и детали отпуска +,BOM Comparison Tool,Инструмент сравнения спецификации ,Requested,Запрошено apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Нет Замечания DocType: Asset,In Maintenance,В обеспечении @@ -4581,6 +4645,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Соглашение об уровне обслуживания по умолчанию DocType: SG Creation Tool Course,Course Code,Код курса apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Не допускается более одного выбора для {0} +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Количество сырья будет определяться на основе количества готовой продукции DocType: Location,Parent Location,Расположение родителей DocType: POS Settings,Use POS in Offline Mode,Использовать POS в автономном режиме apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Приоритет был изменен на {0}. @@ -4599,7 +4664,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Хранилище хране DocType: Company,Default Receivable Account,По умолчанию задолженность аккаунт apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Формула прогнозируемого количества DocType: Sales Invoice,Deemed Export,Рассмотренный экспорт -DocType: Stock Entry,Material Transfer for Manufacture,Материал Передача для производства +DocType: Pick List,Material Transfer for Manufacture,Материал Передача для производства 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.,"Процент скидки может применяться либо к Прайс-листу, либо ко всем Прайс-листам." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Бухгалтерская Проводка по Запасам DocType: Lab Test,LabTest Approver,Подтверждение LabTest @@ -4642,7 +4707,6 @@ DocType: Training Event,Theory,теория apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Внимание: Кол-во в запросе на материалы меньше минимального количества для заказа apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Счет {0} заморожен DocType: Quiz Question,Quiz Question,Контрольный вопрос -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Поставщик> Тип поставщика 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","Продукты питания, напитки и табак" @@ -4673,6 +4737,7 @@ 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,Опубликованные предметы DocType: Account,Expense Account,Расходов счета apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Программное обеспечение apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Цвет @@ -4711,6 +4776,7 @@ 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,Все банковские операции созданы DocType: Fee Validity,Visited yet,Посетил еще +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Вы можете добавить до 8 предметов. 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.,Как часто необходимо обновлять проект и компанию на основе транзакций продаж. @@ -4718,7 +4784,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,Температура хранения @@ -4743,7 +4808,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Преобразо DocType: Contract,Signee Details,Информация о подписчике apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} в настоящее время имеет {1} систему показателей поставщика, и RFQ для этого поставщика должны выдаваться с осторожностью." DocType: Certified Consultant,Non Profit Manager,Менеджер некоммерческих организаций -DocType: BOM,Total Cost(Company Currency),Общая стоимость (Компания Валюта) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Серийный номер {0} создан DocType: Homepage,Company Description for website homepage,Описание компании на главную страницу сайта DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Для удобства клиентов, эти коды могут быть использованы в печатных формах документов, таких как Счета и Документы Отгрузки" @@ -4772,7 +4836,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Поку DocType: Amazon MWS Settings,Enable Scheduled Synch,Включить запланированную синхронизацию apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Для DateTime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Журналы для просмотра статуса доставки СМС -DocType: Shift Type,Early Exit Consequence,Ранний выход DocType: Accounts Settings,Make Payment via Journal Entry,Платежи через журнал Вход apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,"Пожалуйста, не создавайте более 500 предметов одновременно" apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Отпечатано на @@ -4829,6 +4892,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,предел С 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,секрет +DocType: Plaid Settings,Plaid Secret,Плед секрет DocType: Company,Date of Establishment,Дата создания apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Инвестиции apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Академический термин с этим "Академический год" {0} и 'Term Name' {1} уже существует. Пожалуйста, измените эти записи и повторите попытку." @@ -4891,6 +4955,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Тип клиента DocType: Compensatory Leave Request,Leave Allocation,Распределение отпусков DocType: Payment Request,Recipient Message And Payment Details,Получатель сообщения и платежные реквизиты +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,"Пожалуйста, выберите накладную" DocType: Support Search Source,Source DocType,Источник DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Открыть новый билет DocType: Training Event,Trainer Email,Электронная почта Тренера @@ -5013,6 +5078,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 направляются листья apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"Поле ""С даты"" должно быть после ""До даты""" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Никаких кадровых планов для этого обозначения apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Пакет {0} элемента {1} отключен. @@ -5034,7 +5100,7 @@ DocType: Clinical Procedure,Patient,Пациент apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Обход проверки кредитоспособности по Сделке DocType: Employee Onboarding Activity,Employee Onboarding Activity,Деятельность бортового персонала DocType: Location,Check if it is a hydroponic unit,"Проверьте, является ли это гидропонной единицей" -DocType: Stock Reconciliation Item,Serial No and Batch,Серийный номер и партия +DocType: Pick List Item,Serial No and Batch,Серийный номер и партия DocType: Warranty Claim,From Company,От компании DocType: GSTR 3B Report,January,январь apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Сумма десятков критериев оценки должно быть {0}. @@ -5058,7 +5124,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Нет {0} найдено для транзакций Inter Company. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,Прокат автомобилей apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,О вашей компании apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на счету должен быть баланс счета @@ -5091,11 +5156,13 @@ apps/erpnext/erpnext/config/accounting.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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,осталось DocType: Appraisal,Appraisal,Оценка DocType: Loan,Loan Account,Ссудная ссуда apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Допустимые и действительные поля до обязательны для накопительного +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",Для позиции {0} в строке {1} количество серийных номеров не совпадает с выбранным количеством DocType: Purchase Invoice,GST Details,Детали GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Это основано на транзакциях против этого Практика Здравоохранения. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Электронная почта отправлена поставщику {0} @@ -5159,6 +5226,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Общий вес пакета. Обычно вес нетто + вес упаковки. (Для печати) DocType: Assessment Plan,Program,Программа DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,"Пользователи с этой ролью могут замороживать счета, а также создавать / изменять бухгалтерские проводки замороженных счетов" +DocType: Plaid Settings,Plaid Environment,Плед среды ,Project Billing Summary,Сводка платежных данных по проекту DocType: Vital Signs,Cuts,Порезы DocType: Serial No,Is Cancelled,Является Отмененные @@ -5221,7 +5289,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Примечание: Система не будет проверять по-доставки и избыточного бронирования по пункту {0} как количестве 0 DocType: Issue,Opening Date,Дата открытия apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Сначала сохраните пациента -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Создать новый контакт apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Зрители были успешно отмечены. DocType: Program Enrollment,Public Transport,Общественный транспорт DocType: Sales Invoice,GST Vehicle Type,Тип транспортного средства GST @@ -5248,6 +5315,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Плате DocType: POS Profile,Write Off Account,Списание счет DocType: Patient Appointment,Get prescribed procedures,Получить предписанные процедуры DocType: Sales Invoice,Redemption Account,Счет погашения +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Сначала добавьте элементы в таблицу «Расположение элементов» DocType: Pricing Rule,Discount Amount,Сумма скидки DocType: Pricing Rule,Period Settings,Настройки периода DocType: Purchase Invoice,Return Against Purchase Invoice,Вернуться против счет покупки @@ -5280,7 +5348,6 @@ DocType: Assessment Plan,Assessment Plan,План оценки DocType: Travel Request,Fully Sponsored,Полностью спонсируемый apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Обратная запись журнала apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Создать вакансию -DocType: Shift Type,Consequence after,Следствие после DocType: Quality Procedure Process,Process Description,Описание процесса apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Клиент {0} создан. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Сейчас нет доступного запаса на складах @@ -5315,6 +5382,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Клиренс Дата DocType: Delivery Settings,Dispatch Notification Template,Шаблон уведомления об отправке apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Отчет об оценке apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Получить сотрудников +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,Адрес по убыванию @@ -5408,7 +5476,6 @@ DocType: Stock Settings,Use Naming Series,Использовать Иденти apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Бездействие apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Обвинения типа Оценка не может отмечен как включено DocType: POS Profile,Update Stock,Обновить склад -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Различные единицы измерения (ЕИ) продуктов приведут к некорректному (общему) значению массы нетто. Убедитесь, что вес нетто каждого продукта находится в одной ЕИ." DocType: Certification Application,Payment Details,Детали оплаты apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Цена спецификации @@ -5444,7 +5511,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Это корень продавец и не могут быть изменены. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Если выбрано, значение, указанное или рассчитанное в этом компоненте, не будет вносить свой вклад в доходы или вычеты. Однако на его ценность могут ссылаться другие компоненты, которые могут быть добавлены или вычтены." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Если выбрано, значение, указанное или рассчитанное в этом компоненте, не будет вносить свой вклад в доходы или вычеты. Однако на его ценность могут ссылаться другие компоненты, которые могут быть добавлены или вычтены." -DocType: Asset Settings,Number of Days in Fiscal Year,Количество дней в финансовом году ,Stock Ledger,Книга учета Запасов DocType: Company,Exchange Gain / Loss Account,Обмен Прибыль / убытках DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials @@ -5480,6 +5546,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Столбец в банковском файле apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Оставить заявку {0} уже существует против ученика {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Очередь для обновления последней цены во всех Биллях материалов. Это может занять несколько минут. +DocType: Pick List,Get Item Locations,Получить расположение предметов apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Название нового счёта. Примечание: Пожалуйста, не создавайте счета для клиентов и поставщиков" DocType: POS Profile,Display Items In Stock,Показать элементы на складе apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Шаблоны Страна мудрый адрес по умолчанию @@ -5503,6 +5570,7 @@ DocType: Crop,Materials Required,Необходимые материалы apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Нет студентов не найдено DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Ежемесячное освобождение HRA DocType: Clinical Procedure,Medical Department,Медицинский отдел +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Всего ранних выходов DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Критерии оценки поставщика apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Счет Дата размещения apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Продажа @@ -5514,11 +5582,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Пожалуйста, удалите Сотрудника {0} \, чтобы отменить этот документ" DocType: Program Enrollment,School House,Общежитие DocType: Serial No,Out of AMC,Из КУА DocType: Opportunity,Opportunity Amount,Количество Выявления +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Твой профиль apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Количество не Забронированный отчислений на амортизацию может быть больше, чем Общее количество отчислений на амортизацию" DocType: Purchase Order,Order Confirmation Date,Дата подтверждения заказа DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5612,7 +5679,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Существуют несоответствия между ставкой, количеством акций и рассчитанной суммой" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Вы не присутствуете весь день (ы) между днями запроса компенсационного отпуска apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,"Пожалуйста, повторите ввод название компании, чтобы подтвердить" -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Общая сумма задолженности по Amt DocType: Journal Entry,Printing Settings,Настройки печати DocType: Payment Order,Payment Order Type,Тип платежного поручения DocType: Employee Advance,Advance Account,Предварительный счет @@ -5701,7 +5767,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Год apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,"Есть больше праздников, чем рабочих дней в этом месяце." apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Следующие элементы {0} не помечены как {1}. Вы можете включить их как {1} из своего элемента -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Продукт Связка товара DocType: Sales Partner,Sales Partner Name,Имя Партнера по продажам apps/erpnext/erpnext/hooks.py,Request for Quotations,Запрос на Предложения @@ -5710,7 +5775,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,Обычные тестовые продукты DocType: QuickBooks Migrator,Company Settings,Настройки компании DocType: Additional Salary,Overwrite Salary Structure Amount,Перезаписать сумму заработной платы -apps/erpnext/erpnext/config/hr.py,Leaves,Листья +DocType: Leave Ledger Entry,Leaves,Листья DocType: Student Language,Student Language,Student Язык DocType: Cash Flow Mapping,Is Working Capital,Оборотный капитал apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Подтвердить @@ -5718,12 +5783,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Заказ / Котировка% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Резервные пациенты DocType: Fee Schedule,Institution,учреждение -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: Asset,Partially Depreciated,Частично амортизируется DocType: Issue,Opening Time,Открытие Время apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,"От и До даты, необходимых" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Фондовые и товарные биржи -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Сводка вызовов по {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Поиск документов apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"По умолчанию Единица измерения для варианта '{0}' должно быть такой же, как в шаблоне '{1}'" DocType: Shipping Rule,Calculate Based On,Рассчитать на основе @@ -5770,6 +5833,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Максимально допустимое значение DocType: Journal Entry Account,Employee Advance,Продвижение сотрудников DocType: Payroll Entry,Payroll Frequency,Расчет заработной платы Частота +DocType: Plaid Settings,Plaid Client ID,Идентификатор клиента DocType: Lab Test Template,Sensitivity,чувствительность DocType: Plaid Settings,Plaid Settings,Настройки пледа apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Синхронизация временно отключена, поскольку превышены максимальные повторные попытки" @@ -5787,6 +5851,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Пожалуйста, выберите проводки Дата первого" apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Дата открытия должна быть ранее Даты закрытия DocType: Travel Itinerary,Flight,Рейс +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Вернуться домой DocType: Leave Control Panel,Carry Forward,Переносить apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,МВЗ с существующими сделок не могут быть преобразованы в книге DocType: Budget,Applicable on booking actual expenses,Применимо при бронировании фактических расходов @@ -5843,6 +5908,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Создание apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Вы не уполномочен утверждать листья на Блок Сроки apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Запрос на {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,На все эти продукты уже выписаны счета +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Не найдены неоплаченные счета-фактуры для {0} {1}, которые соответствуют указанным вами фильтрам." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Установите новую дату выпуска DocType: Company,Monthly Sales Target,Месячная цель продаж apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Не найдено неоплаченных счетов @@ -5890,6 +5956,7 @@ DocType: Batch,Source Document Name,Имя исходного документа DocType: Batch,Source Document Name,Имя исходного документа DocType: Production Plan,Get Raw Materials For Production,Получить сырье для производства DocType: Job Opening,Job Title,Должность +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Будущий платеж Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} указывает, что {1} не будет предоставлять предложение, но все позиции были оценены. Обновление статуса предложения RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максимальные образцы - {0} уже сохранены для Batch {1} и Item {2} в пакете {3}. @@ -5900,12 +5967,10 @@ 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: Company,Product Code,Код продукта DocType: Quality Review Table,Objective,Задача DocType: Supplier Scorecard,Per Month,В месяц DocType: Education Settings,Make Academic Term Mandatory,Сделать академический срок обязательным -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,"Количество, Изготовление должны быть больше, чем 0." -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Вычислить тарифный график амортизации на основе финансового года +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,"Количество, Изготовление должны быть больше, чем 0." apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Посетите отчет за призыв обслуживания. DocType: Stock Entry,Update Rate and Availability,Скорость обновления и доступность 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 единиц." @@ -5917,7 +5982,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Дата релиза должна быть в будущем DocType: BOM,Website Description,Описание apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Чистое изменение в капитале -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,"Пожалуйста, отменить счета покупки {0} первым" apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Не разрешено. Отключите тип устройства обслуживания apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Адрес электронной почты должен быть уникальным, уже существует для {0}" DocType: Serial No,AMC Expiry Date,Срок действия AMC @@ -5961,6 +6025,7 @@ DocType: Pricing Rule,Price Discount Scheme,Схема скидок apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Статус обслуживания должен быть отменен или завершен для отправки DocType: Amazon MWS Settings,US,НАС DocType: Holiday List,Add Weekly Holidays,Добавить еженедельные каникулы +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Элемент отчета DocType: Staffing Plan Detail,Vacancies,Вакансии DocType: Hotel Room,Hotel Room,Номер в отеле apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Счет {0} не принадлежит компании {1} @@ -6012,12 +6077,15 @@ DocType: Email Digest,Open Quotations,Созданные Предложения 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Пожалуйста, удалите Сотрудника {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,Основное количество @@ -6031,6 +6099,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Вакантно DocType: Patient,Alcohol Past Use,Использование алкоголя в прошлом DocType: Fertilizer Content,Fertilizer Content,Содержание удобрений +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,без описания apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Государственный счетов DocType: Quality Goal,Monitoring Frequency,Частота мониторинга @@ -6048,6 +6117,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Конец дата не может быть до следующей даты контакта. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Пакетные записи DocType: Journal Entry,Pay To / Recd From,Оплачено кем/получено от +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Отменить публикацию DocType: Naming Series,Setup Series,Установка Идентификаторов DocType: Payment Reconciliation,To Invoice Date,Счета-фактуры Дата DocType: Bank Account,Contact HTML,Связаться с HTML @@ -6069,6 +6139,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Розничная тор DocType: Student Attendance,Absent,Отсутствует DocType: Staffing Plan,Staffing Plan Detail,Детальный план кадрового обеспечения DocType: Employee Promotion,Promotion Date,Дата акции +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Распределение отпуска% s связано с заявкой на отпуск% s 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} @@ -6103,9 +6174,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Счет-фактура {0} больше не существует DocType: Guardian Interest,Guardian Interest,Опекун Проценты DocType: Volunteer,Availability,Доступность +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Заявка на отпуск связана с распределением отпуска {0}. Заявка на отпуск не может быть установлена как отпуск без оплаты apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Настройка значений по умолчанию для счетов-фактур POS DocType: Employee Training,Training,Обучение DocType: Project,Time to send,Время отправки +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Эта страница отслеживает ваши товары, к которым покупатели проявили определенный интерес." 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 @@ -6205,12 +6278,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Начальное значение DocType: Salary Component,Formula,формула apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен сотрудников в разделе «Управление персоналом»> «Настройки HR»" 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/setup/doctype/company/company.py,Sales Account,Сбыт DocType: Purchase Invoice Item,Total Weight,Общий вес +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}" @@ -6234,6 +6307,7 @@ DocType: Company,Default Employee Advance Account,Default Advance Account apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Пункт поиска (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Счет с существующими проводками не может быть удален +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,"Почему вы думаете, что этот пункт должен быть удален?" DocType: Vehicle,Last Carbon Check,Последний Carbon Проверить apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Судебные издержки apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Выберите количество в строке @@ -6253,6 +6327,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Разбивка DocType: Travel Itinerary,Vegetarian,вегетарианец DocType: Patient Encounter,Encounter Date,Дата встречи +DocType: Work Order,Update Consumed Material Cost In Project,Обновление потребленной стоимости материала в проекте apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Счет: {0} с валютой: {1} не может быть выбран DocType: Bank Statement Transaction Settings Item,Bank Data,Банковские данные DocType: Purchase Receipt Item,Sample Quantity,Количество образцов @@ -6307,7 +6382,7 @@ DocType: GSTR 3B Report,April,апрель DocType: Plant Analysis,Collection Datetime,Коллекция Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Общие эксплуатационные расходы -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Примечание: Продукт {0} имеет несколько вхождений +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Примечание: Продукт {0} имеет несколько вхождений apps/erpnext/erpnext/config/buying.py,All Contacts.,Все контакты. DocType: Accounting Period,Closed Documents,Закрытые документы DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Управление счетом-заявкой автоматически отправляется и отменяется для встречи с пациентом @@ -6389,9 +6464,7 @@ DocType: Member,Membership Type,Тип членства ,Reqd By Date,Логика включения по дате apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Кредиторы DocType: Assessment Plan,Assessment Name,Название оценки -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Показать PDC в печати apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Ряд # {0}: Серийный номер является обязательным -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Не найдены неоплаченные счета за {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Пункт Мудрый Налоговый Подробно DocType: Employee Onboarding,Job Offer,Предложение работы apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,институт Аббревиатура @@ -6451,6 +6524,7 @@ DocType: Serial No,Out of Warranty,По истечении гарантийно DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Тип данных сопоставления DocType: BOM Update Tool,Replace,Заменить apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Не найдено продуктов. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Опубликовать больше предметов apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Настоящее Соглашение об уровне обслуживания относится только к Клиенту {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} против чека {1} DocType: Antibiotic,Laboratory User,Пользователь лаборатории @@ -6473,7 +6547,6 @@ DocType: Payment Order Reference,Bank Account Details,Детали банков DocType: Purchase Order Item,Blanket Order,Заказать одеяло 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,Налоговые активы -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Производственный заказ был {0} DocType: BOM Item,BOM No,ВМ № 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,Скользящее среднее @@ -6547,6 +6620,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Исходящие облагаемые налогом поставки (нулевой рейтинг) DocType: BOM,Materials Required (Exploded),Необходимые материалы (в разобранном) 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/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,Дата размещения не может быть будущая дата @@ -6604,7 +6678,6 @@ DocType: Pricing Rule,Same Item,Тот же пункт DocType: Stock Ledger Entry,Stock Ledger Entry,Фото со Ledger Entry DocType: Quality Action Resolution,Quality Action Resolution,Решение по качеству действий apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} на неполный рабочий день {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Тот же пункт был введен несколько раз DocType: Department,Leave Block List,Оставьте список есть DocType: Purchase Invoice,Tax ID,ИНН apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не установка для серийные номера колонке должно быть пустым @@ -6642,7 +6715,7 @@ 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} отключен или не существует DocType: Purchase Invoice,Return,Возвращение -DocType: Accounting Dimension,Disable,Отключить +DocType: Account,Disable,Отключить apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Способ оплаты требуется произвести оплату DocType: Task,Pending Review,В ожидании отзыв apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Редактируйте на полной странице дополнительные параметры, такие как активы, серийные номера, партии и т. Д." @@ -6756,7 +6829,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Комбинированная часть счета должна равняться 100% DocType: Item Default,Default Expense Account,Счет учета затрат по умолчанию DocType: GST Account,CGST Account,Учетная запись CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Идентификация студента по электронной почте DocType: Employee,Notice (days),Уведомление (дней) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Счета-фактуры закрытых ваучеров @@ -6767,6 +6839,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Выберите продукты для сохранения счёта DocType: Employee,Encashment Date,Инкассация Дата DocType: Training Event,Internet,интернет +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Информация о продавце DocType: Special Test Template,Special Test Template,Специальный тестовый шаблон DocType: Account,Stock Adjustment,Регулирование запасов apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},По умолчанию активность Стоимость существует для вида деятельности - {0} @@ -6779,7 +6852,6 @@ 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,"Должны быть установлены как дата начала пробного периода, так и дата окончания пробного периода" -DocType: Company,Bank Remittance Settings,Настройки банковского перевода apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Средняя оценка 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",«Предоставленный клиентом товар» не может иметь оценку @@ -6807,6 +6879,7 @@ DocType: Grading Scale Interval,Threshold,Предельное значение apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Фильтровать сотрудников по (необязательно) DocType: BOM Update Tool,Current BOM,Текущий BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Баланс (Дт-Кт) +DocType: Pick List,Qty of Finished Goods Item,Кол-во готовых товаров apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Добавить серийный номер DocType: Work Order Item,Available Qty at Source Warehouse,Доступное количество в исходном хранилище apps/erpnext/erpnext/config/support.py,Warranty,Гарантия @@ -6885,7 +6958,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Здесь вы можете записывать рост, вес, аллергии, медицинские проблемы и т. п." apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Создание аккаунтов ... DocType: Leave Block List,Applies to Company,Относится к компании -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить, так как проведена учетная запись по Запасам {0}" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить, так как проведена учетная запись по Запасам {0}" DocType: Loan,Disbursement Date,Расходование Дата DocType: Service Level Agreement,Agreement Details,Детали соглашения apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Дата начала соглашения не может быть больше или равна дате окончания. @@ -6894,6 +6967,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Медицинская запись DocType: Vehicle,Vehicle,Средство передвижения DocType: Purchase Invoice,In Words,Прописью +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,На сегодняшний день должно быть раньше от даты apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Введите имя банка или кредитной организации перед отправкой. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} необходимо отправить DocType: POS Profile,Item Groups,Продуктовые группы @@ -6966,7 +7040,6 @@ DocType: Customer,Sales Team Details,Описание отдела продаж apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Удалить навсегда? DocType: Expense Claim,Total Claimed Amount,Всего заявленной суммы apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Потенциальные возможности для продажи. -DocType: Plaid Settings,Link a new bank account,Привязать новый банковский счет apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} является недействительным статусом посещаемости. DocType: Shareholder,Folio no.,Folio no. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Неверный {0} @@ -6982,7 +7055,6 @@ DocType: Production Plan,Material Requested,Заявленный материа DocType: Warehouse,PIN,ШТЫРЬ DocType: Bin,Reserved Qty for sub contract,Зарезервированное количество для субдоговора DocType: Patient Service Unit,Patinet Service Unit,Пассивный сервисный модуль -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Создать текстовый файл DocType: Sales Invoice,Base Change Amount (Company Currency),Базовая Изменение Сумма (Компания Валюта) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Нет учетной записи для следующих складов apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Только {0} для продукта {1} в наличии @@ -6996,6 +7068,7 @@ DocType: Item,No of Months,Число месяцев DocType: Item,Max Discount (%),Макс Скидка (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Кредитные дни не могут быть отрицательным числом apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Загрузить заявление +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Сообщить об этом товаре DocType: Purchase Invoice Item,Service Stop Date,Дата остановки службы apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Последняя сумма заказа DocType: Cash Flow Mapper,e.g Adjustments for:,"например, корректировки для:" @@ -7089,16 +7162,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Категория освобождения от налогов сотрудников apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Сумма не должна быть меньше нуля. DocType: Sales Invoice,C-Form Applicable,C-образный Применимо -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},"Время работы должно быть больше, чем 0 для операции {0}" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},"Время работы должно быть больше, чем 0 для операции {0}" DocType: Support Search Source,Post Route String,Строка Post Route apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Склад является обязательным apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Не удалось создать веб-сайт DocType: Soil Analysis,Mg/K,Мг / К DocType: UOM Conversion Detail,UOM Conversion Detail,Единица измерения Преобразование Подробно apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Прием и зачисление -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,"Удержание запаса, которое уже создано или количество образцов не указано" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,"Удержание запаса, которое уже создано или количество образцов не указано" DocType: Program,Program Abbreviation,Программа Аббревиатура -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Производственный заказ не может быть поднят против Item Шаблон apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Группа по ваучеру (консолидировано) DocType: HR Settings,Encrypt Salary Slips in Emails,Зашифровать листы зарплаты в электронных письмах DocType: Question,Multiple Correct Answer,Множественный правильный ответ @@ -7145,7 +7217,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Ноль оценен и DocType: Employee,Educational Qualification,Образовательный ценз DocType: Workstation,Operating Costs,Операционные расходы apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Валюта для {0} должно быть {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Последовательность льготного периода DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Отметьте посещаемость на основе «Проверка сотрудников» для сотрудников, назначенных для этой смены." DocType: Asset,Disposal Date,Утилизация Дата DocType: Service Level,Response and Resoution Time,Время отклика и восстановления @@ -7193,6 +7264,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Дата завершения DocType: Purchase Invoice Item,Amount (Company Currency),Сумма (Компания Валюта) DocType: Program,Is Featured,Показано +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Fetching ... DocType: Agriculture Analysis Criteria,Agriculture User,Пользователь сельского хозяйства apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Действителен до даты не может быть до даты транзакции 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} чтобы завершить эту транзакцию. @@ -7225,7 +7297,6 @@ DocType: Student,B+,B+ 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Всего выплачено Amt 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 @@ -7249,6 +7320,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,аноним apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Получено от DocType: Lead,Converted,Конвертировано DocType: Item,Has Serial No,Имеет серийный № +DocType: Stock Entry Detail,PO Supplied Item,PO поставленный пункт 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} @@ -7363,7 +7435,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Синхронные нал 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,По умолчанию BOM для {0} не найден +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}: Пожалуйста, установите количество тональный" apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,"Выберите продукты, чтобы добавить их" @@ -7399,7 +7471,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Дата технического обслуживания DocType: Purchase Invoice Item,Rejected Serial No,Отклонен Серийный номер apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,"Год дата начала или дата окончания перекрывается с {0}. Чтобы избежать, пожалуйста, установите компанию" -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для Посещаемости через Настройка> Серия нумерации" apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Пожалуйста, укажите Имя в Обращении {0}" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Дата начала должна быть раньше даты окончания для продукта {0} DocType: Shift Type,Auto Attendance Settings,Настройки автоматической посещаемости @@ -7409,9 +7480,11 @@ DocType: Upload Attendance,Upload Attendance,Загрузка табеля apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,ВМ и количество продукции обязательны apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Старение Диапазон 2 DocType: SG Creation Tool Course,Max Strength,Максимальное число студентов +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Учетная запись {0} уже существует в дочерней компании {1}. Следующие поля имеют разные значения, они должны быть одинаковыми:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Установка пресетов DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Нет примечания о доставке для клиента {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Строки добавлены в {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Сотрудник {0} не имеет максимальной суммы пособия apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Выбрать продукты по дате поставки DocType: Grant Application,Has any past Grant Record,Имеет ли какая-либо прошлая грантовая запись @@ -7457,6 +7530,7 @@ DocType: Fees,Student Details,Сведения о студенте DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".","Это стандартная единица измерения, используемая для позиций и заказов на продажу. Запасной UOM является "Nos"." DocType: Purchase Invoice Item,Stock Qty,Кол-во в запасе DocType: Purchase Invoice Item,Stock Qty,Кол-во в запасе +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,Учетная запись по умолчанию DocType: Loan,Repayment Period in Months,Период погашения в месяцах @@ -7485,6 +7559,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Скидка apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Табель для задач. DocType: Purchase Invoice,Against Expense Account,Со счета расходов apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Установка Примечание {0} уже представлен +DocType: BOM,Raw Material Cost (Company Currency),Стоимость сырья (валюта компании) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Аренда дома оплачивается по дням с перекрытием {0} DocType: GSTR 3B Report,October,октября DocType: Bank Reconciliation,Get Payment Entries,Получить Записи оплаты @@ -7532,15 +7607,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Доступна дата использования. DocType: Request for Quotation,Supplier Detail,Подробнее о поставщике apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Ошибка в формуле или условие: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Сумма по счетам +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Сумма по счетам apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Критерии веса должны составлять до 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Посещаемость apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Позиции на складе DocType: Sales Invoice,Update Billed Amount in Sales Order,Обновить Выставленную Сумму в Сделке +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Связаться с продавцом 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Пожалуйста, войдите как пользователь Marketplace, чтобы сообщить об этом товаре." ,Sales Partner Commission Summary,Сводка комиссий партнеров по продажам ,Item Prices,Цены продукта DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,По словам будет виден только вы сохраните заказ на поставку. @@ -7554,6 +7631,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Мастер Прайс-лист. DocType: Task,Review Date,Дата пересмотра DocType: BOM,Allow Alternative Item,Разрешить альтернативный элемент +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"В квитанции о покупке нет ни одного предмета, для которого включена функция сохранения образца." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Счет-фактура Grand Total DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Идентификаторы для записи амортизации активов (запись в журнале) DocType: Membership,Member Since,Участник с @@ -7563,6 +7641,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,On Net Всего 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: Pricing Rule,Product Discount Scheme,Схема скидок на товары +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Никакая проблема не была поднята вызывающим абонентом. DocType: Restaurant Reservation,Waitlisted,лист ожидания DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категория освобождения apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Валюта не может быть изменена после внесения записи, используя другой валюты" @@ -7576,7 +7655,6 @@ DocType: Customer Group,Parent Customer Group,Родительская груп apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON можно генерировать только из счета-фактуры apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Максимальное количество попыток для этого теста достигнуто! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Подписка -DocType: Purchase Invoice,Contact Email,Эл.почта для связи apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Платежное создание ожидается DocType: Project Template Task,Duration (Days),Продолжительность (дни) DocType: Appraisal Goal,Score Earned,Оценка Заработано @@ -7602,7 +7680,6 @@ DocType: Landed Cost Item,Landed Cost Item,Посадка Статьи затр 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Сумма за одну транзакцию превышает максимально допустимую сумму, создайте отдельное платежное поручение, разделив транзакции" DocType: Service Level Agreement,Entity,сущность DocType: Payment Reconciliation,Receivable / Payable Account,Счет Дебиторской / Кредиторской задолженности DocType: Delivery Note Item,Against Sales Order Item,По Продукту Сделки @@ -7772,6 +7849,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,им DocType: Quality Inspection Reading,Reading 3,Чтение 3 DocType: Stock Entry,Source Warehouse Address,Адрес источника склада DocType: GL Entry,Voucher Type,Ваучер Тип +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Будущие платежи 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 ,Последняя активность @@ -7798,6 +7876,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Список заболеваний, обнаруженных на поле. При выборе он автоматически добавит список задач для борьбы с болезнью" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,Спецификация 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Это корневая служба здравоохранения и не может быть отредактирована. DocType: Asset Repair,Repair Status,Статус ремонта apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Запрашиваемые Кол-во: Количество просил для покупки, но не заказали." @@ -7812,6 +7891,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Счет для изменения высоты DocType: QuickBooks Migrator,Connecting to QuickBooks,Подключение к QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Общая прибыль / убыток +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Создать список выбора apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ряд {0}: Партия / счета не соответствует {1} / {2} в {3} {4} DocType: Employee Promotion,Employee Promotion,Продвижение сотрудников DocType: Maintenance Team Member,Maintenance Team Member,Член технической службы @@ -7895,6 +7975,7 @@ 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,Категория активов apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Чистая зарплата не может быть отрицательным @@ -7926,7 +8007,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Цель качества DocType: BOM,Item to be manufactured or repacked,Продукт должен быть произведен или переупакован apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Синтаксическая ошибка в состоянии: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,"Нет проблем, поднятых клиентом." DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST .YYYY.- DocType: Employee Education,Major/Optional Subjects,Основные / факультативных предметов apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Установите группу поставщиков в разделе «Настройки покупок». @@ -8019,8 +8099,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Кредитных дней apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,"Выберите «Пациент», чтобы получить лабораторные тесты" DocType: Exotel Settings,Exotel Settings,Настройки Exotel -DocType: Leave Type,Is Carry Forward,Является ли переносить +DocType: Leave Ledger Entry,Is Carry Forward,Является ли переносить DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Рабочее время, ниже которого отмечается отсутствие. (Ноль отключить)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Отправить сообщение apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Получить продукты из спецификации 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,Расходы на подоходный налог diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv index db8c5bd96d..7e041f3b46 100644 --- a/erpnext/translations/si.csv +++ b/erpnext/translations/si.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,සැපයුම්කරු දැනුවත් කරන්න apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,කරුණාකර පක්ෂය වර්ගය පළමු තෝරා DocType: Item,Customer Items,පාරිභෝගික අයිතම +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,වගකීම් DocType: Project,Costing and Billing,පිරිවැය හා බිල්පත් apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},අත්තිකාරම් ගිණුම ව්යවහාර මුදල් සමාගම් එකට සමාන විය යුතුය {0} DocType: QuickBooks Migrator,Token Endpoint,ටෝකන් අවසානය @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,නු පෙරනිමි ඒකකය DocType: SMS Center,All Sales Partner Contact,සියලු විකුණුම් සහකරු අමතන්න DocType: Department,Leave Approvers,Approvers තබන්න DocType: Employee,Bio / Cover Letter,ජෛව / ආවරණ ලිපිය +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,අයිතම සොයන්න ... DocType: Patient Encounter,Investigations,විමර්ශන DocType: Restaurant Order Entry,Click Enter To Add,එකතු කිරීමට Enter ක්ලික් කරන්න apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","මුරපදය, API යතුර හෝ සාප්පු කිරීම සඳහා URL සඳහා නැති වටිනාකමක්" DocType: Employee,Rented,කුලියට ගත් apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,සියලු ගිණුම් apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,සේවකයාගේ තත්වය වමට හැරවිය නොහැක -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","නතර අවලංගු කිරීමට ප්රථම එය Unstop නිෂ්පාදන සාමය, අවලංගු කල නොහැක" DocType: Vehicle Service,Mileage,ධාවනය කර ඇති දුර apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,ඔබට නිසැකවම මෙම වත්කම් ඡන්ද දායකයා කිරීමට අවශ්යද? DocType: Drug Prescription,Update Schedule,යාවත්කාල උපලේඛනය @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,පාරිභෝගික DocType: Purchase Receipt Item,Required By,වන විට අවශ්ය DocType: Delivery Note,Return Against Delivery Note,සැපයුම් සටහන එරෙහි නැවත DocType: Asset Category,Finance Book Detail,මුදල් විස්තර පොත +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,සියලුම ක්ෂය කිරීම් වෙන් කර ඇත DocType: Purchase Order,% Billed,% අසූහත apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,වැටුප් අංකය apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),විනිමය අනුපාතය {0} ලෙස {1} සමාන විය යුතු ය ({2}) @@ -95,6 +97,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,කණ්ඩායම අයිතමය කල් ඉකුත් වීමේ තත්ත්වය apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,බැංකු අණකරයකින් ෙගවිය DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,මුළු ප්‍රමාද සටහන් DocType: Mode of Payment Account,Mode of Payment Account,ගෙවීම් ගිණුම වන ආකාරය apps/erpnext/erpnext/config/healthcare.py,Consultation,උපදේශනය DocType: Accounts Settings,Show Payment Schedule in Print,මුද්රණයෙහි ගෙවීම් උපලේඛනය පෙන්වන්න @@ -120,6 +123,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,ප්රාථමික ඇමතුම් විස්තර apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,විවෘත ගැටළු DocType: Production Plan Item,Production Plan Item,නිශ්පාදන සැළැස්ම අයිතමය +DocType: Leave Ledger Entry,Leave Ledger Entry,ලෙජර් ප්‍රවේශය තබන්න 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,ඊයම් සාදන්න @@ -138,6 +142,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,උ DocType: Purchase Invoice Item,Item Weight Details,අයිතම බර ප්රමාණය විස්තර DocType: Asset Maintenance Log,Periodicity,ආවර්තයක් apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,මුදල් වර්ෂය {0} අවශ්ය වේ +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,ශුද්ධ ලාභය / අලාභය DocType: Employee Group Table,ERPNext User ID,ERPNext පරිශීලක හැඳුනුම්පත DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ප්රශස්ත වර්ධනය සඳහා පැල පේළි අතර අවම පරතරය apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,නියමිත ක්‍රියා පටිපාටිය ලබා ගැනීමට කරුණාකර රෝගියා තෝරන්න @@ -164,10 +169,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,විකුණුම් මිල ලැයිස්තුව DocType: Patient,Tobacco Current Use,දුම්කොළ භාවිතය apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,විකුණුම් අනුපාතිකය -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,නව ගිණුමක් එක් කිරීමට පෙර කරුණාකර ඔබේ ලේඛනය සුරකින්න 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 ...,ඕනෑම දෙයක් සොයන්න ... DocType: Company,Phone No,දුරකතන අංකය DocType: Delivery Trip,Initial Email Notification Sent,ආරම්භක ඊමේල් දැනුම්දීම යැවූ DocType: Bank Statement Settings,Statement Header Mapping,ප්රකාශන ශීර්ෂ සිතියම්කරණය @@ -229,6 +234,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,ව DocType: Exchange Rate Revaluation Account,Gain/Loss,පාඩුව / පාඩුව DocType: Crop,Perennial,බහු වාර්ෂික DocType: Program,Is Published,ප්‍රකාශයට පත් කර ඇත +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,බෙදා හැරීමේ සටහන් පෙන්වන්න apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","බිල්පත් ඉක්මවා යාමට ඉඩ දීම සඳහා, ගිණුම් සැකසීම්වල හෝ අයිතමයේ “අධික බිල්පත් දීමනාව” යාවත්කාලීන කරන්න." DocType: Patient Appointment,Procedure,පටිපාටිය DocType: Accounts Settings,Use Custom Cash Flow Format,අභිමත මුදල් ප්රවාහ ආකෘතිය භාවිතා කරන්න @@ -277,6 +283,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,"කාල පරිච්ඡේදය, සංඛ්යාව අධික ආපසු ගෙවීම" apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,නිෂ්පාදනය කිරීමට ඇති ප්‍රමාණය ශුන්‍යයට වඩා අඩු විය නොහැක DocType: Stock Entry,Additional Costs,අතිරේක පිරිවැය +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,පාරිභෝගික> පාරිභෝගික කණ්ඩායම> ප්‍රදේශය apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,පවත්නා ගනුදෙනුව ගිණුමක් පිරිසක් බවට පරිවර්තනය කළ නොහැක. DocType: Lead,Product Enquiry,නිෂ්පාදන විමසීම් DocType: Education Settings,Validate Batch for Students in Student Group,ශිෂ්ය සමූහය සිසුන් සඳහා කණ්ඩායම තහවුරු කර @@ -288,7 +295,9 @@ DocType: Employee Education,Under Graduate,උපාධි යටතේ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,"කරුණාකර HR සැකසීම් තුළ, Leave Status Notification සඳහා ප්රකෘති ආකෘතිය සකසන්න." apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ඉලක්කය මත DocType: BOM,Total Cost,මුළු වියදම +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,වෙන් කිරීම කල් ඉකුත් විය! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,ඉදිරියට ගෙන යන කොළ උපරිම DocType: Salary Slip,Employee Loan,සේවක ණය DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,ගෙවීම් ඉල්ලීම් ඊ-තැපෑල යවන්න @@ -298,6 +307,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,දේ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,ගිණුම් ප්රකාශයක් apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ඖෂධ DocType: Purchase Invoice Item,Is Fixed Asset,ස්ථාවර වත්කම් ද +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,අනාගත ගෙවීම් පෙන්වන්න DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,මෙම බැංකු ගිණුම දැනටමත් සමමුහුර්ත කර ඇත DocType: Homepage,Homepage Section,මුල් පිටුව @@ -344,7 +354,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,පොහොර apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",\ Serial {0} සමඟ බෙදාහැරීම සහතික කිරීම සහතික කළ නොහැකි ය. -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,කරුණාකර අධ්‍යාපනය> අධ්‍යාපන සැකසුම් තුළ උපදේශක නම් කිරීමේ පද්ධතිය සකසන්න apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,ගෙවීම් අවම වශයෙන් එක් මාදිලිය POS ඉන්වොයිසිය සඳහා අවශ්ය වේ. DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,බැංකු ප්රකාශය ගණුදෙනු ඉන්වොයිස්තුව අයිතමය DocType: Salary Detail,Tax on flexible benefit,නම්යශීලී ප්රතිලාභ මත බදු @@ -418,6 +427,7 @@ DocType: Job Offer,Select Terms and Conditions,නියමයන් හා ක apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,අගය පෙන්වා DocType: Bank Statement Settings Item,Bank Statement Settings Item,බැංකු ප්රකාශය සැකසුම් අයිතමය DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce සැකසුම් +DocType: Leave Ledger Entry,Transaction Name,ගනුදෙනු නම DocType: Production Plan,Sales Orders,විකුණුම් නියෝග apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,පාරිභෝගිකයා සඳහා වූ තවත් ලැදියා වැඩසටහනක්. කරුණාකර අතින් තෝරා ගන්න. DocType: Purchase Taxes and Charges,Valuation,තක්සේරු @@ -452,6 +462,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: 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,යාවත්කාලීන විද්යුත් සමූහ DocType: POS Profile,Only show Customer of these Customer Groups,මෙම පාරිභෝගික කණ්ඩායම්වල පාරිභෝගිකයාට පමණක් පෙන්වන්න DocType: Sales Invoice,Is Opening Entry,විවෘත වේ සටහන් @@ -460,8 +471,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,සම්මතයට අයත් නොවන ලැබිය අදාළ නම් සඳහන් 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,මෙම තේරීම් ලැයිස්තුවට එරෙහිව කොටස් ඇතුළත් කිරීම දැනටමත් නිර්මාණය කර ඇත DocType: Supplier Scorecard,Criteria Setup,නිර්ණායක -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,ගබඩාව අවශ්ය වේ සඳහා පෙර ඉදිරිපත් +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,දා ලැබී DocType: Codification Table,Medical Code,වෛද්ය සංග්රහය apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ERPNext සමඟ ඇමේසන් සම්බන්ධ කරන්න @@ -477,7 +489,7 @@ DocType: Restaurant Order Entry,Add Item,විෂය එකතු කරන් DocType: Party Tax Withholding Config,Party Tax Withholding Config,පාර්ශ්වික බදු අහෝසි කිරීම DocType: Lab Test,Custom Result,අභිරුචි ප්රතිඵල apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,බැංකු ගිණුම් එකතු කරන ලදි -DocType: Delivery Stop,Contact Name,අප අමතන්න නම +DocType: Call Log,Contact Name,අප අමතන්න නම DocType: Plaid Settings,Synchronize all accounts every hour,සෑම පැයකටම සියලුම ගිණුම් සමමුහුර්ත කරන්න DocType: Course Assessment Criteria,Course Assessment Criteria,පාඨමාලා තක්සේරු නිර්ණායක DocType: Pricing Rule Detail,Rule Applied,රීතිය අදාළ වේ @@ -521,7 +533,6 @@ 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,විකුණුම් ඉන්වොයිසිය නොමැත -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,නොදන්නා අංකය DocType: Website Filter Field,Website Filter Field,වෙබ් අඩවි පෙරහන් ක්ෂේත්‍රය apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,සැපයුම් වර්ගය DocType: Material Request Item,Min Order Qty,අවම සාමය යවන ලද @@ -549,7 +560,6 @@ DocType: Salary Slip,Total Principal Amount,මුලික මුදල DocType: Student Guardian,Relation,සම්බන්ධතා DocType: Quiz Result,Correct,නිවැරදි DocType: Student Guardian,Mother,මව -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,කරුණාකර පළමුවෙන් site_config.json හි වලංගු Plaid api යතුරු එක් කරන්න DocType: Restaurant Reservation,Reservation End Time,වෙන් කිරීම අවසාන කාලය DocType: Crop,Biennial,ද්විවාර්ෂිකයි ,BOM Variance Report,BOM විචලතාව වාර්තාව @@ -564,6 +574,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,පොදු යතුර DocType: Payment Term,Payment Term Name,ගෙවීම් පදනමේ නම DocType: Healthcare Settings,Create documents for sample collection,සාම්පල එකතු කිරීම සඳහා ලේඛන සාදන්න apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},{0} {1} විශිෂ්ට මුදල {2} වඩා වැඩි විය නොහැකි එරෙහිව ගෙවීම් @@ -611,12 +622,14 @@ DocType: POS Profile,Offline POS Settings,නොබැඳි POS සැකසු DocType: Stock Entry Detail,Reference Purchase Receipt,යොමු මිලදී ගැනීමේ කුවිතාන්සිය DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-රේකෝ-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,අතරින් ප්රභේද්යයක් -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',අවසන් යවන ලද 'යවන ලද නිෂ්පාදනය සඳහා' ට වඩා වැඩි විය නොහැක +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',අවසන් යවන ලද 'යවන ලද නිෂ්පාදනය සඳහා' ට වඩා වැඩි විය නොහැක +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,කාල සීමාව පදනම් කරගෙන DocType: Period Closing Voucher,Closing Account Head,වසා ගිණුම ප්රධානී DocType: Employee,External Work History,විදේශ රැකියා ඉතිහාසය apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,වටරවුම් විමර්ශන දෝෂ apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,ශිෂ්ය වාර්තා කාඩ්පත apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,PIN කේතයෙන් +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,විකුණුම් පුද්ගලයා පෙන්වන්න DocType: Appointment Type,Is Inpatient,රෝගී apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 නම DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,ඔබ සැපයුම් සටහන බේරා වරක් වචන (අපනයන) දෘශ්යමාන වනු ඇත. @@ -630,6 +643,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,මාන නම apps/erpnext/erpnext/healthcare/setup.py,Resistant,ප්රතිරෝධය apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},කරුණාකර හෝටල් කාමර ගාස්තු {{ +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්‍රේණිය සැකසුම> අංකනය මාලාව හරහා සකසන්න DocType: Journal Entry,Multi Currency,බහු ව්යවහාර මුදල් DocType: Bank Statement Transaction Invoice Item,Invoice Type,ඉන්වොයිසිය වර්ගය apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,දින සිට වලංගු වන්නේ වලංගු දිනට වඩා අඩු විය යුතුය @@ -648,6 +662,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,ඇතුළත් DocType: Workstation,Rent Cost,කුලියට වියදම 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,ක්ෂය පසු ප්රමාණය apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,ඉදිරියට එන දින දසුන සිදුවීම් apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,ප්රභූත්ව ගුණාංග @@ -735,7 +750,6 @@ DocType: Request for Quotation,Request for Quotation,උද්ධෘත සඳ 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,විකුණුම් පුද්ගලයා මුද්‍රණයෙන් පෙන්වන්න 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,ශක්තිය @@ -743,7 +757,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,නව පාරිභෝගික නිර්මාණය apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,කල් ඉකුත් වේ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","බහු මිල නියම රීති පවතින දිගටම සිදු වන්නේ නම්, පරිශීලකයන් ගැටුම විසඳීමට අතින් ප්රමුඛ සකස් කරන ලෙස ඉල්ලා ඇත." -DocType: Purchase Invoice,Scan Barcode,තීරු කේතය පරිලෝකනය කරන්න apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,මිලදී ගැනීම නියෝග නිර්මාණය ,Purchase Register,මිලදී රෙජිස්ටර් apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,රෝගියා සොයාගත නොහැකි විය @@ -802,6 +815,7 @@ DocType: Account,Old Parent,පරණ මාපිය apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,අනිවාර්ය ක්ෂේත්රයේ - අධ්යයන වර්ෂය apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,අනිවාර්ය ක්ෂේත්රයේ - අධ්යයන වර්ෂය apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} {2} සමග සම්බන්ධ වී නැත {3} +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} @@ -842,6 +856,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet පදනම් වැටුප් වැටුප් සංරචක. DocType: Driver,Applicable for external driver,බාහිර රියදුරු සඳහා අදාළ වේ DocType: Sales Order Item,Used for Production Plan,නිශ්පාදන සැළැස්ම සඳහා භාවිතා +DocType: BOM,Total Cost (Company Currency),මුළු පිරිවැය (සමාගම් මුදල්) DocType: Loan,Total Payment,මුළු ගෙවීම් apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,සම්පූර්ණ කරන ලද වැඩ පිළිවෙල සඳහා ගනුදෙනුව අවලංගු කළ නොහැක. DocType: Manufacturing Settings,Time Between Operations (in mins),මෙහෙයුම් අතර කාලය (මිනිත්තු දී) @@ -862,6 +877,7 @@ DocType: Supplier Scorecard Standing,Notify Other,අනිත් අයට ද DocType: Vital Signs,Blood Pressure (systolic),රුධිර පීඩනය (සිස්ටලික්) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} යනු {2} වේ DocType: Item Price,Valid Upto,වලංගු වන තුරුත් +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.,ඔබේ ගනුදෙනුකරුවන් කිහිපයක් සඳහන් කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයින් විය හැකි ය. @@ -923,6 +939,7 @@ DocType: Patient,Risk Factors,අවදානම් සාධක DocType: Patient,Occupational Hazards and Environmental Factors,වෘත්තීයමය හා පාරිසරික සාධක apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,වැඩ පිළිවෙළ සඳහා දැනටමත් නිර්මාණය කර ඇති කොටස් සටහන් apps/erpnext/erpnext/templates/pages/cart.html,See past orders,අතීත ඇණවුම් බලන්න +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} සංවාද DocType: Vital Signs,Respiratory rate,ශ්වසන වේගය apps/erpnext/erpnext/config/help.py,Managing Subcontracting,කළමනාකාර උප කොන්ත්රාත් DocType: Vital Signs,Body Temperature,ශරීරය උෂ්ණත්වය @@ -964,6 +981,7 @@ DocType: Purchase Invoice,Registered Composition,ලියාපදිංචි apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,හෙලෝ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,විෂය ගෙන යන්න DocType: Employee Incentive,Incentive Amount,දිරිගැන්වීමේ මුදල +,Employee Leave Balance Summary,සේවක නිවාඩු ශේෂ සාරාංශය DocType: Serial No,Warranty Period (Days),වගකීම් කාලය (දින) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,සමස්ථ ණය / හර ණය ප්රමාණය සම්බන්ධිත ජර්නල් සටහන් ඇතුළත් කළ යුතුය DocType: Installation Note Item,Installation Note Item,ස්ථාපන සටහන අයිතමය @@ -977,6 +995,7 @@ DocType: Vital Signs,Bloated,ඉදිමී DocType: Salary Slip,Salary Slip Timesheet,වැටුප් පුරවා Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,උප කොන්ත්රාත් මිලදී ගැනීම රිසිට්පත අනිවාර්ය සැපයුම්කරු ගබඩාව DocType: Item Price,Valid From,සිට වලංගු +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,ඔබගේ ඇගයීම: DocType: Sales Invoice,Total Commission,මුළු කොමිෂන් සභාව DocType: Tax Withholding Account,Tax Withholding Account,බදු රඳවා ගැනීමේ ගිණුම DocType: Pricing Rule,Sales Partner,විකුණුම් සහයෝගිතාකරු @@ -984,6 +1003,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,සියලු DocType: Buying Settings,Purchase Receipt Required,මිලදී ගැනීම කුවිතාන්සිය අවශ්ය DocType: Sales Invoice,Rail,දුම්රිය apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,තථ්‍ය පිරිවැය +DocType: Item,Website Image,වෙබ් අඩවි රූපය apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,පේලිය {0} ඉලක්කගත ගබඩාව වැඩ පිළිවෙළට සමාන විය යුතුය apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"ආරම්භක තොගය තිබේ නම්, තක්සේරු අනුපාත අනිවාර්ය වේ" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,වාර්තා ඉන්ෙවොයිසිය වගුව සොයාගැනීමට නොමැත @@ -1015,8 +1035,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Receive at Warehou 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,ඔබගේ ගිණුම සමමුහුර්ත කිරීමට පෙර කරුණාකර ඔබගේ Plaid API වින්‍යාසය සම්පූර්ණ කරන්න apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,අර්ධ දින දිනය අනිවාර්ය වේ DocType: Sales Order,Billing and Delivery Status,බිල්පත් ගෙවීම් හා සැපයුම් තත්ත්වය DocType: Job Applicant,Resume Attachment,නැවත ආරම්භ ඇමුණුම් @@ -1028,7 +1048,6 @@ DocType: Production Plan,Production Plan,නිෂ්පාදන සැලැ DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,ආරම්භක ඉන්වොයිස් සෑදීම මෙවලම DocType: Salary Component,Round to the Nearest Integer,ආසන්නතම පූර්ණ සංඛ්‍යාවට වටය apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,විකුණුම් ප්රතිලාභ -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,සටහන: මුළු වෙන් කොළ {0} කාලය සඳහා දැනටමත් අනුමැතිය කොළ {1} ට අඩු නොවිය යුතු ය DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,අනුක්රමික අංකයක් මත පදනම් වූ ගනුදෙනුවලදී Qty සකසන්න ,Total Stock Summary,මුළු කොටස් සාරාංශය DocType: Announcement,Posted By,පලකරන්නා @@ -1054,6 +1073,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,ක apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,විදුහල්පති මුදල DocType: Loan Application,Total Payable Interest,මුළු ගෙවිය යුතු පොලී apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},කැපී පෙනෙන ලෙස: {0} +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} සඳහා අවශ්ය DocType: Payroll Entry,Select Payment Account to make Bank Entry,බැංකුව සටහන් කිරීමට ගෙවීම් ගිණුම තෝරන්න @@ -1062,6 +1082,7 @@ 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,යාවත්කාලීන කිරීමේ ක්රියාවලියේදී දෝශයක් ඇතිවිය DocType: Restaurant Reservation,Restaurant Reservation,ආපන ශාලා +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,ඔබේ අයිතම apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,යෝජනාව ලේඛන DocType: Payment Entry Deduction,Payment Entry Deduction,ගෙවීම් සටහන් අඩු DocType: Service Level Priority,Service Level Priority,සේවා මට්ටමේ ප්‍රමුඛතාවය @@ -1070,6 +1091,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,කාණ්ඩය ගණන apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,තවත් විකුණුම් පුද්ගලයෙක් {0} එම සේවක අංකය සහිත පවතී DocType: Employee Advance,Claimed Amount,හිමිකම් ලද මුදල +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,වෙන් කිරීම කල් ඉකුත්වීම DocType: QuickBooks Migrator,Authorization Settings,අවසරය සැකසීම් DocType: Travel Itinerary,Departure Datetime,පිටත් වීම apps/erpnext/erpnext/hub_node/api.py,No items to publish,ප්‍රකාශයට පත් කිරීමට අයිතම නොමැත @@ -1138,7 +1160,6 @@ DocType: Student Batch Name,Batch Name,කණ්ඩායම නම DocType: Fee Validity,Max number of visit,සංචාරය කරන ලද උපරිම සංඛ්යාව DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,ලාභ හා අලාභ ගිණුම සඳහා අනිවාර්යය ,Hotel Room Occupancy,හෝටල් කාමරය -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet නිර්මාණය: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},ගෙවීම් ප්රකාරය {0} පැහැර මුදල් හෝ බැංකු ගිණුම් සකස් කරන්න apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,ලියාපදිංචි DocType: GST Settings,GST Settings,GST සැකසුම් @@ -1270,6 +1291,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,කරුණාකර වැඩසටහන තෝරා DocType: Project,Estimated Cost,තක්සේරු කළ පිරිවැය DocType: Request for Quotation,Link to material requests,ද්රව්ය ඉල්ලීම් වෙත සබැඳෙන පිටු +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,පළ කරන්න apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ගගන ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,ක්රෙඩිට් කාඩ් සටහන් @@ -1296,6 +1318,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,ජංගම වත්කම් apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} කොටස් අයිතමය නොවේ apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"පුහුණුවීම් සඳහා ක්ලික් කිරීමෙන් ඔබේ ප්රතිපෝෂණය බෙදාගන්න, පසුව 'නව'" +DocType: Call Log,Caller Information,අමතන්නාගේ තොරතුරු DocType: Mode of Payment Account,Default Account,පෙරනිමි ගිණුම apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,කරුණාකර මුලින්ම කොටස් සැකසුම් වල සාම්පල රඳවා තබා ගැනීමේ ගබඩාව තෝරන්න apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,එකතු කිරීමේ නීති වලට වඩා වැඩි ගණනක් සඳහා කරුණාකර බහු ස්ථරයේ වැඩසටහන් වර්ගය තෝරන්න. @@ -1320,6 +1343,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,වාහන ද්රව්ය ඉල්ලීම් උත්පාදිත DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),අර්ධ දිනය සලකුණු කර ඇති වැඩ කරන වේලාවට පහළින්. (අක්‍රීය කිරීමට ශුන්‍යය) DocType: Job Card,Total Completed Qty,සම්පුර්ණ කරන ලද Qty +DocType: HR Settings,Auto Leave Encashment,ස්වයංක්‍රීය නිවාඩු එන්කැෂ්මන්ට් apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,අහිමි apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,ඔබ තීරුව 'සඟරාව සටහන් එරෙහි' වර්තමාන වවුචරය ඇතුල් විය නොහැකියි DocType: Employee Benefit Application Detail,Max Benefit Amount,මැක්ස් ප්රතිලාභය @@ -1349,9 +1373,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,ග්රාහකයා DocType: Item Attribute Value,Item Attribute Value,අයිතමය Attribute අගය apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,විනිමය හෝ විකිණීම සඳහා මුදල් හුවමාරුව අදාළ විය යුතුය. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,අවලංගු කළ හැක්කේ කල් ඉකුත් වූ ප්‍රතිපාදන පමණි DocType: Item,Maximum sample quantity that can be retained,රඳවා ගත හැකි උපරිම නියැදි ප්රමාණය apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},පේළිය {0} # අයිතම {1} මිලදී ගැනීමේ නියෝගයට එරෙහිව {2} වඩා වැඩි සංඛ්යාවක් මාරු කළ නොහැක {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,විකුණුම් ව්යාපාර. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,නොදන්නා අමතන්නා DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1383,6 +1409,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,සෞඛ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,ඩොක් නම DocType: Expense Claim Detail,Expense Claim Type,වියදම් හිමිකම් වර්ගය DocType: Shopping Cart Settings,Default settings for Shopping Cart,සාප්පු සවාරි කරත්ත සඳහා පෙරනිමි සැකසුම් +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,අයිතමය සුරකින්න apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,නව වියදම apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,පවත්නා ඇණවුම් කළ Qty නොසලකා හරින්න apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Timeslots එකතු කරන්න @@ -1395,6 +1422,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,සමාලෝචනය යැවූ ලිපිය DocType: Shift Assignment,Shift Assignment,Shift පැවරුම DocType: Employee Transfer Property,Employee Transfer Property,සේවක ස්ථාන මාරු දේපල +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,ක්ෂේත්‍ර කොටස් / වගකීම් ගිණුම හිස් විය නොහැක apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,කාලය සිට කාලය දක්වා අඩු විය යුතුය apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,ජෛව තාක්ෂණ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1476,11 +1504,13 @@ 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,නව සම්බන්ධතා සාදන්න apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,පාඨමාලා කාලසටහන DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B වාර්තාව DocType: Request for Quotation Supplier,Quote Status,Quote තත්වය DocType: GoCardless Settings,Webhooks Secret,වෙබ් කෙක්ස් රහස් DocType: Maintenance Visit,Completion Status,අවසන් වූ තත්ත්වය +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},මුළු ගෙවීම් ප්‍රමාණය {than ට වඩා වැඩි විය නොහැක DocType: Daily Work Summary Group,Select Users,පරිශීලකයන් තෝරන්න DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,හෝටලයේ කාමර මිලකරණය DocType: Loyalty Program Collection,Tier Name,ස්ථර නාමය @@ -1518,6 +1548,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST ම DocType: Lab Test Template,Result Format,ප්රතිඵල ආකෘතිය DocType: Expense Claim,Expenses,වියදම් DocType: Service Level,Support Hours,සහාය පැය +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,බෙදාහැරීම් සටහන් DocType: Item Variant Attribute,Item Variant Attribute,අයිතමය ප්රභේද්යයක් Attribute ,Purchase Receipt Trends,මිලදී ගැනීම රිසිට්පත ප්රවණතා DocType: Payroll Entry,Bimonthly,Bimonthly @@ -1539,7 +1570,6 @@ DocType: Sales Team,Incentives,සහන DocType: SMS Log,Requested Numbers,ඉල්ලන ගණන් DocType: Volunteer,Evening,සන්ධ්යාව DocType: Quiz,Quiz Configuration,ප්‍රශ්නාවලිය වින්‍යාසය -DocType: Customer,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,කොටස් විස්තර @@ -1586,7 +1616,6 @@ apps/erpnext/erpnext/config/accounting.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,මුල පිරික්සන්න -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},මෙහෙයුම {1} සඳහා ඉදිරි {0} දින තුළ කාල Slot සොයා ගැනීමට නොහැකි DocType: Work Order,Plan material for sub-assemblies,උප-එකලස්කිරීම් සඳහා සැලසුම් ද්රව්ය 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,ස්ථාන මාරු සඳහා අයිතම නොමැත @@ -1601,9 +1630,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,නැවත ඇණවුම් මට්ටම් පවත්වා ගැනීම සඳහා කොටස් සැකසුම් තුළ ස්වයංක්‍රීයව නැවත ඇණවුම් කිරීම සක්‍රීය කළ යුතුය. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,මෙම නඩත්තු සංචාරය අවලංගු කර පෙර ද්රව්ය සංචාර {0} අවලංගු කරන්න DocType: Pricing Rule,Rate or Discount,අනුපාතිකය හෝ වට්ටම් +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,බැංකු තොරතුරු DocType: Vital Signs,One Sided,එක් පැත්තක් apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},අනු අංකය {0} අයිතමය අයිති නැත {1} -DocType: Purchase Receipt Item Supplied,Required Qty,අවශ්ය යවන ලද +DocType: Purchase Order Item Supplied,Required Qty,අවශ්ය යවන ලද DocType: Marketplace Settings,Custom Data,අභිරුචි දත්ත apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,පවත්නා ගනුදෙනුව සමග බඞු ගබඞාව ලෙජර් පරිවර්තනය කළ නොහැක. DocType: Service Day,Service Day,සේවා දිනය @@ -1630,7 +1660,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,ගිණුම ව්යවහාර මුදල් DocType: Lab Test,Sample ID,සාම්පල අංකය apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,සමාගම ගිණුම අක්රිය වටය සඳහන් කරන්න -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,රංගේ DocType: Supplier,Default Payable Accounts,පෙරනිමි ගෙවිය යුතු ගිණුම් apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,සේවක {0} සක්රීය නොවන නැත්නම් ස්ථානීකව නොපවතියි @@ -1671,8 +1700,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,තොරතුරු සඳහා වන ඉල්ලීම DocType: Course Activity,Activity Date,ක්‍රියාකාරකම් දිනය apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} වල {} -,LeaderBoard,ප්රමුඛ DocType: Sales Invoice Item,Rate With Margin (Company Currency),අනුපාතිකය අනුපාතිකය (සමාගම් ව්යවහාර මුදල්) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,ප්රවර්ග apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,සමමුහුර්ත කරන්න Offline දින ඉන්වොයිසි DocType: Payment Request,Paid,ගෙවුම් DocType: Service Level,Default Priority,පෙරනිමි ප්‍රමුඛතාවය @@ -1707,11 +1736,11 @@ 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,වක්ර ආදායම් DocType: Student Attendance Tool,Student Attendance Tool,ශිෂ්ය පැමිණීම මෙවලම DocType: Restaurant Menu,Price List (Auto created),මිල ලැයිස්තුව (ස්වයංක්රීයව සාදා ඇති) +DocType: Pick List Item,Picked Qty,තෝරාගත් Qty DocType: Cheque Print Template,Date Settings,දිනය සැකසුම් 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,සේවක ප්රවර්ධන විස්තරය -,Company Name,සමාගම් නාමය DocType: SMS Center,Total Message(s),මුළු පණිවුඩය (ව) DocType: Share Balance,Purchased,මිලදී ගනු ලැබේ DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,අයිතමයේ ගුණාංගයේ ඇති ගුණාංග අගය කිරීම. @@ -1730,7 +1759,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,නවතම උත්සාහය DocType: Quiz Result,Quiz Result,ප්‍රශ්නාවලිය ප්‍රති .ලය apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},Leave වර්ගය සඳහා වෙන් කර ඇති මුළු එකතුව {0} -DocType: BOM,Raw Material Cost(Company Currency),අමු ද්රව්ය වියදම (සමාගම ව්යවහාර මුදල්) 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,මීටර් @@ -1799,6 +1827,7 @@ DocType: Travel Itinerary,Train,දුම්රිය ,Delayed Item Report,ප්‍රමාද වූ අයිතම වාර්තාව apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,සුදුසුකම් ලත් අයි.ටී.සී. DocType: Healthcare Service Unit,Inpatient Occupancy,නේවාසික වාසස්ථානය +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,ඔබේ පළමු අයිතම ප්‍රකාශයට පත් කරන්න DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYY- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,පැමිණීම සඳහා පිටවීම සලකා බලනු ලබන මාරුව අවසන් වූ වේලාව. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},ඇති {0} කරුණාකර සඳහන් කරන්න @@ -1916,6 +1945,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,සියලු B apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,අන්තර් සමාගම් ජර්නල් ප්‍රවේශය සාදන්න DocType: Company,Parent Company,මව් සමාගම apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},{0} වර්ගයේ හෝටල් කාමර නොමැත {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,අමුද්‍රව්‍ය හා මෙහෙයුම් වල වෙනස්කම් සඳහා BOM සංසන්දනය කරන්න DocType: Healthcare Practitioner,Default Currency,පෙරනිමි ව්යවහාර මුදල් 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}% @@ -1948,6 +1978,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-ආකෘතිය ඉන්වොයිසිය විස්තර DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ගෙවීම් ප්රතිසන්ධාන ඉන්වොයිසිය DocType: Clinical Procedure,Procedure Template,ක්රියා පටිපාටිය +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,අයිතම ප්‍රකාශයට පත් කරන්න apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,දායකත්වය % apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","අර Buy සැකසුම් අනුව මිලදී ගැනීමේ නියෝගයක් අවශ්ය == 'ඔව්' නම් ගැනුම් නිර්මාණය කිරීම සඳහා, පරිශීලක අයිතමය {0} සඳහා පළමු මිලදී ගැනීමේ නියෝගයක් නිර්මාණය කිරීමට අවශ්ය නම්" ,HSN-wise-summary of outward supplies,HSN-ප්රඥාව-බාහිර සැපයුම්වල සාරාංශය @@ -1959,7 +1990,6 @@ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,සාප්ප apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On','යොමු කරන්න අතිරේක වට්ටම් මත' සකස් කරන්න DocType: Party Tax Withholding Config,Applicable Percent,අදාළ ප්රතිශතය ,Ordered Items To Be Billed,නියෝග අයිතම බිල්පතක් -DocType: Employee Checkin,Exit Grace Period Consequence,අනුග්‍රහයෙන් ඉවත්ව යන්න apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,රංගේ සිට රංගේ කිරීම වඩා අඩු විය යුතුය DocType: Global Defaults,Global Defaults,ගෝලීය Defaults apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,ව්යාපෘති ඒකාබද්ධතාවයක් ආරාධනයයි @@ -1967,13 +1997,11 @@ DocType: Salary Slip,Deductions,අඩු කිරීම් DocType: Setup Progress Action,Action Name,ක්රියාකාරී නම apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ආරම්භක වර්ෂය apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,ණය සාදන්න -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,ආරම්භ කරන්න වත්මන් ඉන්වොයිස් කාලයේ දිනය DocType: Shift Type,Process Attendance After,පැමිණීමේ ක්‍රියාවලිය ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,වැටුප් නැතිව තබන්න DocType: Payment Request,Outward,පිටතින් -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,ධාරිතාව සැලසුම් දෝෂ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,රාජ්ය / යූටී බද්ද ,Trial Balance for Party,පක්ෂය වෙනුවෙන් මාසික බැංකු සැසඳුම් ,Gross and Net Profit Report,දළ සහ ශුද්ධ ලාභ වාර්තාව @@ -1991,7 +2019,6 @@ DocType: Bank Statement Transaction Entry,Payment Invoice Items,ගෙවීම DocType: Payroll Entry,Employee Details,සේවක විස්තර DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,බිම්වල පිටපත් පමණක් පිටපත් කෙරෙනු ඇත. -DocType: Setup Progress Action,Domains,වසම් 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,ගෙවන්නා සැකසුම් @@ -2032,7 +2059,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,සමස 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.","ගෙවීම් ක්රමය වින්යාස කර නොමැත. ගිණුමක් ගෙවීම් වන ආකාරය මත හෝ POS නරඹන්න තබා තිබේද, කරුණාකර පරීක්ෂා කරන්න." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,එම අයිතමය වාර කිහිපයක් ඇතුළත් කළ නොහැක. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","කණ්ඩායම් යටතේ තව දුරටත් ගිණුම් කළ හැකි නමුත්, ඇතුළත් කිරීම්-කණ්ඩායම් නොවන එරෙහිව කළ හැකි" -DocType: Email Campaign,Lead,ඊයම් +DocType: Call Log,Lead,ඊයම් DocType: Email Digest,Payables,ගෙවිය යුතු DocType: Amazon MWS Settings,MWS Auth Token,MWS ඔට් ටෙක්න් DocType: Email Campaign,Email Campaign For ,සඳහා ඊමේල් ව්‍යාපාරය @@ -2044,6 +2071,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,මිලදී ගැනීමේ නියෝගයක් අයිතම බිල්පතක් 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,ණය සීමාවන් DocType: Purchase Invoice Item,Net Rate,ශුද්ධ ෙපොලී අනුපාතිකය apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,කරුණාකර පාරිභෝගිකයා තෝරා ගන්න DocType: Leave Policy,Leave Allocations,වෙන් කිරීම @@ -2057,6 +2085,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,නිකුත් දින පසු සමීප ,Eway Bill,ඊවා බිල් apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,පරිශීලකයින් Marketplace වෙත එකතු කිරීම සඳහා ඔබට පද්ධති කළමණාකරු සහ අයිතම කළමනාකරුගේ භූමිකාවන් සමඟ භාවිතා කරන්නෙකු විය යුතුය. +DocType: Attendance,Early Exit,මුල් පිටවීම DocType: Job Opening,Staffing Plan,කාර්ය මණ්ඩල සැලැස්ම apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,ඊ-වේ බිල් JSON උත්පාදනය කළ හැක්කේ ඉදිරිපත් කළ ලේඛනයකින් පමණි apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,සේවක බදු සහ ප්‍රතිලාභ @@ -2079,6 +2108,7 @@ DocType: Maintenance Team Member,Maintenance Role,නඩත්තු භූම apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},එම {1} සමග පේළිය {0} අනුපිටපත් DocType: Marketplace Settings,Disable Marketplace,වෙළඳපල අවලංගු කරන්න DocType: Quality Meeting,Minutes,මිනිත්තු +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,ඔබගේ විශේෂිත අයිතම ,Trial Balance,මාසික බැංකු සැසඳුම් apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,පෙන්වන්න සම්පුර්ණයි apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,මුදල් වර්ෂය {0} සොයාගත නොහැකි @@ -2088,8 +2118,8 @@ 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,කරුණාකර පළමු උපසර්ගය තෝරා DocType: Contract,Fulfilment Deadline,ඉෂ්ඨ වේ +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,ඔබ අසල DocType: Student,O-,O- -DocType: Shift Type,Consequence,ප්‍රතිවිපාකය DocType: Subscription Settings,Subscription Settings,ග්රාහක සැකසුම් DocType: Purchase Invoice,Update Auto Repeat Reference,ස්වයං නැවත නැවත යොමු යාවත්කාලීන කරන්න apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},නිවාඩුවක් සඳහා විකල්ප නිවාඩු දිනයන් නොමැත {0} @@ -2100,7 +2130,6 @@ DocType: Maintenance Visit Purpose,Work Done,කළ වැඩ apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,මෙම දන්ත ධාතුන් වගුවේ අවම වශයෙන් එක් විශේෂණය සඳහන් කරන්න DocType: Announcement,All Students,සියලු ශිෂ්ය apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,{0} අයිතමය නොවන කොටස් අයිතමය විය යුතුය -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,බැංකු ඩෙටිල්ස් apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,දැක්ම ලේජර DocType: Grading Scale,Intervals,කාල අන්තරයන් DocType: Bank Statement Transaction Entry,Reconciled Transactions,ගනුදෙනුවල ප්රතිඵලයක් @@ -2136,6 +2165,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",විකුණුම් ඇණවුම් නිර්මාණය කිරීම සඳහා මෙම ගබඩාව භාවිතා කරනු ඇත. පසුබෑමේ ගබඩාව "ගබඩා" ය. DocType: Work Order,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,මිලදී ගැනීම චක්රය පුරා එම අනුපාතය පවත්වා DocType: Opportunity Item,Opportunity Item,අවස්ථාව අයිතමය DocType: Quality Action,Quality Review,තත්ත්ව සමාලෝචනය @@ -2162,7 +2192,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} සංස්කරණය කිරීමට අවසර නැත DocType: Journal Entry,Get Outstanding Invoices,විශිෂ්ට ඉන්වොයිසි ලබා ගන්න -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,විකුණුම් සාමය {0} වලංගු නොවේ +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,Quotations සඳහා නව ඉල්ලීම සඳහා අවවාද කරන්න apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,මිලදී ගැනීමේ නියෝග ඔබ ඔබේ මිලදී ගැනීම සැලසුම් සහ පසුවිපරම් උදව් apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,පරීක්ෂණ පරීක්ෂණ නිර්දේශ කිරීම @@ -2186,6 +2216,7 @@ DocType: Employee Onboarding,Notify users by email,විද්‍යුත් DocType: Travel Request,International,අන්තර්ජාතික DocType: Training Event,Training Event,පුහුණු EVENT DocType: Item,Auto re-order,වාහන නැවත අනුපිළිවෙලට +DocType: Attendance,Late Entry,ප්‍රමාද ප්‍රවේශය apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,මුළු ලබාගත් DocType: Employee,Place of Issue,නිකුත් කළ ස්ථානය DocType: Promotional Scheme,Promotional Scheme Price Discount,ප්‍රවර්ධන යෝජනා ක්‍රමයේ මිල වට්ටම් @@ -2232,6 +2263,7 @@ DocType: Serial No,Serial No Details,අනු අංකය විස්තර DocType: Purchase Invoice Item,Item Tax Rate,අයිතමය බදු අනුපාත apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,පක්ෂ නමෙන් apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,ශුද්ධ වැටුප් මුදල +DocType: Pick List,Delivery against Sales Order,විකුණුම් ඇණවුමට එරෙහිව භාරදීම DocType: Student Group Student,Group Roll Number,සමූහ Roll අංකය DocType: Student Group Student,Group Roll Number,සමූහ Roll අංකය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",{0} සඳහා පමණක් ණය ගිණුම් තවත් හර සටහන හා සම්බන්ධ කර ගත හැකි @@ -2305,7 +2337,6 @@ DocType: Contract,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,සැපයුම්කරු ගෙවීම් දිනය -DocType: Asset Settings,This value is used for pro-rata temporis calculation,මෙම අගය ප්රරෝටා ටෝටිසිස් ගණනය සඳහා භාවිතා වේ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,ඔබ සාප්පු සවාරි කරත්ත සක්රිය කර ගැනීමට අවශ්ය DocType: Payment Entry,Writeoff,ලියා හරින්න DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2328,7 +2359,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,අක්‍රීය විකුණුම් අයිතම DocType: Quality Review,Additional Information,අමතර තොරතුරු apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,මුළු සාමය අගය -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,සේවා මට්ටමේ ගිවිසුම් යළි පිහිටුවීම. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ආහාර apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,වයස්ගතවීම රංගේ 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS අවසාන වවුචර් විස්තර @@ -2373,6 +2403,7 @@ 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,ව්යාපාරය 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',අනුමැතිය තත්ත්වය 'අනුමත' කළ යුතුය හෝ 'ප්රතික්ෂේප' DocType: Healthcare Practitioner,Contacts and Address,ඇමතුම් සහ ලිපිනය DocType: Shift Type,Determine Check-in and Check-out,පිරික්සුම සහ පිටවීම තීරණය කරන්න @@ -2392,7 +2423,6 @@ DocType: Student Admission,Eligibility and Details,සුදුසුකම් apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,දළ ලාභයට ඇතුළත් කර ඇත apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,ස්ථාවර වත්කම් ශුද්ධ වෙනස් apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,සේවාලාභී කේතය apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,වර්ගය භාර 'සත' පේළිය {0} අයිතමය ශ්රේණිගත ඇතුළත් කළ නොහැකි apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},මැක්ස්: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,දිනයවේලාව සිට @@ -2460,6 +2490,7 @@ DocType: Journal Entry Account,Account Balance,ගිණුම් ශේෂය apps/erpnext/erpnext/config/accounting.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 (%),මාරුවීම් දීමනාව (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: පාරිභෝගික ලැබිය ගිණුමක් {2} එරෙහිව අවශ්ය වේ DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),මුළු බදු හා ගාස්තු (සමාගම ව්යවහාර මුදල්) DocType: Weather,Weather Parameter,කාලගුණය @@ -2520,6 +2551,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,නොපැමිණී apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,මුළු වියදම මත පදනම් වූ විවිධාකාර එකතු කිරීමේ සාධක ඇති විය හැකිය. එහෙත් මිදීම සඳහා හැරවීමේ සාධකය සෑම ස්ථරයක් සඳහාම එකම වේ. apps/erpnext/erpnext/config/help.py,Item Variants,අයිතමය ප්රභේද apps/erpnext/erpnext/public/js/setup_wizard.js,Services,සේවා +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,සේවකයෙකුට ලබා විද්යුත් වැටුප කුවිතාන්සියක් DocType: Cost Center,Parent Cost Center,මව් පිරිවැය මධ්යස්ථානය @@ -2530,7 +2562,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields", DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,තොග පිටපත් මිලදී ගැනීමෙන් ආනයන සැපයුම් සටහන් apps/erpnext/erpnext/templates/pages/projects.html,Show closed,පෙන්වන්න වසා DocType: Issue Priority,Issue Priority,ප්‍රමුඛතාවය නිකුත් කරන්න -DocType: Leave Type,Is Leave Without Pay,වැටුප් නැතිව නිවාඩු +DocType: Leave Ledger Entry,Is Leave Without Pay,වැටුප් නැතිව නිවාඩු apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,වත්කම් ප්රවර්ගය ස්ථාවර වත්කම් භාණ්ඩයක් සඳහා අනිවාර්ය වේ DocType: Fee Validity,Fee Validity,ගාස්තු වලංගු @@ -2602,6 +2634,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,ද්වි මාර්ගයක් DocType: Item,Manufacturers,නිෂ්පාදකයින් @@ -2638,7 +2671,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,බැංකු සැසඳුම් ප්රකාශය DocType: Patient Encounter,Medical Coding,වෛද්ය කේඩිං DocType: Healthcare Settings,Reminder Message,සිහි කැඳවුම් පණිවිඩය -,Lead Name,ඊයම් නම +DocType: Call Log,Lead Name,ඊයම් නම ,POS,POS DocType: C-Form,III,III වන apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,සොයයි @@ -2670,12 +2703,14 @@ DocType: Purchase Invoice,Supplier Warehouse,සැපයුම්කරු ග DocType: Opportunity,Contact Mobile No,අමතන්න ජංගම නොමැත apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,සමාගම තෝරන්න ,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: Student Report Generation Tool,Print Section,මුදණ අංශය DocType: Staffing Plan Detail,Estimated Cost Per Position,ඇස්තමේන්තුගත පිරිවැය සඳහා ස්ථානය DocType: Employee,HR-EMP-,HR-EMP- 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 පැතිකඩක් නොමැත. මෙම පරිශීලක සඳහා Row {1} හි පෙරනිමිය පරීක්ෂා කරන්න. DocType: Quality Meeting Minutes,Quality Meeting Minutes,තත්ත්ව රැස්වීම් විනාඩි +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,සේවක යොමුකිරීම DocType: Student Group,Set 0 for no limit,සීමාවක් සඳහා 0 සකසන්න apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,ඔබ නිවාඩු සඳහා අයදුම් කරන්නේ කරන දින (ව) නිවාඩු දින වේ. ඔබ නිවාඩු සඳහා අයදුම් අවශ්ය නැහැ. @@ -2707,12 +2742,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,මුදල් ශුද්ධ වෙනස් DocType: Assessment Plan,Grading Scale,ශ්රේණිගත පරිමාණ apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,නු {0} ඒකකය වරක් පරිවර්තන සාධකය වගුව වඩා ඇතුලත් කර ඇත -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,මේ වන විටත් අවසන් apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,අතේ කොටස් apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",කරුණාකර \ pro-rata සංරචකය ලෙස යෙදුම වෙත {0} ඉතිරි ප්රතිලාභ එකතු කරන්න apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',කරුණාකර රාජ්‍ය පරිපාලනය සඳහා මූල්‍ය කේතය සකසන්න '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},ගෙවීම් ඉල්ලීම් මේ වන විටත් {0} පවතී apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,නිකුත් කර ඇත්තේ අයිතම පිරිවැය DocType: Healthcare Practitioner,Hospital,රෝහල apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},ප්රමාණ {0} වඩා වැඩි නොවිය යුතුය @@ -2756,6 +2789,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,මානව සම්පත් apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,ඉහළ ආදායම් DocType: Item Manufacturer,Item Manufacturer,අයිතමය නිෂ්පාදකයා +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,නව ඊයම් සාදන්න DocType: BOM Operation,Batch Size,කණ්ඩායම් ප්‍රමාණය apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,ප්රතික්ෂේප DocType: Journal Entry Account,Debit in Company Currency,සමාගම ව්යවහාර මුදල් ඩෙබිට් @@ -2775,9 +2809,11 @@ DocType: Bank Transaction,Reconciled,ප්‍රතිසන්ධානය DocType: Expense Claim,Total Amount Reimbursed,මුළු මුදල පතිපූරණය apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,මෙය මේ වාහන එරෙහිව ලඝු-සටහන් මත පදනම් වේ. විස්තර සඳහා පහත කාල සටහනකට බලන්න apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,සේවකයාගේ පැමිණීමේ දිනට වඩා වැටුප් ගෙවීමේ දිනය සේවකයන්ට වඩා අඩු විය නොහැකිය +DocType: Pick List,Item Locations,අයිතම ස්ථාන apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} නිර්මාණය apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",කාර්ය මණ්ඩල සැලැස්මට අනුව දැනටමත් විවෘත වී ඇති හෝ කුලියට ගැනීම {0} සඳහා රැකියා විවෘත කිරීම් {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,ඔබට අයිතම 200 ක් දක්වා ප්‍රකාශයට පත් කළ හැකිය. DocType: Vital Signs,Constipated,සංවෘත apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},සැපයුම්කරු ඉන්වොයිසිය {0} එරෙහිව දිනැති {1} DocType: Customer,Default Price List,පෙරනිමි මිල ලැයිස්තුව @@ -2893,6 +2929,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,විශ්රාම ගිය දිනය DocType: Upload Attendance,Get Template,සැකිල්ල ලබා ගන්න +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,ලැයිස්තුව තෝරන්න ,Sales Person Commission Summary,විකුණුම් පුද්ගල කොමිසමේ සාරාංශය DocType: Material Request,Transferred,මාරු DocType: Vehicle,Doors,දොරවල් @@ -2973,7 +3010,7 @@ DocType: Sales Invoice Item,Customer's Item Code,පාරිභෝගික අ DocType: Stock Reconciliation,Stock Reconciliation,කොටස් ප්රතිසන්ධාන DocType: Territory,Territory Name,භූමි ප්රදේශය නම DocType: Email Digest,Purchase Orders to Receive,ලැබීමට මිලදී ගැනීමේ ඇණවුම් -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,සිදු වෙමින් පවතින වැඩ ගබඩාව පෙර ඉදිරිපත් අවශ්ය වේ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,සිදු වෙමින් පවතින වැඩ ගබඩාව පෙර ඉදිරිපත් අවශ්ය වේ apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,ඔබට ග්රාහකත්වය යටතේ එකම බිල් කිරීමේ චක්රයක් සහිතව සැලසුම් ඇත DocType: Bank Statement Transaction Settings Item,Mapped Data,සිතියම්ගත දත්ත DocType: Purchase Order Item,Warehouse and Reference,ගබඩාවක් සහ විමර්ශන @@ -3048,6 +3085,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,සැපයුම් සැකසුම් apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,දත්ත ලබාගන්න apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},නිවාඩු වර්ගයේ අවසර දී ඇති උපරිම නිවාඩු {0} යනු {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 අයිතමය ප්රකාශයට පත් කරන්න DocType: SMS Center,Create Receiver List,Receiver ලැයිස්තුව නිර්මාණය DocType: Student Applicant,LMS Only,LMS පමණි apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,භාවිතයට ගත හැකි දිනය මිලදී ගැනීමෙන් පසුව විය යුතුය @@ -3081,6 +3119,7 @@ DocType: Serial No,Delivery Document No,සැපයුම් ලේඛන න DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,නිෂ්පාදිත අංක අනුව පදනම් කරගත් සැපයීම තහවුරු කිරීම DocType: Vital Signs,Furry,ලොක්කා apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},සමාගම {0} තුළ 'වත්කම් බැහැර මත ලාභ / අලාභ ගිණුම්' සකස් කරන්න +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} @@ -3102,9 +3141,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,මාසික DocType: Quality Procedure Process,Quality Procedure Process,තත්ත්ව පටිපාටි ක්‍රියාවලිය apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,කණ්ඩායම හැඳුනුම්පත අනිවාර්ය වේ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,කණ්ඩායම හැඳුනුම්පත අනිවාර්ය වේ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,කරුණාකර පළමුව පාරිභෝගිකයා තෝරන්න DocType: Sales Person,Parent Sales Person,මව් විකුණුම් පුද්ගලයෙක් apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,ලැබීමට නියමිත අයිතම කල් ඉකුත් වේ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,විකිණුම්කරු සහ ගැනුම්කරු සමාන විය නොහැකිය +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,තවමත් දර්ශන නැත DocType: Project,Collect Progress,ප්රගතිය එකතු කරන්න DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYY- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,මුලින්ම වැඩසටහන තෝරන්න @@ -3126,11 +3167,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,අත්පත් කර DocType: Student Admission,Application Form Route,ඉල්ලූම්පත් ආකෘතිය මාර්ගය apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,ගිවිසුමේ අවසන් දිනය අදට වඩා අඩු විය නොහැක. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,ඉදිරිපත් කිරීමට Ctrl + Enter DocType: Healthcare Settings,Patient Encounters in valid days,වලංගු දවස් වලදී රෝගියා හමුවෙයි apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"අවසරය, වර්ගය {0} එය වැටුප් නැතිව යන්න නිසා වෙන් කළ නොහැකි" 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} පියවිය හා සමාන විය යුතුය DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ඔබ විකුණුම් ඉන්වොයිසිය බේරා වරක් වචන දෘශ්යමාන වනු ඇත. DocType: Lead,Follow Up,පසු විපරම +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,පිරිවැය මධ්‍යස්ථානය: {0} නොපවතී DocType: Item,Is Sales Item,විකුණුම් අයිතමය වේ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,අයිතමය සමූහ රුක් apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,අයිතමය {0} අනු අංක සඳහා පිහිටුවීම් නොවේ. අයිතමය ස්වාමියා පරීක්ෂා කරන්න @@ -3174,9 +3217,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,සැපයූ යවන ලද DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYY- DocType: Purchase Order Item,Material Request Item,ද්රව්ය ඉල්ලීම් අයිතමය -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,කරුණාකර පළමුව ගෙවීම් රිසිට්පත {0} පළ කරන්න apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,විෂය කණ්ඩායම් රුක්. DocType: Production Plan,Total Produced Qty,මුළු නිෂ්පාදිත ප්රමාණය +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,තවමත් විමර්ශන නැත apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,මෙම ගාස්තු වර්ගය සඳහා විශාල හෝ වත්මන් පේළිය සංඛ්යාවට සමාන පේළිය අංකය යොමු නො හැකි DocType: Asset,Sold,අලෙවි ,Item-wise Purchase History,අයිතමය ප්රඥාවන්ත මිලදී ගැනීම ඉතිහාසය @@ -3195,7 +3238,7 @@ DocType: Designation,Required Skills,අවශ්‍ය නිපුණතා DocType: Inpatient Record,O Positive,O ධනාත්මකයි apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,ආයෝජන DocType: Issue,Resolution Details,යෝජනාව විස්තර -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,ගනුදෙනු වර්ගය +DocType: Leave Ledger Entry,Transaction Type,ගනුදෙනු වර්ගය DocType: Item Quality Inspection Parameter,Acceptance Criteria,පිළිගැනීම නිර්ණායක apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,ඉහත වගුවේ ද්රව්ය ඉල්ලීම් ඇතුලත් කරන්න apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Journal Entry සඳහා ආපසු ගෙවීම් නොමැත @@ -3237,6 +3280,7 @@ DocType: Bank Account,Bank Account No,බැංකු ගිණුම් අං DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,සේවක බදු නිදහස් කිරීම් ඉදිරිපත් කිරිම DocType: Patient,Surgical History,ශල්ය ඉතිහාසය DocType: Bank Statement Settings Item,Mapped Header,සිතියම්ගත කළ ශීර්ෂකය +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්> මානව සම්පත් සැකසුම් තුළ සකසන්න DocType: Employee,Resignation Letter Date,ඉල්ලා අස්වීමේ ලිපිය දිනය apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,ප්රමාණය මත පදනම් මිල ගණන් රීති තවදුරටත් පෙරනු ලබයි. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},සේවක {0} සඳහා එක්වීමට දිනය සකස් කරන්න @@ -3302,7 +3346,6 @@ DocType: Student Report Generation Tool,Add Letterhead,ලිපින එකත 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,මුළු වෙන් කොළ {0} කාලය සඳහා දැනටමත් අනුමැතිය කොළ {1} ට වඩා අඩු විය නොහැක DocType: Contract Fulfilment Checklist,Requirement,අවශ්යතාව DocType: Journal Entry,Accounts Receivable,ලැබිය යුතු ගිණුම් DocType: Quality Goal,Objectives,අරමුණු @@ -3325,7 +3368,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,තනි ගනු DocType: Lab Test Template,This value is updated in the Default Sales Price List.,මෙම අගය පෙරනිමි විකුණුම් මිල ලැයිස්තුවෙහි යාවත්කාලීන වේ. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,ඔබේ කරත්තය හිස් ය DocType: Email Digest,New Expenses,නව වියදම් -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC මුදල apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,රියදුරු ලිපිනය අස්ථානගත වී ඇති බැවින් මාර්ගය ප්‍රශස්තිකරණය කළ නොහැක. DocType: Shareholder,Shareholder,කොටස්කරු DocType: Purchase Invoice,Additional Discount Amount,අතිරේක වට්ටම් මුදල @@ -3362,6 +3404,7 @@ DocType: Asset Maintenance Task,Maintenance Task,නඩත්තු කාර් apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,කරුණාකර GST සැකසුම් තුළ B2C සීමාව සකසන්න. 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,"ප්රධාන දිනය {2} සඳහා {1} කර ගැනීම සඳහා, {0} සඳහා විනිමය අනුපාතය සොයා ගැනීමට නොහැකි විය. මුදල් හුවමාරු වාර්තා අතින් නිර්මාණය කරන්න" 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} දැන් ප්රකෘති මුදල් වර්ෂය වේ. බලපැවැත් වීමට වෙනසක් සඳහා ඔබේ බ්රවුසරය නැවුම් කරන්න. @@ -3397,6 +3440,7 @@ DocType: Salary Component,Deduction,අඩු කිරීම් DocType: Item,Retain Sample,නියැදිය රඳවා ගැනීම apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,ෙරෝ {0}: කාලය හා කලට අනිවාර්ය වේ. DocType: Stock Reconciliation Item,Amount Difference,මුදල වෙනස +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,මෙම පිටුව ඔබට විකුණුම්කරුවන්ගෙන් මිලදී ගැනීමට අවශ්‍ය අයිතම පිළිබඳ තොරතුරු තබා ගනී. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},අයිතමය මිල මිල ලැයිස්තුව {1} තුළ {0} වෙනුවෙන් එකතු DocType: Delivery Stop,Order Information,ඇණවුම් තොරතුරු apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,මෙම අලෙවි පුද්ගලයා සේවක අංකය ඇතුල් කරන්න @@ -3424,6 +3468,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** මුදල් වර්ෂය ** මූල්ය වර්ෂය නියෝජනය කරයි. ** ** මුදල් වර්ෂය එරෙහි සියලු ගිණුම් සටහන් ඇතුළත් කිරීම් සහ අනෙකුත් ප්රධාන ගනුදෙනු දම්වැල් මත ධාවනය වන ඇත. DocType: Opportunity,Customer / Lead Address,ගණුදෙනුකරු / ඊයම් ලිපිනය DocType: Supplier Scorecard Period,Supplier Scorecard Setup,සැපයුම් සිතුවම් සැකසුම +DocType: Customer Credit Limit,Customer Credit Limit,පාරිභෝගික ණය සීමාව apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,තක්සේරු සැලැස්ම නම apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ඉලක්ක විස්තර apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","සමාගම ස්පා, සාපා හෝ එස්ආර්එල් නම් අදාළ වේ" @@ -3476,7 +3521,6 @@ DocType: Company,Transactions Annual History,ගනුදෙනු ඉතිහ 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,බැංකුවේ නම -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-ඉහත 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,තරල @@ -3529,6 +3573,7 @@ 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,විශේෂිත අයිතම වලට එකතු කරන ලදි apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,වර්ෂය සඳහා ලාභය 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,ක්රියාවලිය @@ -3583,12 +3628,10 @@ 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,එකම අයිතමය බහු වාර ගණනට ඉඩ දෙන්න -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,සමාගම සඳහා ජීඑස්ටී අංකයක් හමු නොවීය. 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,සේවක DocType: Question,Single Correct Answer,තනි නිවැරදි පිළිතුර -DocType: Employee,Contact Details,ඇමතුම් විස්තර DocType: C-Form,Received Date,ලැබී දිනය DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","ඔබ විකුණුම් බදු හා ගාස්තු සැකිල්ල සම්මත සැකිලි නිර්මාණය කර ඇත්නම්, එක් තෝරා පහත දැක්වෙන බොත්තම මත ක්ලික් කරන්න." DocType: BOM Scrap Item,Basic Amount (Company Currency),මූලික මුදල (සමාගම ව්යවහාර මුදල්) @@ -3620,10 +3663,10 @@ DocType: Supplier Scorecard,Supplier Score,සැපයුම් ලකුණු apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,කාලසටහන ඇතුළත් කිරීම DocType: Tax Withholding Rate,Cumulative Transaction Threshold,සමුච්චිත ගණුදෙනු සීමාව DocType: Promotional Scheme Price Discount,Discount Type,වට්ටම් වර්ගය -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,මුළු ඉන්වොයිස් ඒඑම්ටී DocType: Purchase Invoice Item,Is Free Item,නිදහස් අයිතමය වේ +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,ඇණවුම් කළ ප්‍රමාණයට වඩා වැඩි ප්‍රමාණයක් මාරු කිරීමට ඔබට අවසර දී ඇති ප්‍රතිශතය. උදාහරණයක් ලෙස: ඔබ ඒකක 100 ක් ඇණවුම් කර ඇත්නම්. ඔබේ දීමනාව 10% ක් වන අතර එවිට ඔබට ඒකක 110 ක් මාරු කිරීමට අවසර ලැබේ. DocType: Supplier,Warn RFQs,RFQs අනතුරු ඇඟවීම -apps/erpnext/erpnext/templates/pages/home.html,Explore,ගවේෂණය +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,ගවේෂණය DocType: BOM,Conversion Rate,පරිවර්තන අනුපාතය apps/erpnext/erpnext/www/all-products/index.html,Product Search,නිෂ්පාදන සෙවුම් ,Bank Remittance,බැංකු ප්‍රේෂණය @@ -3635,6 +3678,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,මුළු මුදල ගෙවා ඇත DocType: Asset,Insurance End Date,රක්ෂණ අවසන් දිනය apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,ගෙවන ලද ශිෂ්ය අයදුම්කරුට අනිවාර්යයෙන්ම ඇතුළත් වන ශිෂ්ය හැඳුනුම්පත තෝරා ගන්න +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,අයවැය ලේඛනය DocType: Campaign,Campaign Schedules,ප්‍රචාරණ කාලසටහන් DocType: Job Card Time Log,Completed Qty,අවසන් යවන ලද @@ -3657,8 +3701,10 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,නව DocType: Quality Inspection,Sample Size,නියැදියේ ප්රමාණය apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,රිසිට්පත ලේඛන ඇතුලත් කරන්න apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,සියලු අයිතම දැනටමත් ඉන්වොයිස් කර ඇත +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,ගත් කොළ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.','නඩු අංක සිට' වලංගු සඳහන් කරන්න 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,තව දුරටත් වියදම් මධ්යස්ථාන කණ්ඩායම් යටතේ ඉදිරිපත් කළ හැකි නමුත් සටහන් ඇතුළත් කිරීම්-කණ්ඩායම් නොවන එරෙහිව කළ හැකි +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,මුළු කාලය වෙන් කරන ලද කොළ කාලය තුළ සේවක {1} සඳහා උපරිම {0} නිවාඩු වර්ගය වෙන් කිරීමට වඩා දින ගණනකි DocType: Branch,Branch,ශාඛාව apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,"Other outward supplies(Nil rated,Exempted)","වෙනත් බාහිර සැපයුම් (නිල් ශ්‍රේණිගත, නිදහස්)" DocType: Soil Analysis,Ca/(K+Ca+Mg),Ca / (K + Ca + Mg) @@ -3756,6 +3802,8 @@ 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: Call Log,Received By,ලැබුනේ 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.,නිෂ්පාදන ක්ෂේත්රය තුළට හෝ කොට්ඨාශ සඳහා වෙන වෙනම ආදායම් සහ වියදම් නිරීක්ෂණය කරන්න. @@ -3809,6 +3857,7 @@ DocType: Support Search Source,Result Title Field,ප්රතිඵල මා apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,සාරාංශය අමතන්න DocType: Sample Collection,Collected Time,එකතු කළ කාලය DocType: Employee Skill Map,Employee Skills,සේවක කුසලතා +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,ඉන්ධන වියදම DocType: Company,Sales Monthly History,විකුණුම් මාසික ඉතිහාසය apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,කරුණාකර බදු සහ ගාස්තු වගුවේ අවම වශයෙන් එක් පේළියක්වත් සකසන්න DocType: Asset Maintenance Task,Next Due Date,ඊළග නියමිත දිනය @@ -3842,11 +3891,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,සේවක වැටුප් පුරවා {0} දැනටමත් මෙම කාල සීමාව සඳහා නිර්මාණය apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,ඖෂධ apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,ඔබ විසින් වලංගු ආනුභූතික වටිනාකමක් සඳහා Leave Encashment ඉදිරිපත් කළ හැකිය +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,අයිතම විසින් apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,මිලදී ගත් අයිතම පිරිවැය DocType: Employee Separation,Employee Separation Template,සේවක වෙන් කිරීමේ ආකෘතිය DocType: Selling Settings,Sales Order Required,විකුණුම් සාමය අවශ්ය apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,විකිණුම්කරුවෙකු වන්න -DocType: Shift Type,The number of occurrence after which the consequence is executed.,ප්‍රතිවිපාකය ක්‍රියාත්මක කිරීමෙන් පසු සිදුවීම් ගණන. ,Procurement Tracker,ප්‍රසම්පාදන ට්‍රැකර් DocType: Purchase Invoice,Credit To,ක්රෙඩිට් කිරීම apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,අයිටීසී ආපසු හැරවිය @@ -3859,6 +3908,7 @@ DocType: Quality Meeting,Agenda,න්‍යාය පත්‍රය DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,නඩත්තු උපෙල්ඛනෙය් විස්තර DocType: Supplier Scorecard,Warn for new Purchase Orders,නව මිලදී ගැනීමේ ඇණවුම් සඳහා අනතුරු ඇඟවීම DocType: Quality Inspection Reading,Reading 9,කියවීම් 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,ඔබගේ එක්සෝටෙල් ගිණුම ඊආර්පීඑන්එක්ස්ට් වෙත සම්බන්ධ කර ඇමතුම් ලොග් නිරීක්ෂණය කරන්න DocType: Supplier,Is Frozen,ශීත කළ ඇත DocType: Tally Migration,Processed Files,සැකසූ ලිපිගොනු apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,සමූහ node එකක් මතම ඊට අදාල තේ ගබඩාවක් ගනුදෙනු සඳහා තෝරා ගැනීමට ඉඩ නැත @@ -3867,6 +3917,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,නිමි යහ DocType: Upload Attendance,Attendance To Date,දිනය සඳහා සහභාගී 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,නිර්දේශ @@ -3891,7 +3942,6 @@ DocType: Room,Room Number,කාමර අංකය apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,ඉල්ලුම්කරු apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},වලංගු නොවන සමුද්දේශ {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,විවිධ ප්‍රවර්ධන යෝජනා ක්‍රම යෙදීම සඳහා නීති. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) නිෂ්පාදන න්යාය {3} සැලසුම් quanitity ({2}) ට වඩා වැඩි විය නොහැක DocType: Shipping Rule,Shipping Rule Label,නැව් පාලනය ලේබල් DocType: Journal Entry Account,Payroll Entry,වැටුප් ගෙවීම් apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,ගාස්තු ලේඛන බලන්න @@ -3903,6 +3953,7 @@ DocType: Contract,Fulfilment Status,සම්පූර්ණ තත්ත්ව DocType: Lab Test Sample,Lab Test Sample,පරීක්ෂණ පරීක්ෂණ නියැදිය DocType: Item Variant Settings,Allow Rename Attribute Value,ඇඩ්රයිව් අගය නැවත නම් කරන්න ඉඩ දෙන්න apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,ඉක්මන් ජර්නල් සටහන් +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,අනාගත ගෙවීම් මුදල apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,ඔබ අනුපාතය වෙනස් කළ නොහැක ද්රව්ය ලේඛණය යම් භාණ්ඩයක agianst සඳහන් නම් DocType: Restaurant,Invoice Series Prefix,ඉන්වොයිසි ශ්රේණියේ Prefix DocType: Employee,Previous Work Experience,පසුගිය සේවා පළපුරුද්ද @@ -3932,6 +3983,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,ව්යාපෘති තත්ත්වය DocType: UOM,Check this to disallow fractions. (for Nos),භාග බලය පැවරෙන මෙම පරීක්ෂා කරන්න. (අංක සඳහා) DocType: Student Admission Program,Naming Series (for Student Applicant),(ශිෂ්ය අයදුම්කරු සඳහා) ශ්රේණි අනුප්රාප්තිකයා නම් කිරීම +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/hr/doctype/retention_bonus/retention_bonus.py,Bonus Payment Date cannot be a past date,Bonus Payment Date අතීත දිනය නොවේ DocType: Travel Request,Copy of Invitation/Announcement,ආරාධනා / නිවේදනය පිටපත් DocType: Practitioner Service Unit Schedule,Practitioner Service Unit Schedule,වෘත්තිකයින්ගේ සේවා කාලසටහන @@ -3947,6 +3999,7 @@ DocType: Fiscal Year,Year End Date,වසර අවසාන දිනය 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} වසා ඇත @@ -3955,6 +4008,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,වත්මන් කොටස් ලබා ගන්න DocType: Purchase Invoice,ineligible,නුසුදුසුය apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ද්රව්ය පනත් කෙටුම්පත රුක් +DocType: BOM,Exploded Items,පුපුරා ගිය අයිතම DocType: Student,Joining Date,එක්වීමට දිනය ,Employees working on a holiday,නිවාඩු මත සේවය කරන සේවක ,TDS Computation Summary,TDS ගණනය කිරීමේ සාරාංශය @@ -3987,6 +4041,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),මූලික අන DocType: SMS Log,No of Requested SMS,ඉල්ලන කෙටි පණිවුඩ අංක apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,වැටුප් නැතිව නිවාඩු අනුමත නිවාඩු ඉල්ලුම් වාර්තා සමග නොගැලපේ apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,ඊළඟ පියවර +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,සුරකින ලද අයිතම DocType: Travel Request,Domestic,දේශීය apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,හැකි හොඳම මිලකට නිශ්චිතව දක්වා ඇති අයිතම සැපයීමට කරුණාකර apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,පැවරුම් දිනට පෙර සේවක ස්ථාන මාරු කළ නොහැක @@ -4039,7 +4094,7 @@ 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,වත්කම් ප්රවර්ගය ගිණුම් apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,පේළිය # {0} (ගෙවීම් වගුව): ප්රමාණය ධනාත්මක විය යුතුය -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},විකුණුම් සාමය ප්රමාණය {1} වඩා වැඩි අයිතමය {0} බිහි කිරීමට නොහැක +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},විකුණුම් සාමය ප්රමාණය {1} වඩා වැඩි අයිතමය {0} බිහි කිරීමට නොහැක apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,දළ වශයෙන් කිසිවක් ඇතුළත් නොවේ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,මෙම ලේඛනය සඳහා ඊ-වේ බිල්පත දැනටමත් පවතී apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Атрибут අගයන් තෝරන්න @@ -4074,12 +4129,10 @@ 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 සමාගම -DocType: Shift Type,Enable Different Consequence for Early Exit,මුල් පිටවීම සඳහා විවිධ ප්‍රතිවිපාක සක්‍රීය කරන්න ,Lab Test Report,පරීක්ෂණ පරීක්ෂණ වාර්තාව DocType: Employee Benefit Application,Employee Benefit Application,සේවක ප්රතිලාභ ඉල්ලුම් පත්රය apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,අතිරේක වැටුප් සංරචක පවතී. DocType: Purchase Invoice,Unregistered,ලියාපදිංචි නොකළ -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,පළමු සැපයුම් සටහන සතුටු DocType: Student Applicant,Application Date,අයදුම් දිනය DocType: Salary Component,Amount based on formula,සූත්රය මත පදනම් මුදල DocType: Purchase Invoice,Currency and Price List,ව්යවහාර මුදල් හා මිල ලැයිස්තුව @@ -4108,6 +4161,7 @@ DocType: Purchase Receipt,Time at which materials were received,කවෙර් DocType: Products Settings,Products per Page,පිටුවකට භාණ්ඩ 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,බිල් කිරීමේ දිනය apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,වෙන් කළ මුදල .ණ විය නොහැක DocType: Sales Order,Billing Status,බිල්පත් තත්ත්වය apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ක නිකුත් වාර්තා @@ -4123,6 +4177,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},පේළිය {0}: වත්කම් අයිතමය සඳහා ස්ථානය ඇතුලත් කරන්න {1} DocType: Employee Checkin,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.","සමාගම, මුදල්, මුදල් වර්ෂය ආදිය සකස් පෙරනිමි අගයන්" DocType: Payment Entry,Payment Type,ගෙවීම් වර්ගය apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,කරුණාකර අයිතමය {0} සඳහා කණ්ඩායම තෝරන්න. මෙම අවශ්යතාව ඉටු කරන බව එක් කණ්ඩායම සොයා ගත නොහැකි විය @@ -4152,6 +4207,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,සාප්පු සව DocType: Journal Entry,Accounting Entries,මුල්ය අයැදුම්පත් 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.","තෝරාගත් මිල නියම කිරීමේදී 'අනුපාතිකය' සඳහා නම්, එය මිල ගණන් ලැයිස්තුගත කරනු ඇත. මිල නියම කිරීමේ අනුපාතය අවසාන අනුපාතය වේ, එබැවින් තවදුරටත් වට්ටමක් යෙදිය යුතුය. එබැවින්, විකුණුම් නියෝගය, මිලදී ගැනීමේ නියෝගය වැනි ගනුදෙනු වලදී එය 'අනුපාතික' ක්ෂේත්රයේ 'මිල ලැයිස්තුවේ' ක්ෂේත්රයට වඩා එය ලබා දේ." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,කරුණාකර අධ්‍යාපනය> අධ්‍යාපන සැකසුම් තුළ උපදේශක නම් කිරීමේ පද්ධතිය සකසන්න DocType: Journal Entry,Paid Loan,ගෙවුම් ණය 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,යොමු නියමිත දිනය @@ -4168,12 +4224,14 @@ DocType: Shopify Settings,Webhooks Details,වෙබ් කකුල් වි apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,කිසිදු කාල සටහන් DocType: GoCardless Mandate,GoCardless Customer,GoCardless පාරිභෝගිකයා apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,"වර්ගය අවසරය, {0} ගෙන-ඉදිරිපත් කළ නොහැකි" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,අයිතම කේතය> අයිතම සමූහය> වෙළඳ නාමය apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',නඩත්තු උපෙල්ඛනෙය් සියලු භාණ්ඩ සඳහා ජනනය කර නැත. 'උත්පාදනය උපෙල්ඛනෙය්' මත ක්ලික් කරන්න ,To Produce,නිර්මාණය කිරීම සඳහා DocType: Leave Encashment,Payroll,වැටුප් 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} ද ඇතුළත් විය යුතු අතර ඇතුළත් කිරීමට" DocType: Healthcare Service Unit,Parent Service Unit,ෙදමාපිය ෙසේවා ඒකකය DocType: Packing Slip,Identification of the package for the delivery (for print),ප්රසූතියට සඳහා පැකේජය හඳුනා ගැනීම (මුද්රිත) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,සේවා මට්ටමේ ගිවිසුම යළි පිහිටුවන ලදි. DocType: Bin,Reserved Quantity,ඇවිරිණි ප්රමාණ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,වලංගු ඊ-තැපැල් ලිපිනයක් ඇතුලත් කරන්න apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,වලංගු ඊ-තැපැල් ලිපිනයක් ඇතුලත් කරන්න @@ -4195,7 +4253,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,මිල හෝ නිෂ්පාදන වට්ටම් apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,පේළි {0} සඳහා: සැලසුම්ගත qty ඇතුල් කරන්න DocType: Account,Income Account,ආදායම් ගිණුම -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,පාරිභෝගික> පාරිභෝගික කණ්ඩායම> ප්‍රදේශය DocType: Payment Request,Amount in customer's currency,පාරිභෝගික මුදල් ප්රමාණය apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,සැපයුම් apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,ව්‍යුහයන් පැවරීම ... @@ -4216,6 +4273,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,කලින් ජනනය කළ ඉන්වොයිසිවල වාර්තා ඔබ අහිමි වනු ඇත. මෙම දායකත්වය නැවත ආරම්භ කිරීමට අවශ්ය බව ඔබට විශ්වාසද? @@ -4270,11 +4328,10 @@ DocType: Additional Salary,HR User,මානව සම්පත් පරිශ DocType: Bank Guarantee,Reference Document Name,විමර්ශන ලේඛන නම DocType: Purchase Invoice,Taxes and Charges Deducted,බදු හා බදු ගාස්තු අඩු කිරීමේ DocType: Support Settings,Issues,ගැටලු -DocType: Shift Type,Early Exit Consequence after,මුල් පිටවීමේ ප්‍රතිවිපාක පසු DocType: Loyalty Program,Loyalty Program Name,ලෝයල්ටි වැඩසටහනේ නම apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},තත්ත්වය {0} එකක් විය යුතුය apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,යාවත්කාලීන කිරීම සඳහා GSTIN යාවත්කාලීන කිරීම -DocType: Sales Invoice,Debit To,ඩෙබිට් කිරීම +DocType: Discounted Invoice,Debit To,ඩෙබිට් කිරීම DocType: Restaurant Menu Item,Restaurant Menu Item,ආපන ශාලා මෙනු අයිතම DocType: Delivery Note,Required only for sample item.,නියැදි අයිතමය සඳහා පමණක් අවශ්ය විය. DocType: Stock Ledger Entry,Actual Qty After Transaction,ගනුදෙනු කිරීමෙන් පසු සැබෑ යවන ලද @@ -4357,6 +4414,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,පරාමිත apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,'අනුමත' සහ 'ප්රතික්ෂේප' ඉදිරිපත් කළ හැකි එකම තත්ත්වය සහිත යෙදුම් තබන්න apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,මානයන් නිර්මාණය කිරීම ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},ශිෂ්ය සමූහය නම පේළිය {0} අනිවාර්ය වේ +DocType: Customer Credit Limit,Bypass credit limit_check,ණය සීමාව_ පරීක්ෂා කරන්න DocType: Homepage,Products to be shown on website homepage,නිෂ්පාදන වෙබ් අඩවිය මුල්පිටුව පෙන්වා කිරීමට DocType: HR Settings,Password Policy,මුරපද ප්‍රතිපත්තිය apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,"මෙය මූල පාරිභෝගික පිරිසක් වන අතර, සංස්කරණය කළ නොහැක." @@ -4404,10 +4462,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),එ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,රෙස්ටුරන්ට් සැකසීම් තුළ ප්රකෘති පාරිභෝගිකයා සකසන්න ,Salary Register,වැටුප් රෙජිස්ටර් DocType: Company,Default warehouse for Sales Return,විකුණුම් ප්‍රතිලාභ සඳහා පෙරනිමි ගබඩාව -DocType: Warehouse,Parent Warehouse,මව් ගබඩාව +DocType: Pick List,Parent Warehouse,මව් ගබඩාව DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},පෙරනිමි ද්රව්ය ලේඛණය අයිතමය {0} සඳහා සොයාගත නොහැකි හා ව්යාපෘති {1} +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}: කරුණාකර ගෙවීම් ක්‍රමය ගෙවීම් කාලසටහනට සකසන්න apps/erpnext/erpnext/config/non_profit.py,Define various loan types,විවිධ ණය වර්ග නිර්වචනය DocType: Bin,FCFS Rate,FCFS අනුපාතිකය @@ -4444,6 +4502,7 @@ DocType: Travel Itinerary,Lodging Required,යැවීම අවශ්ය ව DocType: Promotional Scheme,Price Discount Slabs,මිල වට්ටම් ස්ලැබ් DocType: Stock Reconciliation Item,Current Serial No,වත්මන් අනුක්‍රමික අංකය DocType: Employee,Attendance and Leave Details,පැමිණීම සහ නිවාඩු විස්තර +,BOM Comparison Tool,BOM සංසන්දනාත්මක මෙවලම ,Requested,ඉල්ලා apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,කිසිදු සටහන් DocType: Asset,In Maintenance,නඩත්තු කිරීම @@ -4465,6 +4524,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Include UOM,UOM apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Material Request No,ද්‍රව්‍ය ඉල්ලීම අංක DocType: Service Level Agreement,Default Service Level Agreement,පෙරනිමි සේවා මට්ටමේ ගිවිසුම DocType: SG Creation Tool Course,Course Code,පාඨමාලා කේතය +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,නිමි භාණ්ඩ අයිතමයේ qty මත පදනම්ව අමුද්‍රව්‍ය ප්‍රමාණය තීරණය වේ DocType: Location,Parent Location,මාපිය ස්ථානය DocType: POS Settings,Use POS in Offline Mode,නොබැඳි ආකාරයේ POS භාවිතා කරන්න apps/erpnext/erpnext/accounts/page/pos/pos.js,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} අනිවාර්ය වේ. සමහර විට Currency Exchange වාර්තාව {1} සිට {2} @@ -4482,7 +4542,7 @@ DocType: Stock Settings,Sample Retention Warehouse,සාම්පල රඳව DocType: Company,Default Receivable Account,පෙරනිමි ලැබිය ගිණුම apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,ප්‍රක්ෂේපිත ප්‍රමාණ සූත්‍රය DocType: Sales Invoice,Deemed Export,සළකා අපනයන -DocType: Stock Entry,Material Transfer for Manufacture,නිෂ්පාදනය සඳහා ද්රව්ය හුවමාරු +DocType: Pick List,Material Transfer for Manufacture,නිෂ්පාදනය සඳහා ද්රව්ය හුවමාරු 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.,වට්ටමක් ප්රතිශතය ඉතා මිල ලැයිස්තුව එරෙහිව හෝ සියලුම මිල ලැයිස්තුව සඳහා එක්කෝ ඉල්ලුම් කළ හැක. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,කොටස් සඳහා මුල්ය සටහන් DocType: Lab Test,LabTest Approver,LabTest අනුමැතිය @@ -4524,7 +4584,6 @@ DocType: Training Event,Theory,න්යාය apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,අවවාදයයි: යවන ලද ඉල්ලන ද්රව්ය අවම සාමය යවන ලද වඩා අඩු වේ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,ගිණුම {0} කැටි වේ DocType: Quiz Question,Quiz Question,ප්‍රශ්නාවලිය -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය 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","ආහාර, බීම වර්ග සහ දුම්කොළ" @@ -4553,6 +4612,7 @@ 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,ප්රකාශිත අයිතම DocType: Account,Expense Account,වියදම් ගිණුම apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,මෘදුකාංග apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,වර්ණ @@ -4591,6 +4651,7 @@ 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,සියලුම බැංකු ගනුදෙනු නිර්මාණය කර ඇත DocType: Fee Validity,Visited yet,තවම බලන්න +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,ඔබට අයිතම 8 ක් දක්වා විශේෂාංග කළ හැකිය. 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.,විකුණුම් ගනුදෙනු මත පදනම් ව ාපෘතියක් සහ සමාගමක් යාවත්කාලීන කළ යුතුද යන්න කොපමණ වේද? @@ -4598,7 +4659,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,ගබඩා උෂ්ණත්වය @@ -4623,7 +4683,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM පරිව DocType: Contract,Signee Details,සිග්නේ විස්තර apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} වර්තමානයේ {1} සැපයුම්කරුවන්ගේ ලකුණු පුවරුව තබා ඇති අතර, මෙම සැපයුම්කරුට RFQs විසින් අවදානය යොමු කළ යුතුය." DocType: Certified Consultant,Non Profit Manager,ලාභ නොලැබූ කළමනාකරු -DocType: BOM,Total Cost(Company Currency),මුළු වියදම (සමාගම ව්යවහාර මුදල්) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,අනු අංකය {0} නිර්මාණය DocType: Homepage,Company Description for website homepage,වෙබ් අඩවිය මුල්පිටුව සඳහා සමාගම විස්තරය DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ගනුදෙනුකරුවන්ගේ පහසුව සඳහා, මෙම කේත ඉන්වොයිසි හා සැපයුම් සටහන් වැනි මුද්රිත ආකෘති භාවිතා කළ හැක" @@ -4652,7 +4711,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,සපය DocType: Amazon MWS Settings,Enable Scheduled Synch,උපලේඛනගත Synch සක්රිය කරන්න apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,දිනයවේලාව කිරීමට apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,කෙටි පණිවිඩ බෙදා හැරීමේ තත්වය පවත්වා ගෙන යාම සඳහා ලඝු-සටහන් -DocType: Shift Type,Early Exit Consequence,මුල් පිටවීමේ ප්‍රතිවිපාකය DocType: Accounts Settings,Make Payment via Journal Entry,ජර්නල් සටහන් හරහා ගෙවීම් කරන්න apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,කරුණාකර වරකට අයිතම 500 කට වඩා සාදන්න එපා apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,මුද්රණය @@ -4708,6 +4766,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,සීමාව 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,රහස +DocType: Plaid Settings,Plaid Secret,රහසිගත රහස DocType: Company,Date of Establishment,ආයතන පිහිටුවීමේ දිනය apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,ෙවන්චර් කැපිටල් apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,මෙම 'අධ්යයන වර්ෂය' {0} සහ {1} දැනටමත් පවතී 'කාලීන නම' සමග ශාස්ත්රීය පදය. මෙම ඇතුළත් කිරීම් වෙනස් කර නැවත උත්සාහ කරන්න. @@ -4769,6 +4828,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,පාරිභෝගික වර්ගය DocType: Compensatory Leave Request,Leave Allocation,වෙන් කිරීම Leave DocType: Payment Request,Recipient Message And Payment Details,පලමු වරට පිරිනැමු පණිවුඩය හා ගෙවීම් විස්තර +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,කරුණාකර බෙදා හැරීමේ සටහනක් තෝරන්න DocType: Support Search Source,Source DocType,මූලාශ්ර DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,නව ටිකට්පතක් විවෘත කරන්න DocType: Training Event,Trainer Email,පුහුණුකරු විද්යුත් @@ -4889,6 +4949,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,ඉදිරියට ගෙන ගිය කොළ රැගෙන යන්න apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','දිනය සිට' 'මේ දක්වා' 'පසුව විය යුතුය apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,මෙම තනතුර සඳහා සම්බද්ධ කාර්ය මණ්ඩලයක් නොමැත apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,අයිතමයේ {0} කාණ්ඩය {0} අක්රිය කර ඇත. @@ -4910,7 +4971,7 @@ DocType: Clinical Procedure,Patient,රෝගියා apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,විකුණුම් නියෝගය මග හරවා ගන්න DocType: Employee Onboarding Activity,Employee Onboarding Activity,සේවයේ යෙදීම DocType: Location,Check if it is a hydroponic unit,එය හයිඩ්රොපොනික් ඒකකයක් දැයි පරීක්ෂා කරන්න -DocType: Stock Reconciliation Item,Serial No and Batch,අනු අංකය හා කණ්ඩායම +DocType: Pick List Item,Serial No and Batch,අනු අංකය හා කණ්ඩායම DocType: Warranty Claim,From Company,සමාගම වෙතින් DocType: GSTR 3B Report,January,ජනවාරි apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,තක්සේරු නිර්ණායකයන් ලකුණු මුදලක් {0} විය යුතුය. @@ -4935,7 +4996,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,අන්තර් සමාගම් ගනුදෙනු සඳහා {0} සොයාගත නොහැකි විය. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,කුලී කාර් apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,ඔබේ සමාගම ගැන apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ගිණුමක් සඳහා ක්රෙඩිට් ශේෂ පත්රය ගිණුමක් විය යුතුය @@ -4967,6 +5027,7 @@ apps/erpnext/erpnext/config/accounting.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,සී.ආර්.එම් 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,එම් apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,ඉතිරි DocType: Appraisal,Appraisal,ඇගයීෙම් @@ -5034,6 +5095,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ඇසුරුම් දළ බර. ශුද්ධ බර + ඇසුරුම් ද්රව්ය බර සාමාන්යයෙන්. (මුද්රිත) DocType: Assessment Plan,Program,වැඩසටහන DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,මෙම භූමිකාව ඇති පරිශීලකයන්ට ශීත කළ ගිණුම් සකස් කිරීම හා නිර්මාණ / ශීත කළ ගිණුම් එරෙහිව ගිණුම් සටහන් ඇතුළත් කිරීම් වෙනස් කිරීමට අවසර ඇත +DocType: Plaid Settings,Plaid Environment,ප්ලයිඩ් පරිසරය ,Project Billing Summary,ව්‍යාපෘති බිල් කිරීමේ සාරාංශය DocType: Vital Signs,Cuts,කපා DocType: Serial No,Is Cancelled,අවලංගුෙව් @@ -5095,7 +5157,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,සටහන: පද්ධතිය අයිතමය සඳහා අධික ලෙස බෙදාහැරීම හා අධික ලෙස වෙන්කර ගැනීම පරීක්ෂා නැහැ {0} ප්රමාණය හෝ ප්රමාණය 0 ලෙස DocType: Issue,Opening Date,විවෘත දිනය apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,කරුණාකර රෝගියා පළමුව බේරා ගන්න -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,නව සම්බන්ධතා ඇති කරගන්න apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,පැමිණීම සාර්ථකව සලකුණු කර ඇත. DocType: Program Enrollment,Public Transport,රාජ්ය ප්රවාහන DocType: Sales Invoice,GST Vehicle Type,GST වාහන වර්ගය @@ -5122,6 +5183,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,සැප DocType: POS Profile,Write Off Account,ගිණුම අක්රිය ලියන්න DocType: Patient Appointment,Get prescribed procedures,නියමිත ක්රියා පටිපාටි ලබා ගන්න DocType: Sales Invoice,Redemption Account,මිදීමේ ගිණුම +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,පළමුව අයිතම ස්ථාන වගුවේ අයිතම එකතු කරන්න DocType: Pricing Rule,Discount Amount,වට්ටමක් මුදල DocType: Pricing Rule,Period Settings,කාල සැකසුම් DocType: Purchase Invoice,Return Against Purchase Invoice,මිලදී ගැනීම ඉන්වොයිසිය එරෙහි නැවත @@ -5153,7 +5215,6 @@ DocType: Assessment Plan,Assessment Plan,තක්සේරු සැලැස DocType: Travel Request,Fully Sponsored,පූර්ණ අනුග්රහය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,ප්රතිලෝම ජර්නල් ප්රවේශය apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,රැකියා කාඩ්පතක් සාදන්න -DocType: Shift Type,Consequence after,පසු විපාක DocType: Quality Procedure Process,Process Description,ක්‍රියාවලි විස්තරය apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,පාරිභෝගිකයා {0} නිර්මාණය වේ. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,දැනට කිසිදු ගබඩාවක් නොමැත @@ -5187,6 +5248,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,නිශ්කාශනෙ DocType: Delivery Settings,Dispatch Notification Template,යැවීමේ නිවේදන ආකෘතිය apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,තක්සේරු වාර්තාව apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,සේවකයින් ලබා ගන්න +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 @@ -5312,7 +5374,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,මෙය මූල අලෙවි පුද්ගලයා සහ සංස්කරණය කළ නොහැක. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","තෝරා ගත්තේ නම්, මෙම සංරචකය හි නිශ්චිතව දක්වා හෝ ගණනය වටිනාකම ආදායම අඩු හෝ දායක නැහැ. කෙසේ වෙතත්, එය අගය එකතු හෝ අඩු කළ හැකිය ෙවනත් සංරචක විසින් විමසිය හැකි ය." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","තෝරා ගත්තේ නම්, මෙම සංරචකය හි නිශ්චිතව දක්වා හෝ ගණනය වටිනාකම ආදායම අඩු හෝ දායක නැහැ. කෙසේ වෙතත්, එය අගය එකතු හෝ අඩු කළ හැකිය ෙවනත් සංරචක විසින් විමසිය හැකි ය." -DocType: Asset Settings,Number of Days in Fiscal Year,මූල්ය වර්ෂය තුළ දින ගණන ,Stock Ledger,කොටස් ලේජර DocType: Company,Exchange Gain / Loss Account,විනිමය ලාභ / අලාභ ගිණුම් DocType: Amazon MWS Settings,MWS Credentials,MWS අක්තපත්ර @@ -5348,6 +5409,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,බැංකු ගොනුවේ තීරුව apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},නිවාඩු අයදුම්පත {0} දැනටමත් ශිෂ්යයාට එරෙහිව පවතී {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,සියලු බිල්පත් ද්රව්යවල නවතම මිල යාවත්කාලීන කිරීම සඳහා පේළිය. විනාඩි කිහිපයක් ගත විය හැකිය. +DocType: Pick List,Get Item Locations,අයිතම ස්ථාන ලබා ගන්න apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,නව ගිණුම් නම. සටහන: පාරිභෝගිකයින් සහ සැපයුම්කරුවන් සඳහා ගිණුම් නිර්මාණය කරන්න එපා DocType: POS Profile,Display Items In Stock,ප්රදර්ශන අයිතම තොගයෙහි ඇත apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,රටේ බුද්ධිමත් පෙරනිමි ලිපිනය ආකෘති පත්ර @@ -5371,6 +5433,7 @@ DocType: Crop,Materials Required,අවශ්ය ද්රව්ය apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,සිසුන් හමු කිසිදු DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,මාසික HRA නිදහස් කිරීම DocType: Clinical Procedure,Medical Department,වෛද්ය දෙපාර්තමේන්තුව +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,මුළු මුල් පිටවීම් DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,සැපයුම්කරුවන් ලකුණු කරත්ත ලකුණු apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,"ඉන්වොයිසිය ගිය තැන, දිනය" apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,විකිණීමට @@ -5382,11 +5445,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා {0} delete මකන්න" DocType: Program Enrollment,School House,ස්කූල් හවුස් DocType: Serial No,Out of AMC,විදේශ මුදල් හුවමාරු කරන්නන් අතරින් DocType: Opportunity,Opportunity Amount,අවස්ථා ප්රමාණය +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,ඔබේ පැතිකඩ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,වෙන් කරවා අගය පහත සංඛ්යාව අගය පහත සමස්ත සංඛ්යාව ට වඩා වැඩි විය නොහැක DocType: Purchase Order,Order Confirmation Date,ඇණවුම් කිරීමේ දිනය DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5480,7 +5542,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","අනුපාතය, කොටස්වල ප්රමාණය සහ ගණනය කළ ප්රමාණය අතර නොගැලපීම්" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,වන්දි නිවාඩු නිවාඩු ඉල්ලීම් දින මුළු දවසම ඔබ නොමැත apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,තහවුරු කිරීමට සමාගමේ නම වර්ගයේ නැවත කරුණාකර -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,මුළු විශිෂ්ට ඒඑම්ටී DocType: Journal Entry,Printing Settings,මුද්රණ සැකසුම් DocType: Payment Order,Payment Order Type,ගෙවීම් ඇණවුම් වර්ගය DocType: Employee Advance,Advance Account,අත්තිකාරම් ගිණුම @@ -5568,7 +5629,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,වසරේ නම apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,වැඩ කරන දින වැඩි නිවාඩු දින මෙම මාසය ඇත. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,පහත සඳහන් අයිතම {0} අයිතමයන් {1} ලෙස සලකුණු කර නොමැත. {1} අයිතමයේ ප්රධානියා වෙතින් ඔබට ඒවා සක්රීය කළ හැකිය -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,නිෂ්පාදන පැකේජය අයිතමය DocType: Sales Partner,Sales Partner Name,විකුණුම් සහකරු නම apps/erpnext/erpnext/hooks.py,Request for Quotations,මිල කැඳවීම ඉල්ලීම @@ -5577,7 +5637,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,සාමාන්ය පරීක්ෂණ අයිතම DocType: QuickBooks Migrator,Company Settings,සමාගම් සැකසුම් DocType: Additional Salary,Overwrite Salary Structure Amount,වැටුප් ව්යුහය ප්රමාණය නවීකරණය කරන්න -apps/erpnext/erpnext/config/hr.py,Leaves,කොළ +DocType: Leave Ledger Entry,Leaves,කොළ DocType: Student Language,Student Language,ශිෂ්ය භාෂා DocType: Cash Flow Mapping,Is Working Capital,කාරක ප්රාග්ධනය වේ apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,සාධනය ඉදිරිපත් කරන්න @@ -5585,12 +5645,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,නියෝගයක් / quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,රෝගීන්ගේ වාර්තා සටහන් කරන්න DocType: Fee Schedule,Institution,ආයතනය -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: Asset,Partially Depreciated,අර්ධ වශයෙන් අවප්රමාණය DocType: Issue,Opening Time,විවෘත වේලාව apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,හා අවශ්ය දිනයන් සඳහා apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,සුරැකුම්පත් සහ වෙළඳ භාණ්ඩ විනිමය -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},සාරාංශය අමතන්න {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Docs සෙවීම apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ප්රභේද්යයක් සඳහා නු පෙරනිමි ඒකකය '{0}' සැකිල්ල මෙන් ම විය යුතුයි '{1}' DocType: Shipping Rule,Calculate Based On,පදනම් කරගත් දින ගණනය @@ -5637,6 +5695,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,උපරිම අගයයන් DocType: Journal Entry Account,Employee Advance,සේවක අත්තිකාරම් DocType: Payroll Entry,Payroll Frequency,වැටුප් සංඛ්යාත +DocType: Plaid Settings,Plaid Client ID,සේවාලාභී සේවාදායක හැඳුනුම්පත DocType: Lab Test Template,Sensitivity,සංවේදීතාව DocType: Plaid Settings,Plaid Settings,සරල සැකසුම් apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,උපරිම උත්සහයන් ඉක්මවා ඇති බැවින් සමමුහුර්ත තාවකාලිකව අක්රිය කර ඇත @@ -5654,6 +5713,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"කරුණාකර ගිය තැන, දිනය පළමු තෝරා" apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,විවෘත දිනය දිනය අවසන් පෙර විය යුතුය DocType: Travel Itinerary,Flight,ගුවන් යානය +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,නැවත ගෙදරට DocType: Leave Control Panel,Carry Forward,ඉදිරියට ගෙන apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,පවත්නා ගනුදෙනු වියදම මධ්යස්ථානය ලෙජර් බවට පරිවර්තනය කළ නොහැකි DocType: Budget,Applicable on booking actual expenses,සැබෑ වියදම් වෙන් කිරීම මත අදාළ වේ @@ -5755,6 +5815,7 @@ DocType: Batch,Source Document Name,මූලාශ්රය ලේඛන නම DocType: Batch,Source Document Name,මූලාශ්රය ලේඛන නම DocType: Production Plan,Get Raw Materials For Production,නිෂ්පාදනය සඳහා අමුද්රව්ය ලබා ගන්න DocType: Job Opening,Job Title,රැකියා තනතුර +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,අනාගත ගෙවීම් Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} මගින් පෙන්නුම් කරන්නේ {1} සවිස්තරාත්මකව උපුටා නොදක්වන බවය, නමුත් සියලුම අයිතමයන් උපුටා ඇත. RFQ සවිස්තරාත්මකව යාවත්කාලීන කිරීම." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,උපරිම නියැදි - {0} දැනටමත් {1} සහ {{}} කාණ්ඩයේ {1} අයිතමය {2} සඳහා තබා ඇත. @@ -5765,12 +5826,10 @@ 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: Company,Product Code,නිෂ්පාදන කේතය DocType: Quality Review Table,Objective,අරමුණ DocType: Supplier Scorecard,Per Month,මසකට DocType: Education Settings,Make Academic Term Mandatory,අධ්යයන වාරය අනිවාර්ය කිරීම -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,නිෂ්පාදනය කිරීමට ප්රමාණය 0 ට වඩා වැඩි විය යුතුය. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,මූල්ය වර්ෂය අනුව ප්රස්ථාරිත ක්ෂයවීම් කාලසටහන ගණනය කිරීම +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,නිෂ්පාදනය කිරීමට ප්රමාණය 0 ට වඩා වැඩි විය යුතුය. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,නඩත්තු ඇමතුම් සඳහා වාර්තාව පිවිසෙන්න. DocType: Stock Entry,Update Rate and Availability,වේගය හා උපකාර ලැබිය හැකි යාවත්කාලීන 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 ලබා ගැනීමට අවසර ලැබේ වේ. @@ -5782,7 +5841,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,මුදා හැරීමේ දිනය අනාගතයේදී විය යුතුය DocType: BOM,Website Description,වෙබ් අඩවිය විස්තරය apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,කොටස් ශුද්ධ වෙනස් -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,මිලදී ගැනීම ඉන්වොයිසිය {0} පළමු අවලංගු කරන්න apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,අවසර නොදේ. කරුණාකර සේවා ඒකක වර්ගය අක්රීය කරන්න apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","විද්යුත් තැපැල් ලිපිනය අනන්ය විය යුතුය, දැනටමත් {0} සඳහා පවතී" DocType: Serial No,AMC Expiry Date,"විදේශ මුදල් හුවමාරු කරන්නන්, කල් ඉකුත්වන දිනය," @@ -5825,6 +5883,7 @@ DocType: Pricing Rule,Price Discount Scheme,මිල වට්ටම් යෝ apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,නඩත්තු කිරීමේ තත්වය අවලංගු කිරීමට හෝ සම්පූර්ණ කිරීමට ඉදිරිපත් කළ යුතුය DocType: Amazon MWS Settings,US,එක්සත් ජනපදය DocType: Holiday List,Add Weekly Holidays,සතිපතා නිවාඩු දින එකතු කරන්න +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,අයිතමය වාර්තා කරන්න DocType: Staffing Plan Detail,Vacancies,පුරප්පාඩු DocType: Hotel Room,Hotel Room,හෝටල් කාමරය apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},ගිණුම {0} සමාගම {1} අයත් නොවේ @@ -5875,12 +5934,15 @@ DocType: Email Digest,Open Quotations,විවෘත කිරීම් 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","මෙම ලේඛනය අවලංගු කිරීමට කරුණාකර සේවකයා {0} delete මකන්න" apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,වේලාව ලඝු-සටහන් සඳහා ක්රියාකාරකම් වර්ග DocType: Opening Invoice Creation Tool,Sales,විකුණුම් DocType: Stock Entry Detail,Basic Amount,මූලික මුදල @@ -5894,6 +5956,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,පුරප්පාඩු DocType: Patient,Alcohol Past Use,මත්පැන් අතීත භාවිතය DocType: Fertilizer Content,Fertilizer Content,පොහොර අන්තර්ගතය +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,විස්තරයක් නෑ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,බිල්පත් රාජ්ය DocType: Quality Goal,Monitoring Frequency,අධීක්ෂණ වාර ගණන @@ -5911,6 +5974,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,ඊළග ඇමතුම් දිනය අවසන් වීමට පෙර දිනය අවසන් විය නොහැක. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,කණ්ඩායම් ඇතුළත් කිරීම් DocType: Journal Entry,Pay To / Recd From,සිට / Recd වැටුප් +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,අයිතමය ප්‍රකාශයට පත් නොකරන්න DocType: Naming Series,Setup Series,setup ශ්රේණි DocType: Payment Reconciliation,To Invoice Date,ඉන්වොයිසිය දිනය කිරීමට DocType: Bank Account,Contact HTML,අප අමතන්න HTML @@ -5932,6 +5996,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,සිල්ලර DocType: Student Attendance,Absent,නැති කල DocType: Staffing Plan,Staffing Plan Detail,කාර්ය සැලැස්ම විස්තර DocType: Employee Promotion,Promotion Date,ප්රවර්ධන දිනය +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,නිවාඩු වෙන් කිරීම% s නිවාඩු අයදුම්පත% s සමඟ සම්බන්ධ වේ 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} @@ -5969,6 +6034,7 @@ DocType: Volunteer,Availability,ලබාගත හැකිය apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS ඉන්වොයිසි සඳහා පෙරනිමි අගයන් සැකසීම DocType: Employee Training,Training,පුහුණුව DocType: Project,Time to send,යැවීමට ගතවන කාලය +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,ගැනුම්කරුවන් යම් උනන්දුවක් දැක්වූ ඔබගේ අයිතම මෙම පිටුව නිරීක්ෂණය කරයි. 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 විද්යුත් හැඳුනුම්පත @@ -6069,11 +6135,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,විවෘත කළ අගය DocType: Salary Component,Formula,සූත්රය apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,අනු # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,කරුණාකර සේවක නම් කිරීමේ පද්ධතිය මානව සම්පත්> මානව සම්පත් සැකසුම් තුළ සකසන්න DocType: Material Request Plan Item,Required Quantity,අවශ්‍ය ප්‍රමාණය DocType: Lab Test Template,Lab Test Template,පරීක්ෂණ පරීක්ෂණ ආකෘතිය apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,විකුණුම් ගිණුම DocType: Purchase Invoice Item,Total Weight,සම්පූර්ණ බර +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}" @@ -6097,6 +6163,7 @@ DocType: Company,Default Employee Advance Account,පෙර නොවූ සේ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),සොයන්න අයිතමය (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,පවත්නා ගනුදෙනුව ගිණුමක් මකා දැමිය නොහැක +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,මෙම අයිතමය ඉවත් කළ යුතු යැයි සිතන්නේ ඇයි? DocType: Vehicle,Last Carbon Check,පසුගිය කාබන් පරීක්ෂා කරන්න apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,නීතිමය වියදම් apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,කරුණාකර දණ්ඩනය ප්රමාණය තෝරා @@ -6116,6 +6183,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,බිඳ වැටීම DocType: Travel Itinerary,Vegetarian,නිර්මාංශ DocType: Patient Encounter,Encounter Date,රැස්වීම් දිනය +DocType: Work Order,Update Consumed Material Cost In Project,ව්යාපෘතියේ පරිභෝජනය කරන ද්රව්යමය පිරිවැය යාවත්කාලීන කරන්න apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,ගිණුම: {0} මුදල් සමග: {1} තෝරා ගත නොහැකි DocType: Bank Statement Transaction Settings Item,Bank Data,බැංකු දත්ත DocType: Purchase Receipt Item,Sample Quantity,සාම්පල ප්රමාණය @@ -6168,7 +6236,7 @@ DocType: GSTR 3B Report,April,අප්රේල් DocType: Plant Analysis,Collection Datetime,එකතුව DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,මුළු මෙහෙයුම් පිරිවැය -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,සටහන: අයිතමය {0} වාර කිහිපයක් ඇතුළු +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,සටහන: අයිතමය {0} වාර කිහිපයක් ඇතුළු apps/erpnext/erpnext/config/buying.py,All Contacts.,සියළු සබඳතා. DocType: Accounting Period,Closed Documents,වසා දැමූ ලියවිලි DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,පත්වීම් කළමනාකරණය ඉන්වොයිසිය ස්වයංවාරණයක් සඳහා ඉදිරිපත් කිරීම සහ අවලංගු කිරීම @@ -6213,6 +6281,7 @@ DocType: Attendance Request,On Duty,රාජකාරිය මත 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/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/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/accounts/doctype/account/account.py,Account {0}: Parent account {1} does not exist,ගිණුම {0}: මාපිය ගිණුමක් {1} නොපවතියි DocType: Bank Account,Mask,මාස්ක් @@ -6247,7 +6316,6 @@ DocType: Member,Membership Type,සාමාජිකත්ව වර්ගය ,Reqd By Date,දිනය වන විට Reqd apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,ණය හිමියන් DocType: Assessment Plan,Assessment Name,තක්සේරු නම -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,මුද්රණයේදී PDC පෙන්වන්න apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,ෙරෝ # {0}: අනු අංකය අනිවාර්ය වේ DocType: Purchase Taxes and Charges,Item Wise Tax Detail,අයිතමය ප්රඥාවන්ත බදු විස්තර DocType: Employee Onboarding,Job Offer,රැකියා අවස්ථාව @@ -6307,6 +6375,7 @@ DocType: Serial No,Out of Warranty,Warranty න් DocType: Bank Statement Transaction Settings Item,Mapped Data Type,සිතියම දත්ත වර්ගය DocType: BOM Update Tool,Replace,ආදේශ apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,නිෂ්පාදන සොයාගත්තේ නැත. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,තවත් අයිතම ප්‍රකාශයට පත් කරන්න apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},මෙම සේවා මට්ටමේ ගිවිසුම පාරිභෝගිකයාට විශේෂිත වේ {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} විකුණුම් ඉන්වොයිසිය {1} එරෙහිව DocType: Antibiotic,Laboratory User,රසායනාගාර පරිශීලක @@ -6328,7 +6397,6 @@ DocType: Payment Order Reference,Bank Account Details,බැංකු ගිණ DocType: Purchase Order Item,Blanket Order,බිල්ට් ඇණවුම 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,බදු වත්කම් -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},නිෂ්පාදනය සාමය {0} වී ඇත DocType: BOM Item,BOM No,ද්රව්ය ලේඛණය නොමැත 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,වෙනස්වන සාමාන්යය @@ -6402,6 +6470,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),බාහිර බදු අය කළ හැකි සැපයුම් (ශුන්‍ය ශ්‍රේණිගත) DocType: BOM,Materials Required (Exploded),අවශ්ය ද්රව්ය (පුපුරා) 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/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,"ගිය තැන, දිනය අනාගත දිනයක් විය නොහැකි" @@ -6459,7 +6528,6 @@ DocType: Pricing Rule,Same Item,එකම අයිතමය DocType: Stock Ledger Entry,Stock Ledger Entry,කොටස් ලේජර සටහන් DocType: Quality Action Resolution,Quality Action Resolution,ගුණාත්මක ක්‍රියාකාරී විභේදනය apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} දිනෙන් පසුද {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,එම අයිතමය වාර කිහිපයක් ඇතුළු කර ඇත DocType: Department,Leave Block List,වාරණ ලැයිස්තුව තබන්න DocType: Purchase Invoice,Tax ID,බදු හැඳුනුම්පත apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,අයිතමය {0} අනු අංක සඳහා පිහිටුවීම් නොවේ තීරුව හිස්ව තිබිය යුතුයි. @@ -6496,7 +6564,7 @@ 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} අක්රීය කර ඇත නැත්නම් ස්ථානීකව නොපවතියි DocType: Purchase Invoice,Return,ආපසු -DocType: Accounting Dimension,Disable,අක්රීය +DocType: Account,Disable,අක්රීය apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,ගෙවීම් ක්රමය ගෙවීම් කිරීමට අවශ්ය වේ DocType: Task,Pending Review,විභාග සමාලෝචන apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","වත්කම්, අනුක්රමික අංක, කණ්ඩායම් වැනි තවත් විකල්ප සඳහා සම්පූර්ණ පිටුවක සංස්කරණය කරන්න." @@ -6608,7 +6676,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,ඒකාබද්ධ ඉන්වොයිස් කොටස 100% DocType: Item Default,Default Expense Account,පෙරනිමි ගෙවීමේ ගිණුම් DocType: GST Account,CGST Account,CGST ගිණුම -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,අයිතම කේතය> අයිතම සමූහය> වෙළඳ නාමය apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,ශිෂ්ය විද්යුත් හැඳුනුම්පත DocType: Employee,Notice (days),නිවේදනය (දින) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS අවසාන වවුචර් ඉන්වොයිසි @@ -6619,6 +6686,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ඉන්වොයිස් බේරා ගැනීමට භාණ්ඩ තෝරන්න DocType: Employee,Encashment Date,හැකි ඥාතීන් නොවන දිනය DocType: Training Event,Internet,අන්තර්ජාල +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,විකුණුම්කරුගේ තොරතුරු DocType: Special Test Template,Special Test Template,විශේෂ ටෙස්ට් ආකෘතිය DocType: Account,Stock Adjustment,කොටස් ගැලපුම් apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},{0} - පෙරනිමි ලද වියදම ක්රියාකාරකම් වර්ගය සඳහා පවතී @@ -6631,7 +6699,6 @@ 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 ආරම්භක දිනය සහ පරීක්ෂණ කාලය අවසන් දිනය නියම කළ යුතුය -DocType: Company,Bank Remittance Settings,බැංකු ප්‍රේෂණ සැකසුම් apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,සාමාන්ය අනුපාතය 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","පාරිභෝගිකයා විසින් සපයනු ලබන අයිතමයට" තක්සේරු අනුපාතයක් තිබිය නොහැක @@ -6659,6 +6726,7 @@ DocType: Grading Scale Interval,Threshold,සීමකය apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),සේවකයින් පෙරීම (විකල්ප) DocType: BOM Update Tool,Current BOM,වත්මන් ද්රව්ය ලේඛණය apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),ශේෂය (ආචාර්ය-ක්රි) +DocType: Pick List,Qty of Finished Goods Item,නිමි භාණ්ඩ අයිතමයේ ප්‍රමාණය apps/erpnext/erpnext/public/js/utils.js,Add Serial No,අනු අංකය එකතු කරන්න DocType: Work Order Item,Available Qty at Source Warehouse,මූලාශ්රය ගබඩා ලබා ගත හැක යවන ලද apps/erpnext/erpnext/config/support.py,Warranty,වගකීම් @@ -6735,7 +6803,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","මෙහිදී ඔබට උස, බර, අසාත්මිකතා, වෛද්ය කනස්සල්ල ආදිය පවත්වා ගැනීමට නොහැකි" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,ගිණුම් නිර්මාණය කිරීම ... DocType: Leave Block List,Applies to Company,සමාගම සඳහා අදාළ ෙව් -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,අවලංගු කළ නොහැකි ඉදිරිපත් කොටස් Entry {0} පවතින බැවිනි +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,අවලංගු කළ නොහැකි ඉදිරිපත් කොටස් Entry {0} පවතින බැවිනි DocType: Loan,Disbursement Date,ටහිර දිනය DocType: Service Level Agreement,Agreement Details,ගිවිසුම් විස්තර apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,ගිවිසුමේ ආරම්භක දිනය අවසන් දිනයට වඩා වැඩි හෝ සමාන විය නොහැක. @@ -6744,6 +6812,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,වෛද්ය වාර්තාව DocType: Vehicle,Vehicle,වාහන DocType: Purchase Invoice,In Words,වචන ගැන +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,මේ දක්වා දිනට පෙර විය යුතුය apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,ඉදිරිපත් කිරීමට පෙර බැංකුව හෝ ණය දෙන ආයතනයෙහි නම ඇතුළත් කරන්න. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} ඉදිරිපත් කළ යුතුය DocType: POS Profile,Item Groups,අයිතමය කණ්ඩායම් @@ -6816,7 +6885,6 @@ DocType: Customer,Sales Team Details,විකුණුම් කණ්ඩාය apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,ස්ථිර මකන්නද? DocType: Expense Claim,Total Claimed Amount,මුළු හිමිකම් කියන අය මුදල apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,විකිණීම සඳහා ලබාදිය හැකි අවස්ථා. -DocType: Plaid Settings,Link a new bank account,නව බැංකු ගිණුමක් සම්බන්ධ කරන්න apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} යනු අවලංගු පැමිණීමේ තත්වයකි. DocType: Shareholder,Folio no.,ෙෆෝෙටෝ අංක apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},වලංගු නොවන {0} @@ -6832,7 +6900,6 @@ DocType: Production Plan,Material Requested,අවශ්ය ද්රව්ය DocType: Warehouse,PIN,PIN අංකය DocType: Bin,Reserved Qty for sub contract,උප කොන්ත්රාත්තුව සඳහා වෙන් කර ඇති Qty DocType: Patient Service Unit,Patinet Service Unit,පැටිනෙට් සේවා ඒකකය -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,පෙළ ගොනුව ජනනය කරන්න DocType: Sales Invoice,Base Change Amount (Company Currency),මූලික වෙනස් ප්රමාණය (සමාගම ව්යවහාර මුදල්) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,පහත සඳහන් ගබඩා වෙනුවෙන් කිසිදු වගකීමක් සටහන් ඇතුළත් කිරීම් apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},අයිතමය සඳහා කොටස් {1} පමණක් {0} @@ -6846,6 +6913,7 @@ DocType: Item,No of Months,මාස ගණන DocType: Item,Max Discount (%),මැක්ස් වට්ටම් (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,ණය දින ඍණ සංඛ්යාවක් විය නොහැක apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,ප්‍රකාශයක් උඩුගත කරන්න +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,මෙම අයිතමය වාර්තා කරන්න DocType: Purchase Invoice Item,Service Stop Date,සේවාව නතර කරන දිනය apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,පසුගිය සාමය මුදල DocType: Cash Flow Mapper,e.g Adjustments for:,නිද. @@ -6937,16 +7005,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,සේවක බදු ඉවත් කිරීමේ වර්ගය apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,මුදල බිංදුවට වඩා අඩු නොවිය යුතුය. DocType: Sales Invoice,C-Form Applicable,C-ආකෘතිය අදාල -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},"වේලාව මෙහෙයුම මෙහෙයුම {0} සඳහා, 0 ට වඩා වැඩි විය යුතුය" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},"වේලාව මෙහෙයුම මෙහෙයුම {0} සඳහා, 0 ට වඩා වැඩි විය යුතුය" DocType: Support Search Source,Post Route String,පසු මාර්ග ධාවනය apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,පොත් ගබඩාව අනිවාර්ය වේ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,වෙබ් අඩවියක් නිර්මාණය කිරීම අසාර්ථක විය DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM පරිවර්තනය විස්තර apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,ඇතුළත් කිරීම සහ බඳවා ගැනීම -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,දැනටමත් නිර්මාණය කර ඇති රඳවා තබා ගැනීමේ කොටස් ලේඛනය හෝ සාම්පල ප්රමාණය ලබා දී නොමැත +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,දැනටමත් නිර්මාණය කර ඇති රඳවා තබා ගැනීමේ කොටස් ලේඛනය හෝ සාම්පල ප්රමාණය ලබා දී නොමැත DocType: Program,Program Abbreviation,වැඩසටහන කෙටි යෙදුම් -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,නිෂ්පාදන සාමය සඳහා අයිතමය සැකිල්ල එරෙහිව මතු කළ හැකි නොවේ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),වවුචර් විසින් සමූහය (ඒකාබද්ධ) DocType: HR Settings,Encrypt Salary Slips in Emails,වැටුප් ස්ලිප් ඊමේල් වල සංකේතනය කරන්න DocType: Question,Multiple Correct Answer,බහු නිවැරදි පිළිතුර @@ -6993,7 +7060,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,ශ්‍රේණිග DocType: Employee,Educational Qualification,අධ්යාපන සුදුසුකම් DocType: Workstation,Operating Costs,මෙහෙයුම් පිරිවැය apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},{0} {1} විය යුතුය සඳහා ව්යවහාර මුදල් -DocType: Employee Checkin,Entry Grace Period Consequence,ඇතුළත් වීමේ වර්‍ගයේ ප්‍රතිවිපාකය DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,මෙම මාරුවට අනුයුක්ත කර ඇති සේවකයින් සඳහා 'සේවක පිරික්සුම' මත පදනම්ව පැමිණීම සලකුණු කරන්න. DocType: Asset,Disposal Date,බැහැර කිරීමේ දිනය DocType: Service Level,Response and Resoution Time,ප්‍රතිචාර සහ විවේක කාලය @@ -7042,6 +7108,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,අවසන් කරන දිනය DocType: Purchase Invoice Item,Amount (Company Currency),ප්රමාණය (සමාගම ව්යවහාර මුදල්) DocType: Program,Is Featured,විශේෂාංග වේ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,ලබා ගැනීම ... DocType: Agriculture Analysis Criteria,Agriculture User,කෘෂිකර්ම පරිශීලක apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,වලංගු වන දිනට ගනුදෙනු දිනට පෙර විය නොහැක apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} {3} {4} {5} මෙම ගනුදෙනුව සම්පූර්ණ කිරීමට සඳහා මත {2} අවශ්ය {1} ඒකක. @@ -7074,7 +7141,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,මුළු ගෙවුම් ඒඑම්ටී 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 අයිතමගත විකුණුම් රෙජිස්ටර් @@ -7098,6 +7164,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,නිර් apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,සිට ලැබුණු DocType: Lead,Converted,පරිවර්තනය කරන DocType: Item,Has Serial No,අනු අංකය ඇත +DocType: Stock Entry Detail,PO Supplied Item,තැ.කා.සි. 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} @@ -7208,7 +7275,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,බදු සහ ගාස 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,{0} සොයාගත නොහැකි සඳහා පෙරනිමි ද්රව්ය ලේඛණය +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}: කරුණාකර සකස් මොහොත ප්රමාණය apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,භාණ්ඩ ඒවා මෙහි එකතු කරන්න තට්ටු කරන්න @@ -7244,7 +7311,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,නඩත්තු දිනය DocType: Purchase Invoice Item,Rejected Serial No,ප්රතික්ෂේප අනු අංකය apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,වසරේ ආරම්භක දිනය හෝ අවසන් දිනය {0} සමග අතිච්ඡාදනය වේ. වැළකී සමාගම පිහිටුවා කරුණාකර -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර පැමිණීම සඳහා අංකනය කිරීමේ ශ්‍රේණිය සැකසුම> අංකනය මාලාව හරහා සකසන්න apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Lead Lead හි ප්රධාන නාමය සඳහන් කරන්න. {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},දිනය අයිතමය {0} සඳහා අවසාන දිනය වඩා අඩු විය යුතුය ආරම්භ DocType: Shift Type,Auto Attendance Settings,ස්වයංක්‍රීය පැමිණීමේ සැකසුම් @@ -7301,6 +7367,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,ශිෂ්ය විස්තර DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",අයිතම සහ විකුණුම් ඇණවුම් සඳහා භාවිතා කරන සුපුරුදු UOM මෙයයි. පසුබෑම UOM යනු "නොස්" ය. DocType: Purchase Invoice Item,Stock Qty,කොටස් යවන ලද +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Ctrl + ඉදිරිපත් කරන්න DocType: Contract,Requires Fulfilment,ඉටු කිරීම අවශ්ය වේ DocType: QuickBooks Migrator,Default Shipping Account,පෙරනිමි නැව්ගත කිරීමේ ගිණුම DocType: Loan,Repayment Period in Months,මාස තුළ ආපසු ගෙවීමේ කාලය @@ -7329,6 +7396,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise වට්ටම apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,කාර්යයන් සඳහා Timesheet. DocType: Purchase Invoice,Against Expense Account,ගෙවීමේ ගිණුම් එරෙහිව apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,ස්ථාපන සටහන {0} දැනටමත් ඉදිරිපත් කර ඇති +DocType: BOM,Raw Material Cost (Company Currency),අමුද්‍රව්‍ය පිරිවැය (සමාගම් මුදල්) DocType: GSTR 3B Report,October,ඔක්තෝම්බර් DocType: Bank Reconciliation,Get Payment Entries,ගෙවීම් සඳහා අයැදුම්පත් ලබා ගන්න DocType: Quotation Item,Against Docname,Docname එරෙහිව @@ -7375,15 +7443,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,භාවිතයට ගත හැකි දිනය සඳහා අවශ්ය වේ DocType: Request for Quotation,Supplier Detail,සැපයුම්කරු විස්තර apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},සූත්රය හෝ තත්ත්වය දෝෂය: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,ඉන්වොයිස් මුදල +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,ඉන්වොයිස් මුදල apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,මිනුම් දණ්ඩ 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,පැමිණීම apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,කොටස් අයිතම DocType: Sales Invoice,Update Billed Amount in Sales Order,විකුණුම් නියෝගයේ බිල්පත් ප්රමාණය යාවත්කාලීන කරන්න +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,විකුණුම්කරු අමතන්න 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,මෙම අයිතමය වාර්තා කිරීම සඳහා කරුණාකර වෙළඳපල පරිශීලකයෙකු ලෙස පුරනය වන්න. ,Sales Partner Commission Summary,විකුණුම් සහකරු කොමිෂන් සභා සාරාංශය ,Item Prices,අයිතමය මිල ගණන් DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,ඔබ මිලදී ගැනීමේ නියෝගය බේරා වරක් වචන දෘශ්යමාන වනු ඇත. @@ -7396,6 +7466,7 @@ DocType: Dosage Form,Dosage Form,ආසාදන ආකෘතිය apps/erpnext/erpnext/config/buying.py,Price List master.,මිල ලැයිස්තුව ස්වාමියා. DocType: Task,Review Date,සමාලෝචන දිනය DocType: BOM,Allow Alternative Item,විකල්ප අයිතම වලට ඉඩ දෙන්න +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,මිලදී ගැනීමේ කුවිතාන්සිය තුළ රඳවා ගැනීමේ නියැදිය සක්‍රීය කර ඇති අයිතමයක් නොමැත. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ඉන්වොයිස් ග්‍රෑන්ඩ් එකතුව DocType: Company,Series for Asset Depreciation Entry (Journal Entry),වත්කම් ක්ෂයවීම් පිළිබඳ ලිපි මාලාව (ජර්නල් සටහන්) DocType: Membership,Member Since,සාමාජිකයෙක් @@ -7405,6 +7476,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,ශුද්ධ මුළු මත 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},Attribute {0} අයිතමය {4} සඳහා {1} {3} යන වැටුප් වර්ධක තුළ {2} දක්වා පරාසය තුළ විය යුතුය වටිනාකමක් DocType: Pricing Rule,Product Discount Scheme,නිෂ්පාදන වට්ටම් යෝජනා ක්‍රමය +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,අමතන්නා විසින් කිසිදු ගැටළුවක් මතු කර නොමැත. DocType: Restaurant Reservation,Waitlisted,බලාගෙන ඉන්න DocType: Employee Tax Exemption Declaration Category,Exemption Category,බදු නිදහස් කාණ්ඩ apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,ව්යවහාර මුදල් ෙවනත් මුදල් භාවිතා සටහන් කිරීමෙන් පසුව එය වෙනස් කළ නොහැක @@ -7418,7 +7490,6 @@ DocType: Customer Group,Parent Customer Group,මව් කස්ටමර් apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ඊ-වේ බිල් JSON උත්පාදනය කළ හැක්කේ විකුණුම් ඉන්වොයිසියෙනි apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,මෙම ප්‍රශ්නාවලිය සඳහා උපරිම උත්සාහයන් ළඟා විය! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,දායකත්වය -DocType: Purchase Invoice,Contact Email,අප අමතන්න විද්යුත් apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ගාස්තු නිර්මාණ ඉදිරිපත් කිරීම DocType: Project Template Task,Duration (Days),කාලය (දින) DocType: Appraisal Goal,Score Earned,ලකුණු උපයා @@ -7443,7 +7514,6 @@ DocType: Landed Cost Item,Landed Cost Item,ඉඩම් හිමි විය 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","එක් ගනුදෙනුවක් සඳහා වන මුදල උපරිම අවසර ලත් ප්‍රමාණය ඉක්මවා, ගනුදෙනු බෙදීමෙන් වෙනම ගෙවීම් නියෝගයක් සාදන්න" DocType: Service Level Agreement,Entity,ආයතනය DocType: Payment Reconciliation,Receivable / Payable Account,ලැබිය යුතු / ගෙවිය යුතු ගිණුම් DocType: Delivery Note Item,Against Sales Order Item,විකුණුම් සාමය අයිතමය එරෙහිව @@ -7611,6 +7681,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,ඇ DocType: Quality Inspection Reading,Reading 3,කියවීම 3 DocType: Stock Entry,Source Warehouse Address,ප්රභව ගබඩාව ලිපිනය DocType: GL Entry,Voucher Type,වවුචරය වර්ගය +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,අනාගත ගෙවීම් 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 ,අවසාන ක්‍රියාකාරකම @@ -7637,6 +7708,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,ක්ෂේත්රයේ සොයාගත් රෝග ලැයිස්තුව. තෝරාගත් විට එය ස්වයංක්රීයව රෝගය සමඟ කටයුතු කිරීමට කාර්ය ලැයිස්තුවක් එක් කරයි +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,මෙය මූල සෞඛ්ය සේවා ඒකකය සංස්කරණය කළ නොහැක. DocType: Asset Repair,Repair Status,අළුත්වැඩියා තත්ත්වය apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","ඉල්ලූ Qty: මිලදී ගැනීම සඳහා ඉල්ලූ ප්‍රමාණය, නමුත් ඇණවුම් කර නැත." @@ -7651,6 +7723,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,වෙනස් මුදල ගිණුම් DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks සම්බන්ධ කිරීම DocType: Exchange Rate Revaluation,Total Gain/Loss,සමස්ත ලාභය / අලාභය +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,තේරීම් ලැයිස්තුව සාදන්න apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ෙරෝ {0}: පක්ෂය / ගිණුම් {3} {4} තුළ {1} / {2} සමග නොගැලපේ DocType: Employee Promotion,Employee Promotion,සේවක ප්රවර්ධන DocType: Maintenance Team Member,Maintenance Team Member,නඩත්තු කණ්ඩායම් සාමාජික @@ -7734,6 +7807,7 @@ 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,වත්කම් ප්රවර්ගය apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,ශුද්ධ වැටුප් සෘණ විය නොහැකි @@ -7765,7 +7839,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,ගුණාත්මක ඉලක්කය DocType: BOM,Item to be manufactured or repacked,අයිතමය නිෂ්පාදිත හෝ repacked කිරීමට apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},තත්වය තුළදී සින්ටැක්ස් දෝෂය: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,පාරිභෝගිකයා විසින් මතු කරන ලද කිසිදු ගැටළුවක් නොමැත. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,විශාල / විකල්ප විෂයයන් apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,කරුණාකර සැපයුම් සමූහය සැකසීම් මිලදී ගැනීම සඳහා කරුණාකර කරන්න. @@ -7858,8 +7931,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,ක්රෙඩිට් දින apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,කරුණාකර පරීක්ෂණය සඳහා රෝගීන් තෝරා ගන්න DocType: Exotel Settings,Exotel Settings,එක්සොටෙල් සැකසුම් -DocType: Leave Type,Is Carry Forward,ඉදිරියට ගෙන ඇත +DocType: Leave Ledger Entry,Is Carry Forward,ඉදිරියට ගෙන ඇත DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),නොපැමිණීම සලකුණු කර ඇති වැඩ කරන වේලාවට පහළින්. (අක්‍රීය කිරීමට ශුන්‍යය) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,පණිවිඩයක් යවන්න apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,ද්රව්ය ලේඛණය සිට අයිතම ලබා ගන්න 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,ආදායම් බදු වියදම diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv index 25dd3bbecc..760c18b17f 100644 --- a/erpnext/translations/sk.csv +++ b/erpnext/translations/sk.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Informujte dodávateľa apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,"Prosím, vyberte typ Party prvý" DocType: Item,Customer Items,Zákaznícke položky +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,záväzky DocType: Project,Costing and Billing,Kalkulácia a fakturácia apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Advance mena účtu by mala byť rovnaká ako mena spoločnosti {0} DocType: QuickBooks Migrator,Token Endpoint,Koncový bod tokenu @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Predvolená merná jednotka DocType: SMS Center,All Sales Partner Contact,Všechny Partneři Kontakt DocType: Department,Leave Approvers,Schvaľovatelia priepustiek DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Hľadať položky ... DocType: Patient Encounter,Investigations,vyšetrovania DocType: Restaurant Order Entry,Click Enter To Add,Kliknite na položku Zadat 'na pridanie apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Chýba hodnota hesla, kľúč API alebo URL predaja" DocType: Employee,Rented,Pronajato apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Všetky účty apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Nie je možné previesť zamestnanca so stavom doľava -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Zastavil výrobu Objednať nemožno zrušiť, uvoľniť ho najprv zrušiť" DocType: Vehicle Service,Mileage,Najazdené apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Naozaj chcete zrušiť túto pohľadávku? DocType: Drug Prescription,Update Schedule,Aktualizovať plán @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Zákazník DocType: Purchase Receipt Item,Required By,Vyžadováno DocType: Delivery Note,Return Against Delivery Note,Návrat Proti dodací list DocType: Asset Category,Finance Book Detail,Detail knihy financií +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Všetky odpisy boli zaúčtované DocType: Purchase Order,% Billed,% Fakturovaných apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Mzdové číslo apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate musí byť rovnaká ako {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Batch Item Zánik Status apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bank Návrh DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Celkový počet oneskorených zápisov DocType: Mode of Payment Account,Mode of Payment Account,Způsob platby účtu apps/erpnext/erpnext/config/healthcare.py,Consultation,Konzultácia DocType: Accounts Settings,Show Payment Schedule in Print,Zobraziť plán platieb v časti Tlač @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Na apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Priame kontaktné údaje apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,otvorené problémy DocType: Production Plan Item,Production Plan Item,Výrobní program Item +DocType: Leave Ledger Entry,Leave Ledger Entry,Opustiť zadanie knihy 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} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} pole je obmedzené na veľkosť {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Max DocType: Purchase Invoice Item,Item Weight Details,Podrobnosti o položke hmotnosti DocType: Asset Maintenance Log,Periodicity,Periodicita apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Fiškálny rok {0} je vyžadovaná +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Čistý zisk / strata DocType: Employee Group Table,ERPNext User ID,ERPĎalšie ID používateľa DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minimálna vzdialenosť medzi radmi rastlín pre optimálny rast apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,"Ak chcete získať predpísaný postup, vyberte možnosť Pacient" @@ -168,10 +172,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Cenník predaja DocType: Patient,Tobacco Current Use,Súčasné používanie tabaku apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Predajná sadzba -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Pred pridaním nového účtu uložte dokument 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 ... 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 @@ -234,6 +238,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Penz DocType: Exchange Rate Revaluation Account,Gain/Loss,Zisk / strata DocType: Crop,Perennial,trvalka DocType: Program,Is Published,Publikované +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Zobraziť dodacie listy apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Ak chcete povoliť nadmernú fakturáciu, aktualizujte položku „Príspevok na fakturáciu“ v nastaveniach účtov alebo v položke." DocType: Patient Appointment,Procedure,procedúra DocType: Accounts Settings,Use Custom Cash Flow Format,Použiť formát vlastného toku peňazí @@ -264,7 +269,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Nechajte detaily pravidiel DocType: BOM,Item Image (if not slideshow),Item Image (ne-li slideshow) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Riadok # {0}: Operácia {1} nie je dokončená pre {2} množstvo hotového tovaru v objednávke {3}. Aktualizujte prevádzkový stav prostredníctvom Job Card {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} je povinné pre generovanie platieb, nastavte pole a skúste to znova" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hodina Rate / 60) * Skutočná Prevádzková doba apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Riadok # {0}: Typ referenčného dokumentu musí byť jeden z nárokov na výdaj alebo denníka apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,select BOM @@ -284,6 +288,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Splatiť Over počet období apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Množstvo na výrobu nesmie byť menšie ako nula DocType: Stock Entry,Additional Costs,Dodatočné náklady +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/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Účet s transakcemi nelze převést na skupinu. DocType: Lead,Product Enquiry,Dotaz Product DocType: Education Settings,Validate Batch for Students in Student Group,Overenie dávky pre študentov v študentskej skupine @@ -295,7 +300,9 @@ DocType: Employee Education,Under Graduate,Za absolventa apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Nastavte predvolenú šablónu pre možnosť Ohlásiť stav upozornenia v nastaveniach ľudských zdrojov. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Target On DocType: BOM,Total Cost,Celkové náklady +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Platnosť pridelenia vypršala! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maximálny počet prepravených listov DocType: Salary Slip,Employee Loan,Pôžička zamestnanca DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Poslať e-mail s požiadavkou na platbu @@ -305,6 +312,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Nehnut apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Výpis z účtu apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmaceutické DocType: Purchase Invoice Item,Is Fixed Asset,Je dlhodobého majetku +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Zobraziť budúce platby DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Tento bankový účet je už synchronizovaný DocType: Homepage,Homepage Section,Domovská stránka @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,umelé hnojivo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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." -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,pre POS faktúru je nutná aspoň jeden spôsob platby. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Šarža č. Sa vyžaduje pre dávkovú položku {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Položka faktúry transakcie na bankový účet @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,Vyberte Podmienky apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,limitu DocType: Bank Statement Settings Item,Bank Statement Settings Item,Položka Nastavenia bankového výpisu DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Settings +DocType: Leave Ledger Entry,Transaction Name,Názov transakcie DocType: Production Plan,Sales Orders,Predajné objednávky apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Viacnásobný vernostný program bol nájdený pre zákazníka. Vyberte prosím ručne. DocType: Purchase Taxes and Charges,Valuation,Ocenění @@ -460,6 +468,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Zobraziť iba zákazníka z týchto skupín zákazníkov DocType: Sales Invoice,Is Opening Entry,Je vstupní otvor @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Zmienka v prípade neštandardnej pohľadávky účet použiteľná 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 DocType: Supplier Scorecard,Criteria Setup,Nastavenie kritérií -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Pro Sklad je povinné před Odesláním +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 DocType: Codification Table,Medical Code,Zdravotný zákonník apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Pripojte Amazon s ERPNext @@ -485,7 +495,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Boli pridané bankové účty -DocType: Delivery Stop,Contact Name,Meno kontaktu +DocType: Call Log,Contact Name,Meno kontaktu DocType: Plaid Settings,Synchronize all accounts every hour,Synchronizujte všetky účty každú hodinu DocType: Course Assessment Criteria,Course Assessment Criteria,Hodnotiace kritériá kurz DocType: Pricing Rule Detail,Rule Applied,Platí pravidlo @@ -529,7 +539,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Neznáme číslo DocType: Website Filter Field,Website Filter Field,Pole filtra webových stránok apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Typ dodávky DocType: Material Request Item,Min Order Qty,Min Objednané množství @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,Celková hlavná čiastka DocType: Student Guardian,Relation,Vztah DocType: Quiz Result,Correct,korektné DocType: Student Guardian,Mother,matka -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Najskôr pridajte platné kľúče Plaid api do súboru site_config.json DocType: Restaurant Reservation,Reservation End Time,Čas ukončenia rezervácie DocType: Crop,Biennial,dvojročný ,BOM Variance Report,Správa o odchýlkach kusovníka @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Platba proti {0} {1} nemôže byť väčšia ako dlžnej čiastky {2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,Nastavenia POS offline DocType: Stock Entry Detail,Reference Purchase Receipt,Referenčný doklad o nákupe DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Varianta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Dokončené množství nemůže být větší než ""Množství do výroby""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Dokončené množství nemůže být větší než ""Množství do výroby""" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Obdobie založené na DocType: Period Closing Voucher,Closing Account Head,Závěrečný účet hlava DocType: Employee,External Work History,Vnější práce History apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Kruhové Referenčné Chyba apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Kartu pre študentov apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Z kódu PIN +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Zobraziť predajnú osobu DocType: Appointment Type,Is Inpatient,Je hospitalizovaný apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Meno Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Ve slovech (export) budou viditelné, jakmile uložíte doručení poznámku." @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Názov dimenzie apps/erpnext/erpnext/healthcare/setup.py,Resistant,odolný apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Prosím, nastavte sadzbu izby hotela na {}" +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: Journal Entry,Multi Currency,Viac mien DocType: Bank Statement Transaction Invoice Item,Invoice Type,Typ faktúry apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Platné od dátumu musí byť kratšie ako platné do dátumu @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,"pripustil," DocType: Workstation,Rent Cost,Rent Cost 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Nadchádzajúce Udalosti v kalendári apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variantov atribúty @@ -748,7 +761,6 @@ DocType: Request for Quotation,Request for Quotation,Žiadosť o cenovú ponuku 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Zobraziť predajcu v tlači 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ť @@ -756,7 +768,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Vytvoriť nového zákazníka apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Vypršanie zapnuté apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Je-li více pravidla pro tvorbu cen i nadále přednost, jsou uživatelé vyzváni k nastavení priority pro vyřešení konfliktu." -DocType: Purchase Invoice,Scan Barcode,Naskenujte čiarový kód apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,vytvorenie objednávok ,Purchase Register,Nákup Register apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacient sa nenašiel @@ -816,6 +827,7 @@ DocType: Account,Old Parent,Staré nadřazené apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Povinná oblasť - akademický rok apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Povinná oblasť - akademický rok apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} nie je priradená k {2} {3} +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} @@ -859,6 +871,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Plat komponentov pre mzdy časového rozvrhu. DocType: Driver,Applicable for external driver,Platí pre externý ovládač DocType: Sales Order Item,Used for Production Plan,Používá se pro výrobní plán +DocType: BOM,Total Cost (Company Currency),Celkové náklady (mena spoločnosti) DocType: Loan,Total Payment,celkové platby apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Pre dokončenú pracovnú zákazku nie je možné zrušiť transakciu. DocType: Manufacturing Settings,Time Between Operations (in mins),Doba medzi operáciou (v min) @@ -880,6 +893,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Oznámiť iné DocType: Vital Signs,Blood Pressure (systolic),Krvný tlak (systolický) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} je {2} DocType: Item Price,Valid Upto,Valid aľ +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." @@ -898,6 +912,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Zmeny v {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,"Prosím, vyberte spoločnosť" DocType: Employee Skill,Employee Skill,Zručnosť zamestnancov apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Rozdíl účtu @@ -942,6 +957,7 @@ DocType: Patient,Risk Factors,Rizikové faktory DocType: Patient,Occupational Hazards and Environmental Factors,Pracovné nebezpečenstvo a environmentálne faktory apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Zápisy už boli vytvorené pre pracovnú objednávku apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Zobraziť minulé objednávky +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} konverzácií DocType: Vital Signs,Respiratory rate,Dýchacia frekvencia apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Správa Subdodávky DocType: Vital Signs,Body Temperature,Teplota tela @@ -983,6 +999,7 @@ DocType: Purchase Invoice,Registered Composition,Registrované zloženie apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Ahoj apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Posunúť položku DocType: Employee Incentive,Incentive Amount,Suma stimuly +,Employee Leave Balance Summary,Zhrnutie stavu zostatku zamestnancov DocType: Serial No,Warranty Period (Days),Záruční doba (dny) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Celková suma kreditnej / debetnej platby by mala byť rovnaká ako prepojená položka denníka DocType: Installation Note Item,Installation Note Item,Poznámka k instalaci bod @@ -996,6 +1013,7 @@ DocType: Vital Signs,Bloated,nafúknutý DocType: Salary Slip,Salary Slip Timesheet,Plat Slip časový rozvrh apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dodavatel Warehouse povinné pro subdodavatelskou doklad o zakoupení DocType: Item Price,Valid From,Platnost od +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Vaše hodnotenie: DocType: Sales Invoice,Total Commission,Celkem Komise DocType: Tax Withholding Account,Tax Withholding Account,Zrážkový účet DocType: Pricing Rule,Sales Partner,Partner predaja @@ -1003,6 +1021,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Všetky hodnotiac 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 +DocType: Item,Website Image,Obrázok webovej stránky apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Cieľový sklad v riadku {0} musí byť rovnaký ako pracovná zákazka apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Ocenenie Rate je povinné, ak zadaná počiatočným stavom zásob" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Nalezené v tabulce faktury Žádné záznamy @@ -1037,8 +1056,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},D 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Pred synchronizáciou účtu dokončite konfiguráciu Plaid API 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 DocType: Job Applicant,Resume Attachment,Resume Attachment @@ -1050,7 +1069,6 @@ DocType: Production Plan,Production Plan,Výrobný plán DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Otvorenie nástroja na tvorbu faktúr DocType: Salary Component,Round to the Nearest Integer,Zaokrúhlite na najbližšie celé číslo apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Sales Return -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Poznámka: Celkový počet alokovaných listy {0} by nemala byť menšia ako ktoré už boli schválené listy {1} pre obdobie DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Voliť množstvo v transakciách na základe vybratého sériového čísla ,Total Stock Summary,Súhrnné zhrnutie zásob apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1079,6 +1097,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,"Lo apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,istina DocType: Loan Application,Total Payable Interest,Celková splatný úrok apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Celkom nevybavené: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Otvorte kontakt DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Predajná faktúry časový rozvrh 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} @@ -1088,6 +1107,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Predvolená séria pomenov 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 DocType: Restaurant Reservation,Restaurant Reservation,Rezervácia reštaurácie +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Vaše položky apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Návrh Psaní DocType: Payment Entry Deduction,Payment Entry Deduction,Platba Vstup dedukcie DocType: Service Level Priority,Service Level Priority,Priorita na úrovni služby @@ -1096,6 +1116,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Číselná séria šarží apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Ďalšia predaja osoba {0} existuje s rovnakým id zamestnanca DocType: Employee Advance,Claimed Amount,Požadovaná suma +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Skončí platnosť pridelenia 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 @@ -1164,7 +1185,6 @@ DocType: Student Batch Name,Batch Name,Názov šarže DocType: Fee Validity,Max number of visit,Maximálny počet návštev DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Povinné pre účet ziskov a strát ,Hotel Room Occupancy,Hotel Occupancy -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Pracovný výkaz vytvorený: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,zapísať DocType: GST Settings,GST Settings,Nastavenia GST @@ -1297,6 +1317,7 @@ DocType: Sales Invoice,Commission Rate (%),Výška provízie (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Vyberte program DocType: Project,Estimated Cost,odhadované náklady DocType: Request for Quotation,Link to material requests,Odkaz na materiálnych požiadaviek +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,publikovať apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Vstup Kreditní karta @@ -1323,6 +1344,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Oběžná aktiva apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} nie je skladová položka apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Zdieľajte svoje pripomienky k tréningu kliknutím na "Odborná pripomienka" a potom na "Nové" +DocType: Call Log,Caller Information,Informácie o volajúcom DocType: Mode of Payment Account,Default Account,Východzí účet apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Najskôr vyberte položku Sample Retention Warehouse in Stock Stock Settings apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Vyberte typ viacvrstvového programu pre viac ako jednu pravidlá kolekcie. @@ -1347,6 +1369,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Žiadosti Auto materiál vygenerovaný DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Pracovné hodiny, pod ktorými je vyznačený poldeň. (Nulovanie na deaktiváciu)" DocType: Job Card,Total Completed Qty,Celkom dokončené množstvo +DocType: HR Settings,Auto Leave Encashment,Automatické opustenie inkasa apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Ztracený apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,"Nelze zadat aktuální poukaz v ""Proti Zápis do deníku"" sloupci" DocType: Employee Benefit Application Detail,Max Benefit Amount,Maximálna výška dávky @@ -1376,9 +1399,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,predplatiteľ DocType: Item Attribute Value,Item Attribute Value,Položka Hodnota atributu apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Výmena peňazí musí byť uplatniteľná pri kúpe alebo predaji. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,"Zrušiť možno len pridelené prostriedky, ktorých platnosť vypršala" DocType: Item,Maximum sample quantity that can be retained,"Maximálne množstvo vzorky, ktoré možno uchovať" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Riadok {0} # Položka {1} nemožno previesť viac ako {2} do objednávky {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Predajné kampane +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Neznámy volajúci DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1429,6 +1454,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Časový ro apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Name DocType: Expense Claim Detail,Expense Claim Type,Náklady na pojistná Type DocType: Shopping Cart Settings,Default settings for Shopping Cart,Predvolené nastavenia pre Košík +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Uložiť položku apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Nové výdavky apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignorovať existujúce objednané množstvo apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Pridať Timeslots @@ -1441,6 +1467,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Recenzia pozvánky odoslaná DocType: Shift Assignment,Shift Assignment,Presunutie posunu DocType: Employee Transfer Property,Employee Transfer Property,Vlastníctvo prevodu zamestnancov +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Pole Účet vlastného imania / zodpovednosti nemôže byť prázdne apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Čas by mal byť menej ako čas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotechnologie apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1523,11 +1550,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,rozvrh DocType: GSTR 3B Report,GSTR 3B Report,Správa GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Citácia Stav DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Dokončení Status +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Celková suma platieb nemôže byť vyššia ako {} DocType: Daily Work Summary Group,Select Users,Vyberte používateľov DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Položka ceny izieb hotela DocType: Loyalty Program Collection,Tier Name,Názov úrovne @@ -1565,6 +1594,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Suma SGS DocType: Lab Test Template,Result Format,Formát výsledkov DocType: Expense Claim,Expenses,Výdaje DocType: Service Level,Support Hours,Čas podpory +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Dodacie listy DocType: Item Variant Attribute,Item Variant Attribute,Vlastnosť Variantu Položky ,Purchase Receipt Trends,Doklad o koupi Trendy DocType: Payroll Entry,Bimonthly,dvojmesačne @@ -1587,7 +1617,6 @@ DocType: Sales Team,Incentives,Pobídky DocType: SMS Log,Requested Numbers,Požadované Čísla DocType: Volunteer,Evening,Večer DocType: Quiz,Quiz Configuration,Konfigurácia testu -DocType: Customer,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 @@ -1634,7 +1663,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Devizov ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Nemožno nájsť časový úsek v najbližších {0} dní na prevádzku {1} DocType: Work Order,Plan material for sub-assemblies,Plán materiál pro podsestavy 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 @@ -1649,9 +1677,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,"Ak chcete zachovať úrovne opätovného poradia, musíte povoliť automatické opätovné objednávanie v nastaveniach zásob." apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Zrušit Materiál Návštěvy {0} před zrušením tohoto návštěv údržby DocType: Pricing Rule,Rate or Discount,Sadzba alebo zľava +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bankové údaje DocType: Vital Signs,One Sided,Jednostranné apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Pořadové číslo {0} nepatří k bodu {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Požadované množství +DocType: Purchase Order Item Supplied,Required Qty,Požadované množství DocType: Marketplace Settings,Custom Data,Vlastné údaje apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Sklady s existujúcimi transakcie nemožno previesť na knihy. DocType: Service Day,Service Day,Servisný deň @@ -1679,7 +1708,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Mena účtu DocType: Lab Test,Sample ID,ID vzorky apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,"Prosím, uveďte zaokrúhliť účet v spoločnosti" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Rozsah DocType: Supplier,Default Payable Accounts,Výchozí úplatu účty apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Zamestnanec {0} nie je aktívny alebo neexistuje @@ -1720,8 +1748,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Žádost o informace DocType: Course Activity,Activity Date,Dátum aktivity apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} z {} -,LeaderBoard,Nástenka lídrov DocType: Sales Invoice Item,Rate With Margin (Company Currency),Sadzba s maržou (mena spoločnosti) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategórie apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Faktúry DocType: Payment Request,Paid,Zaplatené DocType: Service Level,Default Priority,Predvolená priorita @@ -1756,11 +1784,11 @@ DocType: Agriculture Task,Agriculture Task,Úloha poľnohospodárstva apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Nepřímé příjmy DocType: Student Attendance Tool,Student Attendance Tool,Študent Účasť Tool DocType: Restaurant Menu,Price List (Auto created),Cenník (vytvorený automaticky) +DocType: Pick List Item,Picked Qty,Vybrané množstvo DocType: Cheque Print Template,Date Settings,Nastavenia dátumu 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 -,Company Name,Názov spoločnosti 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. @@ -1779,7 +1807,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Najnovší pokus DocType: Quiz Result,Quiz Result,Výsledok testu 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} -DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Company mena) 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 @@ -1847,6 +1874,7 @@ DocType: Travel Itinerary,Train,Vlak ,Delayed Item Report,Prehľad oneskorených položiek apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Oprávnené ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Umiestnenie v nemocnici +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Zverejnite svoje prvé položky DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Čas po ukončení zmeny, počas ktorého sa check-out považuje za účasť." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Zadajte {0} @@ -1965,6 +1993,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,všetky kusovník apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Založenie záznamu do firemného denníka DocType: Company,Parent Company,Materská spoločnosť apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotel Izby typu {0} sú k dispozícii na {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Porovnajte kusovníky pre zmeny v surovinách a operáciách apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokument {0} bol úspešne nejasný DocType: Healthcare Practitioner,Default Currency,Predvolená mena apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Zosúladiť tento účet @@ -1999,6 +2028,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktura Detail DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Platba Odsouhlasení faktury DocType: Clinical Procedure,Procedure Template,Šablóna postupu +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publikovať položky apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Príspevok% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Podľa nákupných nastavení, ak je objednávka požadovaná == 'ÁNO', potom pre vytvorenie nákupnej faktúry musí používateľ najprv vytvoriť nákupnú objednávku pre položku {0}" ,HSN-wise-summary of outward supplies,HSN-múdre zhrnutie vonkajších dodávok @@ -2011,7 +2041,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Prosím nastavte na "Použiť dodatočnú zľavu On" DocType: Party Tax Withholding Config,Applicable Percent,Použiteľné percento ,Ordered Items To Be Billed,Objednané zboží fakturovaných -DocType: Employee Checkin,Exit Grace Period Consequence,Ukončenie doby odkladu apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,"Z rozsahu, musí byť nižšia ako na Range" DocType: Global Defaults,Global Defaults,Globální Výchozí apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Projekt spolupráce Pozvánka @@ -2019,13 +2048,11 @@ DocType: Salary Slip,Deductions,Odpočty DocType: Setup Progress Action,Action Name,Názov akcie apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Začiatočný rok apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Vytvoriť pôžičku -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Datum období současného faktury je Začátek DocType: Shift Type,Process Attendance After,Účasť na procese po ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Nechat bez nároku na mzdu DocType: Payment Request,Outward,von -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Plánovanie kapacít Chyba apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Štátna / UT daň ,Trial Balance for Party,Trial váhy pre stranu ,Gross and Net Profit Report,Správa o hrubom a čistom zisku @@ -2044,7 +2071,6 @@ DocType: Payroll Entry,Employee Details,Podrobnosti o zaměstnanci 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 -DocType: Setup Progress Action,Domains,Domény 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} @@ -2087,7 +2113,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Celkové s 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.","Režim platba nie je nakonfigurovaný. Prosím skontrolujte, či je účet bol nastavený na režim platieb alebo na POS Profilu." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Rovnakú položku nemožno zadávať viackrát. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ďalšie účty môžu byť vyrobené v rámci skupiny, ale údaje je možné proti non-skupín" -DocType: Email Campaign,Lead,Obchodná iniciatíva +DocType: Call Log,Lead,Obchodná iniciatíva DocType: Email Digest,Payables,Závazky DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,E-mailová kampaň pre @@ -2099,6 +2125,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Položky vydané objednávky k fakturaci 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 DocType: Purchase Invoice Item,Net Rate,Čistá miera apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Vyberte zákazníka DocType: Leave Policy,Leave Allocations,Ponechajte alokácie @@ -2112,6 +2139,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Close Issue po niekoľkých dňoch ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,"Musíte byť používateľom s funkciami Správca systémov a Správca položiek, pomocou ktorých môžete používateľov pridávať do služby Marketplace." +DocType: Attendance,Early Exit,Skorý východ DocType: Job Opening,Staffing Plan,Personálny plán apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,E-Way Bill JSON môže byť generovaný iba z predloženého dokumentu apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Daň z príjmu zamestnancov a výhody @@ -2134,6 +2162,7 @@ DocType: Maintenance Team Member,Maintenance Role,Úloha údržby apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Duplicitný riadok {0} s rovnakým {1} DocType: Marketplace Settings,Disable Marketplace,Zakázať trhovisko DocType: Quality Meeting,Minutes,minúty +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Vaše odporúčané položky ,Trial Balance,Trial Balance apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Zobraziť dokončené apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Fiškálny rok {0} nebol nájdený @@ -2143,8 +2172,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Používateľ rezervácie 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" 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- -DocType: Shift Type,Consequence,dôsledok DocType: Subscription Settings,Subscription Settings,Nastavenia odberu DocType: Purchase Invoice,Update Auto Repeat Reference,Aktualizovať referenciu automatického opakovania apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Voliteľný prázdninový zoznam nie je nastavený na obdobie dovolenky {0} @@ -2155,7 +2184,6 @@ DocType: Maintenance Visit Purpose,Work Done,Odvedenou práci apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Uveďte aspoň jeden atribút v tabuľke atribúty DocType: Announcement,All Students,všetci študenti apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Item {0} musí byť non-skladová položka -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,View Ledger DocType: Grading Scale,Intervals,intervaly DocType: Bank Statement Transaction Entry,Reconciled Transactions,Zosúladené transakcie @@ -2191,6 +2219,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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ě 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 DocType: Opportunity Item,Opportunity Item,Položka Příležitosti DocType: Quality Action,Quality Review,Kontrola kvality @@ -2217,7 +2246,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Získat neuhrazených faktur -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Prodejní objednávky {0} není platný +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Objednávky pomôžu pri plánovaní a sledovaní na vaše nákupy apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Predpisy pre laboratórne testy @@ -2242,6 +2271,7 @@ DocType: Employee Onboarding,Notify users by email,Upozorniť používateľov e- DocType: Travel Request,International,medzinárodný DocType: Training Event,Training Event,Training Event DocType: Item,Auto re-order,Auto re-order +DocType: Attendance,Late Entry,Neskorý vstup apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Celkem Dosažená DocType: Employee,Place of Issue,Místo vydání DocType: Promotional Scheme,Promotional Scheme Price Discount,Zľava na propagačnú schému @@ -2288,6 +2318,7 @@ DocType: Serial No,Serial No Details,Podrodnosti k sériovému číslu DocType: Purchase Invoice Item,Item Tax Rate,Sazba daně položky apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Z názvu strany apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Čistá mzda +DocType: Pick List,Delivery against Sales Order,Dodanie na základe zákazky odberateľa DocType: Student Group Student,Group Roll Number,Číslo skupiny rollov DocType: Student Group Student,Group Roll Number,Číslo skupiny rollov apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Pro {0}, tak úvěrové účty mohou být propojeny na jinou položku debetní" @@ -2361,7 +2392,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Táto hodnota sa používa na výpočet pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Musíte povolit Nákupní košík DocType: Payment Entry,Writeoff,odpísanie DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2375,6 +2405,7 @@ DocType: Delivery Trip,Total Estimated Distance,Celková odhadovaná vzdialenos DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Nesplatené účty pohľadávok DocType: Tally Migration,Tally Company,Spoločnosť Tally apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Nie je povolené vytvárať účtovnú dimenziu pre {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Aktualizujte svoj stav tejto tréningovej udalosti DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Přidat nebo Odečíst @@ -2384,7 +2415,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Neaktívne predajné položky DocType: Quality Review,Additional Information,Ďalšie informácie apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Celková hodnota objednávky -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Obnovenie dohody o úrovni služieb. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Jídlo apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Stárnutí Rozsah 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Podrobnosti o uzatvorení dokladu POS @@ -2431,6 +2461,7 @@ 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ň 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""" DocType: Healthcare Practitioner,Contacts and Address,Kontakty a adresa DocType: Shift Type,Determine Check-in and Check-out,Určite nahlásenie a odhlásenie @@ -2450,7 +2481,6 @@ DocType: Student Admission,Eligibility and Details,Oprávnenosť a podrobnosti apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Zahrnuté v hrubom zisku apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Čistá zmena v stálych aktív apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Požad -DocType: Company,Client Code,Kód klienta apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Od datetime @@ -2519,6 +2549,7 @@ 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. 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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Zákazník je potrebná proti pohľadávok účtu {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Spolu dane a poplatky (v peňažnej mene firmy) DocType: Weather,Weather Parameter,Parametre počasia @@ -2581,6 +2612,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Prah pracovných hodín p apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Na základe celkovej výdavky môže byť viacnásobný zberný faktor. Ale konverzný faktor pre spätné odkúpenie bude vždy rovnaký pre všetky úrovne. apps/erpnext/erpnext/config/help.py,Item Variants,Varianty Položky apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Služby +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,Kusovník 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Email výplatnej páske pre zamestnancov DocType: Cost Center,Parent Cost Center,Nadřazené Nákladové středisko @@ -2591,7 +2623,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","V DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importovať doručené poznámky z Shopify pri odoslaní apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Zobraziť uzatvorené DocType: Issue Priority,Issue Priority,Priorita vydania -DocType: Leave Type,Is Leave Without Pay,Je odísť bez Pay +DocType: Leave Ledger Entry,Is Leave Without Pay,Je odísť bez Pay apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset kategória je povinný pre položku investičného majetku DocType: Fee Validity,Fee Validity,Platnosť poplatku @@ -2640,6 +2672,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,K dispozícii dávk apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Aktualizácia Print Format DocType: Bank Account,Is Company Account,Je firemný účet apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Typ ponechania {0} nie je vymeniteľný +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Úverový limit je už pre spoločnosť definovaný {0} DocType: Landed Cost Voucher,Landed Cost Help,Přistálo Náklady Help DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-Vlog-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Zvoľte adresu pre dodanie @@ -2664,6 +2697,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,obojsmerný DocType: Item,Manufacturers,výrobcovia @@ -2701,7 +2735,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Bank Odsouhlasení prohlášení DocType: Patient Encounter,Medical Coding,Lekárske kódovanie DocType: Healthcare Settings,Reminder Message,Pripomenutie správy -,Lead Name,Meno Obchodnej iniciatívy +DocType: Call Log,Lead Name,Meno Obchodnej iniciatívy ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,prieskum @@ -2733,12 +2767,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Dodavatel Warehouse DocType: Opportunity,Contact Mobile No,Kontakt Mobil apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Vyberte spoločnosť ,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: 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 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.,Používateľ {0} nemá predvolený profil POS. Začiarknite predvolené nastavenie v riadku {1} pre tohto používateľa. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zápisnica zo zasadnutia o kvalite +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Odporúčanie zamestnancov DocType: Student Group,Set 0 for no limit,Nastavte 0 pre žiadny limit apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"V deň, keď (y), na ktoré žiadate o povolenie sú prázdniny. Nemusíte požiadať o voľno." @@ -2772,12 +2808,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Čistá zmena v hotovosti DocType: Assessment Plan,Grading Scale,stupnica apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Měrná jednotka {0} byl zadán více než jednou v konverzním faktorem tabulce -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,už boli dokončené apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Skladom v ruke apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Pridajte zvyšné výhody {0} do aplikácie ako \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',"Prosím, nastavte daňový kód pre verejnú správu '% s'" -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Platba Dopyt už existuje {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Náklady na vydané položky DocType: Healthcare Practitioner,Hospital,Nemocnica apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Množství nesmí být větší než {0} @@ -2822,6 +2856,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Lidské zdroje apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Horní příjmů DocType: Item Manufacturer,Item Manufacturer,položka Výrobca +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Vytvoriť nového potenciálneho zákazníka DocType: BOM Operation,Batch Size,Veľkosť šarže apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Odmietnuť DocType: Journal Entry Account,Debit in Company Currency,Debetnej v spoločnosti Mena @@ -2842,9 +2877,11 @@ DocType: Bank Transaction,Reconciled,zmierený DocType: Expense Claim,Total Amount Reimbursed,Celkovej sumy vyplatenej apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,To je založené na protokoloch proti tomuto vozidlu. Pozri časovú os nižšie podrobnosti apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Dátum výplaty nemôže byť nižší ako dátum pripojenia zamestnanca +DocType: Pick List,Item Locations,Polohy položiek apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} vytvoril apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Otvorené pracovné miesta na označenie {0} už otvorené alebo dokončené na základe Personálneho plánu {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Môžete publikovať až 200 položiek. DocType: Vital Signs,Constipated,zápchu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Proti faktuře dodavatele {0} ze dne {1} DocType: Customer,Default Price List,Predvolený cenník @@ -2938,6 +2975,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Shift Skutočný štart DocType: Tally Migration,Is Day Book Data Imported,Importujú sa údaje dennej knihy apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Marketingové náklady +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} jednotiek z {1} nie je k dispozícii. ,Item Shortage Report,Položka Nedostatek Report 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á @@ -2961,6 +2999,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 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 DocType: Material Request,Transferred,prevedená DocType: Vehicle,Doors,dvere @@ -3041,7 +3080,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Zákazníka Kód položky DocType: Stock Reconciliation,Stock Reconciliation,Inventúra zásob DocType: Territory,Territory Name,Území Name DocType: Email Digest,Purchase Orders to Receive,Nákupné príkazy na príjem -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Work-in-Progress sklad je zapotřebí před Odeslat +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Work-in-Progress sklad je zapotřebí před Odeslat apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,V predplatnom môžete mať len Plány s rovnakým účtovacím cyklom DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapované údaje DocType: Purchase Order Item,Warehouse and Reference,Sklad a reference @@ -3117,6 +3156,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Nastavenia doručenia apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Načítať údaje apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Maximálna povolená dovolenka v type dovolenky {0} je {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Zverejniť 1 položku DocType: SMS Center,Create Receiver List,Vytvoriť zoznam príjemcov DocType: Student Applicant,LMS Only,Iba LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Dátum dostupný na použitie by mal byť po dátume nákupu @@ -3150,6 +3190,7 @@ 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 DocType: Vital Signs,Furry,srstnatý apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prosím nastavte "/ STRATY zisk z aktív odstraňovaním" vo firme {0} +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} @@ -3161,6 +3202,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Zobraziť všetky čísla od {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabuľka stretnutí kvality +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/templates/pages/help.html,Visit the forums,Navštívte fóra DocType: Student,Student Mobile Number,Študent Číslo mobilného telefónu DocType: Item,Has Variants,Má varianty @@ -3172,9 +3214,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Názov mesačnéh DocType: Quality Procedure Process,Quality Procedure Process,Proces kvality apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Číslo šarže je povinné apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Číslo šarže je povinné +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Najskôr vyberte zákazníka DocType: Sales Person,Parent Sales Person,Parent obchodník apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,"Žiadne položky, ktoré sa majú dostať, nie sú oneskorené" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Predávajúci a kupujúci nemôžu byť rovnakí +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Zatiaľ žiadne zobrazenia DocType: Project,Collect Progress,Zbierajte postup DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Najprv vyberte program @@ -3196,11 +3240,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Dosažená DocType: Student Admission,Application Form Route,prihláška Trasa apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Dátum ukončenia dohody nemôže byť nižší ako dnes. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter na odoslanie DocType: Healthcare Settings,Patient Encounters in valid days,Stretnutia pacientov v platných dňoch apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Nechať Typ {0} nemôže byť pridelená, pretože sa odísť bez zaplatenia" 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},Row {0}: Přidělená částka {1} musí být menší než nebo se rovná fakturovat dlužné částky {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Ve slovech budou viditelné, jakmile uložíte prodejní faktury." DocType: Lead,Follow Up,Nasleduj +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Nákladové stredisko: {0} neexistuje DocType: Item,Is Sales Item,Je Sales Item apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Strom položkových skupín apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,"Položka {0} není nastavení pro Serial č. Zkontrolujte, zda master položku" @@ -3245,9 +3291,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Dodávané Množstvo DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Materiál Žádost o bod -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Najprv zrušte nákupnú knižku {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Strom skupiny položek. DocType: Production Plan,Total Produced Qty,Celkový vyrobený počet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Zatiaľ žiadne recenzie apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Nelze odkazovat číslo řádku větší nebo rovnou aktuální číslo řádku pro tento typ Charge DocType: Asset,Sold,Predané ,Item-wise Purchase History,Item-moudrý Historie nákupů @@ -3266,7 +3312,7 @@ DocType: Designation,Required Skills,Požadované zručnosti DocType: Inpatient Record,O Positive,O pozitívne apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investice DocType: Issue,Resolution Details,Rozlišení Podrobnosti -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Typ transakcie +DocType: Leave Ledger Entry,Transaction Type,Typ transakcie DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kritéria přijetí apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Prosím, zadajte Žiadosti materiál vo vyššie uvedenej tabuľke" apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Pre položku zápisu nie sú k dispozícii žiadne splátky @@ -3308,6 +3354,7 @@ DocType: Bank Account,Bank Account No,Číslo bankového účtu DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Oslobodenie od dane z oslobodenia od dane zamestnancov DocType: Patient,Surgical History,Chirurgická história DocType: Bank Statement Settings Item,Mapped Header,Zmapovaná hlavička +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: 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í. 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} @@ -3376,7 +3423,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Pridať hlavičkový papi DocType: Program Enrollment,Self-Driving Vehicle,Samohybné vozidlo 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Celkové pridelené listy {0} nemôže byť nižšia ako už schválených listy {1} pre obdobie DocType: Contract Fulfilment Checklist,Requirement,požiadavka DocType: Journal Entry,Accounts Receivable,Pohledávky DocType: Quality Goal,Objectives,ciele @@ -3399,7 +3445,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Jednoduchá transakč DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Táto hodnota sa aktualizuje v Predvolenom zozname cien predaja. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Vaša karta je prázdna DocType: Email Digest,New Expenses,nové výdavky -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Čiastka PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Nie je možné optimalizovať trasu, pretože chýba adresa vodiča." DocType: Shareholder,Shareholder,akcionár DocType: Purchase Invoice,Additional Discount Amount,Dodatočná zľava Suma @@ -3436,6 +3481,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Úloha údržby apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,V nastavení GST nastavte limit B2C. DocType: Marketplace Settings,Marketplace Settings,Nastavenia trhov DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Sklad, kde se udržují zásoby odmítnutých položek" +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Zverejniť {0} položiek 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,Nepodarilo sa nájsť kurz {0} až {1} pre kľúčový dátum {2}. Ručne vytvorte záznam o menovej karte DocType: POS Profile,Price List,Cenník 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." @@ -3472,6 +3518,7 @@ DocType: Salary Component,Deduction,Dedukce DocType: Item,Retain Sample,Zachovať ukážku apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Riadok {0}: From Time a na čas je povinná. DocType: Stock Reconciliation Item,Amount Difference,vyššie Rozdiel +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"Táto stránka sleduje položky, ktoré chcete kúpiť od predajcov." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Položka Cena pridaný pre {0} v Cenníku {1} DocType: Delivery Stop,Order Information,informacie o objednavke apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Prosím, zadajte ID zamestnanca z tohto predaja osoby" @@ -3500,6 +3547,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Názov plánu hodnotenia apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Podrobnosti o cieli apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Uplatniteľné, ak je spoločnosť SpA, SApA alebo SRL" @@ -3552,7 +3600,6 @@ DocType: Company,Transactions Annual History,Výročná história transakcií 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Nad 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 @@ -3606,6 +3653,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Zisk za rok 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 @@ -3660,12 +3708,10 @@ DocType: Supplier Scorecard,Scoring Setup,Nastavenie bodovania apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Pre spoločnosť sa nenašlo číslo GST. 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 DocType: Question,Single Correct Answer,Jedna správna odpoveď -DocType: Employee,Contact Details,Kontaktné údaje DocType: C-Form,Received Date,Dátum prijatia DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ak ste vytvorili štandardné šablónu v predaji daní a poplatkov šablóny, vyberte jednu a kliknite na tlačidlo nižšie." DocType: BOM Scrap Item,Basic Amount (Company Currency),Základná suma (Company mena) @@ -3695,12 +3741,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation DocType: Bank Statement Transaction Payment Item,outstanding_amount,nesplatená suma DocType: Supplier Scorecard,Supplier Score,Skóre dodávateľa apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Plán prijatia +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Celková suma žiadosti o platbu nemôže byť vyššia ako {0} suma DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kumulatívna hranica transakcií DocType: Promotional Scheme Price Discount,Discount Type,Typ zľavy -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Celkové fakturované Amt DocType: Purchase Invoice Item,Is Free Item,Je bezplatná položka +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Percentuálny podiel, ktorý môžete previesť viac oproti objednanému množstvu. Napríklad: Ak ste si objednali 100 kusov. a váš príspevok je 10%, potom môžete previesť 110 jednotiek." DocType: Supplier,Warn RFQs,Upozornenie na RFQ -apps/erpnext/erpnext/templates/pages/home.html,Explore,Prieskumník +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Prieskumník DocType: BOM,Conversion Rate,Konverzný kurz apps/erpnext/erpnext/www/all-products/index.html,Product Search,Hľadať produkt ,Bank Remittance,Bankový prevod @@ -3712,6 +3759,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Celková čiastka bola zaplatená DocType: Asset,Insurance End Date,Dátum ukončenia poistenia apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Vyberte Študentské prijatie, ktoré je povinné pre platených študentov" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Rozpočtový zoznam DocType: Campaign,Campaign Schedules,Harmonogramy kampaní DocType: Job Card Time Log,Completed Qty,Dokončené množstvo @@ -3734,6 +3782,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Nová adr DocType: Quality Inspection,Sample Size,Veľkosť vzorky apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,"Prosím, zadajte prevzatia dokumentu" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Všechny položky již byly fakturovány +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Listy odobraté apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Uveďte prosím platný ""Od věci č '" 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,"Ďalšie nákladové strediská môžu byť vyrobené v rámci skupiny, ale položky môžu byť vykonané proti non-skupín" 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,Celkový počet priradených listov je viac dní ako maximálna alokácia {0} typu dovolenky pre zamestnanca {1} v danom období @@ -3834,6 +3883,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Zahrnúť c 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 DocType: Leave Block List,Allow Users,Povolit uživatele 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: 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í. @@ -3887,6 +3938,7 @@ DocType: Support Search Source,Result Title Field,Pole Názov výsledku apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Zhrnutie hovoru DocType: Sample Collection,Collected Time,Zhromaždený čas DocType: Employee Skill Map,Employee Skills,Zručnosti zamestnancov +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Náklady na palivo DocType: Company,Sales Monthly History,Mesačná história predaja apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,V tabuľke daní a poplatkov nastavte aspoň jeden riadok DocType: Asset Maintenance Task,Next Due Date,Ďalší dátum splatnosti @@ -3896,6 +3948,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Živé zn DocType: Payment Entry,Payment Deductions or Loss,Platobné zrážky alebo strata DocType: Soil Analysis,Soil Analysis Criterias,Kritériá analýzy pôdy apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardní smluvní podmínky pro prodej nebo koupi. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Riadky odstránené o {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Začať registráciu pred začiatkom smeny (v minútach) DocType: BOM Item,Item operation,Funkcia položky apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Seskupit podle Poukazu @@ -3921,11 +3974,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Výplatnej páske zamestnanca {0} už vytvorili pre toto obdobie apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmaceutické apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Na platnú sumu vkladov môžete odoslať len povolenie na zaplatenie +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Položky od apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Náklady na zakúpené položky DocType: Employee Separation,Employee Separation Template,Šablóna oddelenia zamestnancov DocType: Selling Settings,Sales Order Required,Je potrebná predajná objednávka apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Staňte sa predajcom -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Počet udalostí, po ktorých sa vykoná výsledok." ,Procurement Tracker,Sledovanie obstarávania DocType: Purchase Invoice,Credit To,Kredit: apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC obrátené @@ -3938,6 +3991,7 @@ DocType: Quality Meeting,Agenda,program DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Plán údržby Detail DocType: Supplier Scorecard,Warn for new Purchase Orders,Upozornenie na nové nákupné objednávky DocType: Quality Inspection Reading,Reading 9,Čtení 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Pripojte svoj účet Exotel k ERPĎalším a sledujte protokoly hovorov DocType: Supplier,Is Frozen,Je Frozen DocType: Tally Migration,Processed Files,Spracované súbory apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Uzol skupina sklad nie je dovolené vybrať pre transakcie @@ -3947,6 +4001,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Ne pro hotový DocType: Upload Attendance,Attendance To Date,Účast na data 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 @@ -3972,7 +4027,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,žiadateľ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Neplatná referencie {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Pravidlá uplatňovania rôznych propagačných programov. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nemôže byť väčšie, ako plánované množstvo ({2}), vo Výrobnej Objednávke {3}" DocType: Shipping Rule,Shipping Rule Label,Přepravní Pravidlo Label DocType: Journal Entry Account,Payroll Entry,Mzdový účet apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Zobrazenie záznamov poplatkov @@ -3984,6 +4038,7 @@ DocType: Contract,Fulfilment Status,Stav plnenia DocType: Lab Test Sample,Lab Test Sample,Laboratórna vzorka DocType: Item Variant Settings,Allow Rename Attribute Value,Povoliť premenovanie hodnoty atribútu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Rýchly vstup Journal +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Čiastka budúcej platby apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Nemůžete změnit sazbu, kdyby BOM zmínil agianst libovolné položky" DocType: Restaurant,Invoice Series Prefix,Prefix radu faktúr DocType: Employee,Previous Work Experience,Předchozí pracovní zkušenosti @@ -4013,6 +4068,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Stav projektu DocType: UOM,Check this to disallow fractions. (for Nos),"Zkontrolujte, zda to zakázat frakce. (U č)" DocType: Student Admission Program,Naming Series (for Student Applicant),Pomenovanie Series (pre študentské prihlasovateľ) +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}) nebol nájdený pre položku: {2} 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 @@ -4028,6 +4084,7 @@ DocType: Fiscal Year,Year End Date,Dátum konca roka DocType: Task Depends On,Task Depends On,Úloha je závislá na apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Příležitost DocType: Options,Option,voľba +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},V uzavretom účtovnom období nemôžete vytvoriť účtovné záznamy {0} DocType: Operation,Default Workstation,Výchozí Workstation DocType: Payment Entry,Deductions or Loss,Odpočty alebo strata apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} je uzavretý @@ -4036,6 +4093,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Získať aktuálny stav DocType: Purchase Invoice,ineligible,nevhodný apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Strom Bill materiálov +DocType: BOM,Exploded Items,Rozložené položky DocType: Student,Joining Date,spájanie Dátum ,Employees working on a holiday,Zamestnanci pracujúci na dovolenku ,TDS Computation Summary,Zhrnutie výpočtu TDS @@ -4068,6 +4126,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Základná sadzba (pod DocType: SMS Log,No of Requested SMS,Počet žádaným SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Nechať bez nároku na odmenu nesúhlasí so schválenými záznamov nechať aplikáciu apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Ďalšie kroky +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Uložené položky DocType: Travel Request,Domestic,domáci apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Prosím dodávať uvedené položky na najlepšie možné ceny apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Prevod zamestnancov nemožno odoslať pred dátumom prevodu @@ -4141,7 +4200,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Asset Kategórie Account apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Hodnota {0} je už priradená k existujúcej položke {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Riadok # {0} (Platobný stôl): Suma musí byť pozitívna -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Nie je možné vyrobiť viac Položiek {0} ako je množstvo na predajnej objednávke {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Nie je možné vyrobiť viac Položiek {0} ako je množstvo na predajnej objednávke {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Hrubé hodnoty nie sú zahrnuté apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Elektronický účet už pre tento dokument existuje apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Vyberte hodnoty atribútov @@ -4176,12 +4235,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Povoľte iný dôsledok pri predčasnom ukončení ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Žiadosť o zamestnanecké požitky 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ý -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Dodávka Vezměte prosím na vědomí první DocType: Student Applicant,Application Date,aplikácie Dátum DocType: Salary Component,Amount based on formula,Suma podľa vzorca DocType: Purchase Invoice,Currency and Price List,Cenník a mena @@ -4210,6 +4267,7 @@ DocType: Purchase Receipt,Time at which materials were received,"Čas, kdy bylo DocType: Products Settings,Products per Page,Produkty na stránku 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Pridelená suma nemôže byť záporná DocType: Sales Order,Billing Status,Stav fakturácie apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Nahlásiť problém @@ -4219,6 +4277,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90 Nad 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,Riadok # {0}: Journal Entry {1} nemá účet {2} alebo už uzavreté proti inému poukazu DocType: Supplier Scorecard Criteria,Criteria Weight,Hmotnosť kritérií +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Účet: {0} nie je povolený v rámci zadania platby DocType: Production Plan,Ignore Existing Projected Quantity,Ignorujte existujúce predpokladané množstvo apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Zanechajte oznámenie o schválení DocType: Buying Settings,Default Buying Price List,Predvolený nákupný cenník @@ -4227,6 +4286,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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á 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" DocType: Payment Entry,Payment Type,Typ platby apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Vyberte položku Dávka pre položku {0}. Nie je možné nájsť jednu dávku, ktorá spĺňa túto požiadavku" @@ -4256,6 +4316,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Nastavenie Nákupného ko DocType: Journal Entry,Accounting Entries,Účetní záznamy 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." +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: Journal Entry,Paid Loan,Platené pôžičky 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 @@ -4272,12 +4333,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Details apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Žiadne časové rozvrhy DocType: GoCardless Mandate,GoCardless Customer,Zákazník spoločnosti GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Nechajte typ {0} nemožno vykonávať odovzdávané +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Plán údržby není generován pro všechny položky. Prosím, klikněte na ""Generovat Schedule""" ,To Produce,K výrobě DocType: Leave Encashment,Payroll,Mzda 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","Pre riadok {0} v {1}. Ak chcete v rýchlosti položku sú {2}, riadky {3} musí byť tiež zahrnuté" DocType: Healthcare Service Unit,Parent Service Unit,Rodičovská služba DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikace balíčku pro dodávky (pro tisk) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Dohoda o úrovni služieb bola obnovená. DocType: Bin,Reserved Quantity,Vyhrazeno Množství apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Zadajte platnú e-mailovú adresu DocType: Volunteer Skill,Volunteer Skill,Dobrovoľnícka zručnosť @@ -4298,7 +4361,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Cena alebo zľava produktu apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Pre riadok {0}: Zadajte naplánované množstvo DocType: Account,Income Account,Účet příjmů -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Zákazník> Skupina zákazníkov> Územie DocType: Payment Request,Amount in customer's currency,Čiastka v mene zákazníka apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Dodávka apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Priradenie štruktúr ... @@ -4321,6 +4383,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Ztratíte záznamy o predtým vygenerovaných faktúrach. Naozaj chcete tento odber reštartovať? @@ -4376,11 +4439,10 @@ DocType: Additional Salary,HR User,HR User DocType: Bank Guarantee,Reference Document Name,Názov referenčného dokumentu DocType: Purchase Invoice,Taxes and Charges Deducted,Daně a odečtené DocType: Support Settings,Issues,Problémy -DocType: Shift Type,Early Exit Consequence after,Dôsledok predčasného ukončenia po DocType: Loyalty Program,Loyalty Program Name,Názov vernostného programu apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Stav musí být jedním z {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Pripomenutie aktualizácie GSTIN Sent -DocType: Sales Invoice,Debit To,Debetní K +DocType: Discounted Invoice,Debit To,Debetní K DocType: Restaurant Menu Item,Restaurant Menu Item,Položka ponuky Reštaurácia DocType: Delivery Note,Required only for sample item.,Požadováno pouze pro položku vzorku. DocType: Stock Ledger Entry,Actual Qty After Transaction,Skutečné Množství Po transakci @@ -4463,6 +4525,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Názov parametra apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,"Nechajte len aplikácie, ktoré majú status, schválené 'i, Zamietnuté' môžu byť predložené" apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Vytvára sa dimenzia ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Študent Názov skupiny je povinné v rade {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Obísť kreditný limit_check DocType: Homepage,Products to be shown on website homepage,"Produkty, ktoré majú byť uvedené na internetových stránkach domovskej" DocType: HR Settings,Password Policy,Zásady hesla apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,"To je kořen skupiny zákazníků, a nelze upravovat." @@ -4522,10 +4585,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Poku apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Nastavte štandardný zákazník v nastaveniach reštaurácie ,Salary Register,plat Register DocType: Company,Default warehouse for Sales Return,Predvolený sklad pre vrátenie predaja -DocType: Warehouse,Parent Warehouse,Parent Warehouse +DocType: Pick List,Parent Warehouse,Parent Warehouse DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definovať rôzne typy úverov DocType: Bin,FCFS Rate,FCFS Rate @@ -4562,6 +4625,7 @@ DocType: Travel Itinerary,Lodging Required,Požadované ubytovanie DocType: Promotional Scheme,Price Discount Slabs,Cenové zľavy DocType: Stock Reconciliation Item,Current Serial No,Aktuálne poradové číslo DocType: Employee,Attendance and Leave Details,Účasť a podrobnosti o dovolenke +,BOM Comparison Tool,Nástroj na porovnávanie kusovníkov ,Requested,Požadované apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Žiadne poznámky DocType: Asset,In Maintenance,V údržbe @@ -4584,6 +4648,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Predvolená dohoda o úrovni služieb DocType: SG Creation Tool Course,Course Code,kód predmetu apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Nie je povolený viac ako jeden výber pre {0} +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,O množstve surovín sa rozhodne na základe množstva hotového tovaru DocType: Location,Parent Location,Umiestnenie rodičov DocType: POS Settings,Use POS in Offline Mode,Používajte POS v režime offline apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Priorita sa zmenila na {0}. @@ -4602,7 +4667,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Sklad pre uchovávanie vzorie DocType: Company,Default Receivable Account,Výchozí pohledávek účtu apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Vzorec predpokladaného množstva DocType: Sales Invoice,Deemed Export,Považovaný export -DocType: Stock Entry,Material Transfer for Manufacture,Materiál Přenos: Výroba +DocType: Pick List,Material Transfer for Manufacture,Materiál Přenos: Výroba 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.,Sleva v procentech lze použít buď proti Ceníku nebo pro všechny Ceníku. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Účetní položka na skladě DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4645,7 +4710,6 @@ DocType: Training Event,Theory,teória apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Upozornění: Materiál Požadované množství je menší než minimální objednávka Množství apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Účet {0} je zmrazen DocType: Quiz Question,Quiz Question,Kvízová otázka -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa 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" @@ -4676,6 +4740,7 @@ DocType: Antibiotic,Healthcare Administrator,Administrátor zdravotnej starostli 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 DocType: Account,Expense Account,Účtet nákladů apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Software apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Farba @@ -4714,6 +4779,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Správa prodejníc 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é DocType: Fee Validity,Visited yet,Navštívené +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Môžete obsahovať až 8 položiek. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Sklady s existujúcimi transakcie nemožno previesť na skupinu. 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í. @@ -4721,7 +4787,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4746,7 +4811,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Konverzia v ho DocType: Contract,Signee Details,Signee Details apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} v súčasnosti má {1} hodnotiacu kartu pre dodávateľa, a RFQ pre tohto dodávateľa by mali byť vydané opatrne." DocType: Certified Consultant,Non Profit Manager,Neziskový manažér -DocType: BOM,Total Cost(Company Currency),Celkové náklady (Company mena) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Pořadové číslo {0} vytvořil DocType: Homepage,Company Description for website homepage,Spoločnosť Popis pre webové stránky domovskú stránku DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Pro pohodlí zákazníků, tyto kódy mohou být použity v tiskových formátech, jako na fakturách a dodacích listech" @@ -4775,7 +4839,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Doklad o DocType: Amazon MWS Settings,Enable Scheduled Synch,Povoliť naplánovanú synchronizáciu apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Chcete-li datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Protokoly pre udržanie stavu doručenia sms -DocType: Shift Type,Early Exit Consequence,Dôsledok predčasného ukončenia DocType: Accounts Settings,Make Payment via Journal Entry,Vykonať platbu cez Journal Entry apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Nevytvárajte naraz viac ako 500 položiek apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Vytlačené na @@ -4832,6 +4895,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,limit skrížen 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Dátum založenia apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akademický termín s týmto "akademický rok '{0} a" Meno Termín' {1} už existuje. Upravte tieto položky a skúste to znova. @@ -4894,6 +4958,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Typ zákazníka DocType: Compensatory Leave Request,Leave Allocation,Nechte Allocation DocType: Payment Request,Recipient Message And Payment Details,Príjemca správy a platobných informácií +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Vyberte dodací list DocType: Support Search Source,Source DocType,Zdroj DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Otvorte novú letenku DocType: Training Event,Trainer Email,tréner Email @@ -5016,6 +5081,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""Dátum DO"" musí byť po ""Dátum OD""" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Žiadne personálne plány neboli nájdené pre toto označenie apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Dávka {0} položky {1} je vypnutá. @@ -5037,7 +5103,7 @@ DocType: Clinical Procedure,Patient,trpezlivý apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Zablokovanie kreditnej kontroly na objednávke DocType: Employee Onboarding Activity,Employee Onboarding Activity,Činnosť zamestnancov na palube DocType: Location,Check if it is a hydroponic unit,"Skontrolujte, či ide o hydroponickú jednotku" -DocType: Stock Reconciliation Item,Serial No and Batch,Sériové číslo a Dávka +DocType: Pick List Item,Serial No and Batch,Sériové číslo a Dávka DocType: Warranty Claim,From Company,Od Společnosti DocType: GSTR 3B Report,January,január apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Súčet skóre hodnotiacich kritérií musí byť {0}. @@ -5062,7 +5128,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Zľava ( 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nie je {0} zistené pre transakcie medzi spoločnosťami. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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 @@ -5095,11 +5160,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Nákladové 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,zostávajúce DocType: Appraisal,Appraisal,Ocenění DocType: Loan,Loan Account,Úverový účet apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Pre kumulatívne sú povinné a platné až polia +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",Pre položku {0} v riadku {1} sa počet sériových čísel nezhoduje s vybraným množstvom DocType: Purchase Invoice,GST Details,Podrobnosti GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Toto je založené na transakciách s týmto zdravotníckym lekárom. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-mail zaslaný na dodávateľa {0} @@ -5163,6 +5230,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Celková hmotnost balení. Obvykle se čistá hmotnost + obalového materiálu hmotnosti. (Pro tisk) DocType: Assessment Plan,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Uživatelé s touto rolí se mohou nastavit na zmrazené účty a vytvořit / upravit účetní zápisy proti zmrazených účtů +DocType: Plaid Settings,Plaid Environment,Plaid Environment ,Project Billing Summary,Súhrn fakturácie projektu DocType: Vital Signs,Cuts,rezy DocType: Serial No,Is Cancelled,Je zrušené @@ -5225,7 +5293,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Poznámka: Systém nebude kontrolovať nad-dodávku a nad-rezerváciu pre Položku {0} , keďže množstvo alebo čiastka je 0" DocType: Issue,Opening Date,Otvárací dátum apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Najprv si pacienta uložte -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Vytvorte nový kontakt apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Účasť bola úspešne označená. DocType: Program Enrollment,Public Transport,Verejná doprava DocType: Sales Invoice,GST Vehicle Type,Typ vozidla GST @@ -5252,6 +5319,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Faktúry od 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Najskôr pridajte položky do tabuľky Umiestnenia položiek DocType: Pricing Rule,Discount Amount,Čiastka zľavy DocType: Pricing Rule,Period Settings,Nastavenie obdobia DocType: Purchase Invoice,Return Against Purchase Invoice,Návrat proti nákupnej faktúry @@ -5284,7 +5352,6 @@ DocType: Assessment Plan,Assessment Plan,Plan Assessment DocType: Travel Request,Fully Sponsored,Plne sponzorované apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Zadanie reverzného denníka apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Vytvorte kartu práce -DocType: Shift Type,Consequence after,Dôsledok po DocType: Quality Procedure Process,Process Description,Popis procesu apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Zákazník {0} je vytvorený. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Momentálne niesu k dispozícii položky v žiadnom sklade @@ -5319,6 +5386,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Výprodej Datum DocType: Delivery Settings,Dispatch Notification Template,Šablóna oznámenia odoslania apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Hodnotiaca správa apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Získajte zamestnancov +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 @@ -5412,7 +5480,6 @@ DocType: Stock Settings,Use Naming Series,Použiť pomenovacie série apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Žiadna akcia apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Poplatky typu ocenenie môže nie je označený ako Inclusive DocType: POS Profile,Update Stock,Aktualizace skladem -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Různé UOM položky povede k nesprávné (celkem) Čistá hmotnost hodnoty. Ujistěte se, že čistá hmotnost každé položky je ve stejném nerozpuštěných." DocType: Certification Application,Payment Details,Platobné údaje apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate @@ -5448,7 +5515,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,To je kořen prodejní člověk a nelze upravovat. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ak je vybratá, hodnota špecifikovaná alebo vypočítaná v tejto zložke neprispieva k výnosom alebo odpočtom. Avšak, jeho hodnota môže byť odkazovaná na iné komponenty, ktoré môžu byť pridané alebo odpočítané." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ak je vybratá, hodnota špecifikovaná alebo vypočítaná v tejto zložke neprispieva k výnosom alebo odpočtom. Avšak, jeho hodnota môže byť odkazovaná na iné komponenty, ktoré môžu byť pridané alebo odpočítané." -DocType: Asset Settings,Number of Days in Fiscal Year,Počet dní vo fiškálnom roku ,Stock Ledger,Súpis zásob DocType: Company,Exchange Gain / Loss Account,Exchange Zisk / straty DocType: Amazon MWS Settings,MWS Credentials,Poverenia MWS @@ -5484,6 +5550,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Stĺpec v bankovom súbore apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Ponechať aplikáciu {0} už existuje proti študentovi {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Naliehavá aktualizácia najnovšej ceny vo všetkých účtovných dokladoch. Môže to trvať niekoľko minút. +DocType: Pick List,Get Item Locations,Získajte informácie o položkách apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Názov nového účtu. Poznámka: Prosím, vytvárať účty pre zákazníkov a dodávateľmi" DocType: POS Profile,Display Items In Stock,Zobraziť položky na sklade apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Země moudrý výchozí adresa Templates @@ -5507,6 +5574,7 @@ DocType: Crop,Materials Required,Potrebné materiály apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Žiadni študenti Nájdené DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Mesačná výnimka pre HRA DocType: Clinical Procedure,Medical Department,Lekárske oddelenie +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Celkový počet predčasných odchodov DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Hodnotiace kritériá pre dodávateľa Scorecard apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Faktúra Dátum zverejnenia apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Predať @@ -5518,11 +5586,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ak chcete tento dokument zrušiť, odstráňte zamestnanca {0} \" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Out of AMC DocType: Opportunity,Opportunity Amount,Príležitostná suma +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Tvoj profil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Počet Odpisy rezervované nemôže byť väčšia ako celkový počet Odpisy DocType: Purchase Order,Order Confirmation Date,Dátum potvrdenia objednávky DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5616,7 +5683,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Existujú nezrovnalosti medzi sadzbou, počtom akcií a vypočítanou sumou" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Nie ste prítomní celý deň (dni) medzi náhradnými dovolenkovými dňami apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Prosím re-typ názov spoločnosti na potvrdenie -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Celkem Vynikající Amt DocType: Journal Entry,Printing Settings,Nastavenie tlače DocType: Payment Order,Payment Order Type,Typ platobného príkazu DocType: Employee Advance,Advance Account,Advance účet @@ -5706,7 +5772,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Meno roku apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Existují další svátky než pracovních dnů tento měsíc. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Nasledujúce položky {0} nie sú označené ako položka {1}. Môžete ich povoliť ako {1} položku z jeho položky Master -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Položka produktového balíčka DocType: Sales Partner,Sales Partner Name,Meno predajného partnera apps/erpnext/erpnext/hooks.py,Request for Quotations,Žiadosť o citátov @@ -5715,7 +5780,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,listy +DocType: Leave Ledger Entry,Leaves,listy DocType: Student Language,Student Language,študent Language DocType: Cash Flow Mapping,Is Working Capital,Je pracovný kapitál apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Odoslať dôkaz @@ -5723,12 +5788,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Objednávka / kvóta% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Zaznamenajte vitálne hodnoty pacienta DocType: Fee Schedule,Institution,inštitúcie -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}) nebol nájdený pre položku: {2} DocType: Asset,Partially Depreciated,čiastočne odpíše DocType: Issue,Opening Time,Otevírací doba apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Data OD a DO jsou vyžadována apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Cenné papíry a komoditních burzách -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Zhrnutie hovoru do {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Vyhľadávanie dokumentov apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Východzí merná jednotka varianty '{0}' musí byť rovnaký ako v Template '{1}' DocType: Shipping Rule,Calculate Based On,Vypočítať na základe @@ -5775,6 +5838,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maximálna prípustná hodnota 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 DocType: Lab Test Template,Sensitivity,citlivosť DocType: Plaid Settings,Plaid Settings,Plaid Settings apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Synchronizácia bola dočasne zakázaná, pretože boli prekročené maximálne počet opakovaní" @@ -5792,6 +5856,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Prosím, vyberte najprv Dátum zverejnenia" apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Dátum začatia by mala byť pred uzávierky DocType: Travel Itinerary,Flight,Let +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Späť domov DocType: Leave Control Panel,Carry Forward,Preniesť apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Nákladové středisko se stávajícími transakcemi nelze převést na hlavní účetní knihy DocType: Budget,Applicable on booking actual expenses,Platí pri rezervácii skutočných výdavkov @@ -5848,6 +5913,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Vytvoriť Ponuku apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Nie ste oprávnení schvaľovať lístie na bloku Termíny apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Žiadosť o {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Všechny tyto položky již byly fakturovány +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Za {0} {1} sa nenašli žiadne nevyrovnané faktúry, ktoré by spĺňali zadané filtre." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Nastavte nový dátum vydania DocType: Company,Monthly Sales Target,Mesačný cieľ predaja apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nenašli sa žiadne neuhradené faktúry @@ -5895,6 +5961,7 @@ DocType: Batch,Source Document Name,Názov zdrojového dokumentu DocType: Batch,Source Document Name,Názov zdrojového dokumentu DocType: Production Plan,Get Raw Materials For Production,Získajte suroviny pre výrobu DocType: Job Opening,Job Title,Názov pozície +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Budúca platba Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} znamená, že {1} neposkytne ponuku, ale boli citované všetky položky \. Aktualizácia stavu ponuky RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximálne vzorky - {0} už boli zadržané pre dávku {1} a položku {2} v dávke {3}. @@ -5905,12 +5972,10 @@ apps/erpnext/erpnext/utilities/activation.py,Create Users,Vytvoriť používate 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: Company,Product Code,Kód produktu DocType: Quality Review Table,Objective,objektívny DocType: Supplier Scorecard,Per Month,Za mesiac DocType: Education Settings,Make Academic Term Mandatory,Akademický termín je povinný -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,"Množstvo, ktoré má výroba musí byť väčšia ako 0 ° C." -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Vypočítajte pomerné odpisové rozvrhy na základe fiškálneho roka +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,"Množstvo, ktoré má výroba musí byť väčšia ako 0 ° C." apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Navštivte zprávu pro volání údržby. DocType: Stock Entry,Update Rate and Availability,Obnovovaciu rýchlosť a dostupnosť 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.,"Percento, ktoré máte možnosť prijať alebo dodať naviac oproti objednanému množstvu. Napríklad: Keď ste si objednali 100 kusov a váša tolerancia je 10%, tak máte možnosť prijať 110 kusov." @@ -5922,7 +5987,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Dátum vydania musí byť v budúcnosti DocType: BOM,Website Description,Popis webu apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Čistá zmena vo vlastnom imaní -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Zrušte faktúre {0} prvý apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Nepovolené. Zakážte typ servisnej jednotky apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-mailová adresa musí byť jedinečná, už existuje pre {0}" DocType: Serial No,AMC Expiry Date,AMC Datum vypršení platnosti @@ -5965,6 +6029,7 @@ DocType: Pricing Rule,Price Discount Scheme,Schéma zníženia ceny apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Stav údržby musí byť zrušený alebo dokončený na odoslanie DocType: Amazon MWS Settings,US,US DocType: Holiday List,Add Weekly Holidays,Pridajte týždenné sviatky +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Položka správy DocType: Staffing Plan Detail,Vacancies,voľné miesta DocType: Hotel Room,Hotel Room,Hotelová izba apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Účet {0} nie je patria spoločnosti {1} @@ -6016,12 +6081,15 @@ DocType: Email Digest,Open Quotations,Otvorené citácie 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ak chcete tento dokument zrušiť, odstráňte zamestnanca {0} \" 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 @@ -6035,6 +6103,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,prázdny DocType: Patient,Alcohol Past Use,Použitie alkoholu v minulosti DocType: Fertilizer Content,Fertilizer Content,Obsah hnojiva +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,žiadny popis apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Fakturačný štát DocType: Quality Goal,Monitoring Frequency,Frekvencia monitorovania @@ -6052,6 +6121,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Koniec dátumu nemôže byť pred dátumom nasledujúceho kontaktu. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Dávky šarže DocType: Journal Entry,Pay To / Recd From,Platit K / Recd Z +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Zverejniť položku DocType: Naming Series,Setup Series,Řada Setup DocType: Payment Reconciliation,To Invoice Date,Ak chcete dátumu vystavenia faktúry DocType: Bank Account,Contact HTML,Kontakt HTML @@ -6073,6 +6143,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Maloobchod DocType: Student Attendance,Absent,Nepřítomný DocType: Staffing Plan,Staffing Plan Detail,Podrobný plán personálneho plánu DocType: Employee Promotion,Promotion Date,Dátum propagácie +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Pridelenie dovolenky% s je spojené s aplikáciou dovolenky% s 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} @@ -6107,9 +6178,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Faktúra {0} už neexistuje DocType: Guardian Interest,Guardian Interest,Guardian Záujem DocType: Volunteer,Availability,Dostupnosť +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Aplikácia na opustenie je spojená s pridelením dovolenky {0}. Žiadosť o odchod nie je možné nastaviť ako dovolenku bez platenia apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Nastavte predvolené hodnoty POS faktúr DocType: Employee Training,Training,výcvik DocType: Project,Time to send,Čas odoslania +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Táto stránka sleduje vaše položky, o ktoré kupujúci prejavili určitý záujem." DocType: Timesheet,Employee Detail,Detail zamestnanca apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Nastaviť sklad pre 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 @@ -6209,12 +6282,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,otvorenie Value DocType: Salary Component,Formula,vzorec apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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: 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/setup/doctype/company/company.py,Sales Account,Predajný účet DocType: Purchase Invoice Item,Total Weight,Celková váha +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}" @@ -6238,6 +6311,7 @@ DocType: Company,Default Employee Advance Account,Predvolený účet predvolené apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Vyhľadávacia položka (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Účet s existujúcimi transakciami nemôže byť zmazaný +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,"Prečo si myslíte, že by sa táto položka mala odstrániť?" DocType: Vehicle,Last Carbon Check,Posledné Carbon Check apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Výdavky na právne služby apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Vyberte prosím množstvo na riadku @@ -6257,6 +6331,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Rozbor DocType: Travel Itinerary,Vegetarian,vegetarián DocType: Patient Encounter,Encounter Date,Dátum stretnutia +DocType: Work Order,Update Consumed Material Cost In Project,Aktualizácia spotrebovaných materiálových nákladov v projekte apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Účet: {0} s menou: {1} nemožno vybrať DocType: Bank Statement Transaction Settings Item,Bank Data,Bankové údaje DocType: Purchase Receipt Item,Sample Quantity,Množstvo vzoriek @@ -6311,7 +6386,7 @@ DocType: GSTR 3B Report,April,apríl 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Poznámka: Položka {0} vstoupil vícekrát +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Poznámka: Položka {0} vstoupil vícekrát apps/erpnext/erpnext/config/buying.py,All Contacts.,Všechny kontakty. DocType: Accounting Period,Closed Documents,Uzavreté dokumenty 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 @@ -6393,9 +6468,7 @@ DocType: Member,Membership Type,Typ členstva ,Reqd By Date,Pr p Podľa dátumu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Veritelia DocType: Assessment Plan,Assessment Name,Názov Assessment -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Zobraziť PDC v tlači apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Riadok # {0}: Výrobné číslo je povinné -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Za {0} {1} sa nenašli žiadne nezaplatené faktúry. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Položka Wise Tax Detail DocType: Employee Onboarding,Job Offer,Ponuka práce apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,inštitút Skratka @@ -6455,6 +6528,7 @@ DocType: Serial No,Out of Warranty,Out of záruky DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mapovaný typ údajov DocType: BOM Update Tool,Replace,Vyměnit apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Nenašli sa žiadne produkty. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Zverejniť viac položiek apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Táto dohoda o úrovni služieb je špecifická pre zákazníka {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} proti Predajnej Faktúre {1} DocType: Antibiotic,Laboratory User,Laboratórny používateľ @@ -6477,7 +6551,6 @@ DocType: Payment Order Reference,Bank Account Details,Podrobnosti o bankovom ú DocType: Purchase Order Item,Blanket Order,Objednávka prikrývky 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Výrobná zákazka bola {0} DocType: BOM Item,BOM No,BOM No 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 @@ -6551,6 +6624,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Dodávky podliehajúce zdaneniu (hodnotené nulovou hodnotou) DocType: BOM,Materials Required (Exploded),Potřebný materiál (Rozložený) 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/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 @@ -6608,7 +6682,6 @@ DocType: Pricing Rule,Same Item,Rovnaká položka DocType: Stock Ledger Entry,Stock Ledger Entry,Zápis do súpisu zásob DocType: Quality Action Resolution,Quality Action Resolution,Kvalitné akčné rozlíšenie apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} na poldňovú dovolenku na {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Rovnaký bod bol zadaný viackrát DocType: Department,Leave Block List,Nechte Block List DocType: Purchase Invoice,Tax ID,DIČ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Položka {0} není nastavení pro Serial č. Sloupec musí být prázdný @@ -6646,7 +6719,7 @@ DocType: Cheque Print Template,Distance from top edge,Vzdialenosť od horného o 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 DocType: Purchase Invoice,Return,Spiatočná -DocType: Accounting Dimension,Disable,Vypnúť +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 DocType: Task,Pending Review,Čeká Review apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Upravte celú stránku pre ďalšie možnosti, ako sú aktíva, sériové nosiče, dávky atď." @@ -6760,7 +6833,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Kombinovaná časť faktúry sa musí rovnať 100% DocType: Item Default,Default Expense Account,Výchozí výdajového účtu DocType: GST Account,CGST Account,CGST účet -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Študent ID e-mailu DocType: Employee,Notice (days),Oznámenie (dni) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Faktúry POS uzatváracieho dokladu @@ -6771,6 +6843,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Vyberte položky, ktoré chcete uložiť faktúru" DocType: Employee,Encashment Date,Inkaso Datum DocType: Training Event,Internet,internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Informácie o predajcovi DocType: Special Test Template,Special Test Template,Špeciálna šablóna testu DocType: Account,Stock Adjustment,Úprava skladových zásob apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Existuje Náklady Predvolené aktivity pre Typ aktivity - {0} @@ -6783,7 +6856,6 @@ 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 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 -DocType: Company,Bank Remittance Settings,Nastavenia bankových prevodov apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Priemerná hodnota 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 @@ -6811,6 +6883,7 @@ DocType: Grading Scale Interval,Threshold,Prah apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtrovať zamestnancov podľa (voliteľné) DocType: BOM Update Tool,Current BOM,Aktuální BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Zostatok (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Množstvo dokončeného tovaru apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Přidat Sériové číslo DocType: Work Order Item,Available Qty at Source Warehouse,Dostupné množstvo v zdrojovom sklade apps/erpnext/erpnext/config/support.py,Warranty,záruka @@ -6889,7 +6962,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Zde si můžete udržet výšku, váhu, alergie, zdravotní problémy atd" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Vytváranie účtov ... DocType: Leave Block List,Applies to Company,Platí pre firmu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nie je možné zrušiť, pretože existuje potvrdený zápis zásoby {0}" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nie je možné zrušiť, pretože existuje potvrdený zápis zásoby {0}" DocType: Loan,Disbursement Date,vyplatenie Date DocType: Service Level Agreement,Agreement Details,Podrobnosti dohody apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Dátum začatia dohody nemôže byť väčší alebo rovný dátumu ukončenia. @@ -6898,6 +6971,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Zdravotný záznam DocType: Vehicle,Vehicle,vozidlo DocType: Purchase Invoice,In Words,Slovy +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,K dnešnému dňu musí byť pred dátumom apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Pred odoslaním zadajte názov banky alebo inštitúcie poskytujúcej pôžičku. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} musí byť odoslaná DocType: POS Profile,Item Groups,Skupiny položiek @@ -6970,7 +7044,6 @@ DocType: Customer,Sales Team Details,Podrobnosti prodejní tým apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Zmazať trvalo? DocType: Expense Claim,Total Claimed Amount,Celkem žalované částky apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potenciální příležitosti pro prodej. -DocType: Plaid Settings,Link a new bank account,Prepojte nový bankový účet apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} je neplatný stav účasti. DocType: Shareholder,Folio no.,Folio č. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Neplatný {0} @@ -6986,7 +7059,6 @@ DocType: Production Plan,Material Requested,Požadovaný materiál DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Vyhradené množstvo pre subkontrakt DocType: Patient Service Unit,Patinet Service Unit,Servisná jednotka Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Vygenerujte textový súbor DocType: Sales Invoice,Base Change Amount (Company Currency),Základňa Zmena Suma (Company mena) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Žádné účetní záznamy pro následující sklady apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Iba {0} na sklade pre položku {1} @@ -7000,6 +7072,7 @@ DocType: Item,No of Months,Počet mesiacov DocType: Item,Max Discount (%),Max zľava (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Kreditné dni nemôžu byť záporné číslo apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Nahrajte vyhlásenie +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Nahláste túto položku DocType: Purchase Invoice Item,Service Stop Date,Dátum ukončenia servisu apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Suma poslednej objednávky DocType: Cash Flow Mapper,e.g Adjustments for:,napr. Úpravy pre: @@ -7093,16 +7166,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Kategória oslobodenia od dane z príjmov zamestnancov apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Suma by nemala byť nižšia ako nula. DocType: Sales Invoice,C-Form Applicable,C-Form Použitelné -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Prevádzková doba musí byť väčšia ako 0 pre prevádzku {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Prevádzková doba musí byť väčšia ako 0 pre prevádzku {0} DocType: Support Search Source,Post Route String,Pridať reťazec trasy apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Sklad je povinné apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Nepodarilo sa vytvoriť webové stránky DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Detail konverzie MJ apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Prijatie a zápis -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Už vytvorený záznam o zadržaní alebo množstvo neposkytnuté +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Už vytvorený záznam o zadržaní alebo množstvo neposkytnuté DocType: Program,Program Abbreviation,program Skratka -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Výrobná zákazka nemôže byť vznesená proti šablóny položky apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Zoskupiť podľa poukážky (konsolidované) DocType: HR Settings,Encrypt Salary Slips in Emails,Zašifrujte výplatné pásky v e-mailoch DocType: Question,Multiple Correct Answer,Viacnásobná správna odpoveď @@ -7149,7 +7221,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Nie je hodnotené alebo DocType: Employee,Educational Qualification,Vzdělávací Kvalifikace DocType: Workstation,Operating Costs,Provozní náklady apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Mena pre {0} musí byť {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Dôsledok vstupnej milosti DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Označte účasť na základe kontroly zamestnancov pre zamestnancov priradených k tejto zmene. DocType: Asset,Disposal Date,Likvidácia Dátum DocType: Service Level,Response and Resoution Time,Čas odozvy a resoúcie @@ -7198,6 +7269,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Dokončení Datum DocType: Purchase Invoice Item,Amount (Company Currency),Částka (Měna Společnosti) DocType: Program,Is Featured,Je odporúčané +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Načítanie ... DocType: Agriculture Analysis Criteria,Agriculture User,Poľnohospodársky užívateľ apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Platné do dátumu nemôže byť pred dátumom transakcie apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} jednotiek {1} potrebná {2} o {3} {4} na {5} pre dokončenie tejto transakcie. @@ -7230,7 +7302,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Celkem uhrazeno Amt 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 @@ -7254,6 +7325,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,anonymný apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Prijaté Od 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: 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} @@ -7368,7 +7440,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synchronizácia daní a pop 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Predvolené BOM pre {0} nebol nájdený +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Poklepte na položky a pridajte ich sem @@ -7404,7 +7476,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Datum údržby DocType: Purchase Invoice Item,Rejected Serial No,Zamítnuto Serial No apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Rok dátum začatia alebo ukončenia sa prekrýva s {0}. Aby sa zabránilo nastavte firmu -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 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Označte vedúci názov vo vedúcej {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Datum zahájení by měla být menší než konečné datum pro bod {0} DocType: Shift Type,Auto Attendance Settings,Nastavenia automatickej dochádzky @@ -7415,9 +7486,11 @@ DocType: Upload Attendance,Upload Attendance,Nahráť Dochádzku apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM a Výrobné množstvo sú povinné apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Stárnutí rozsah 2 DocType: SG Creation Tool Course,Max Strength,Max Sila +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Účet {0} už existuje v dcérskej spoločnosti {1}. Nasledujúce polia majú rôzne hodnoty, mali by byť rovnaké:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Inštalácia predvolieb DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Pre zákazníka nie je vybratá žiadna dodacia poznámka {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Riadky pridané v {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Zamestnanec {0} nemá maximálnu výšku dávok apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Vyberte položku podľa dátumu doručenia DocType: Grant Application,Has any past Grant Record,Má nejaký predchádzajúci grantový záznam @@ -7463,6 +7536,7 @@ DocType: Fees,Student Details,Podrobnosti študenta DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Toto je predvolené UOM použité pre položky a predajné objednávky. Záložná UOM je „Nos“. DocType: Purchase Invoice Item,Stock Qty,Množstvo zásob DocType: Purchase Invoice Item,Stock Qty,Množstvo zásob +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 DocType: Loan,Repayment Period in Months,Doba splácania v mesiacoch @@ -7491,6 +7565,7 @@ DocType: Authorization Rule,Customerwise Discount,Sleva podle zákazníka apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Časového rozvrhu pre úlohy. DocType: Purchase Invoice,Against Expense Account,Proti výdajového účtu apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Poznámka k instalaci {0} již byla odeslána +DocType: BOM,Raw Material Cost (Company Currency),Náklady na suroviny (mena spoločnosti) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Nájomné za platené dni sa prekrýva s {0} DocType: GSTR 3B Report,October,október DocType: Bank Reconciliation,Get Payment Entries,Získať Platobné položky @@ -7538,15 +7613,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Je potrebný dátum použiteľného na použitie DocType: Request for Quotation,Supplier Detail,Detail dodávateľa apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Chyba vo vzorci alebo stave: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Fakturovaná čiastka +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Fakturovaná čiastka apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kritériové váhy musia pripočítať až 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Účast apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Položky zásob DocType: Sales Invoice,Update Billed Amount in Sales Order,Aktualizovať faktúrovanú čiastku v objednávke predaja +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Kontaktovať predajcu 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Ve slovech budou viditelné, jakmile uložíte objednávce." @@ -7560,6 +7637,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Ceník master. DocType: Task,Review Date,Review Datum DocType: BOM,Allow Alternative Item,Povoliť alternatívnu položku +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Potvrdenie o kúpe nemá žiadnu položku, pre ktorú je povolená vzorka ponechania." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Celková faktúra DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Séria pre odpisy majetku (záznam v účte) DocType: Membership,Member Since,Členom od @@ -7569,6 +7647,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,On Net Celkem 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},Hodnota atribútu {0} musí byť v rozmedzí od {1} až {2} v krokoch po {3} pre item {4} DocType: Pricing Rule,Product Discount Scheme,Schéma zľavy na výrobok +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Volajúci nenastolil žiadny problém. DocType: Restaurant Reservation,Waitlisted,poradovníka DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategória výnimky apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Mena nemôže byť zmenený po vykonaní položky pomocou inej mene @@ -7582,7 +7661,6 @@ DocType: Customer Group,Parent Customer Group,Parent Customer Group apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,E-Way Bill JSON môže byť generovaný iba z predajnej faktúry apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Dosiahli ste maximálny počet pokusov o tento test! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,predplatné -DocType: Purchase Invoice,Contact Email,Kontaktný e-mail apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Tvorba poplatkov čaká DocType: Project Template Task,Duration (Days),Trvanie (dni) DocType: Appraisal Goal,Score Earned,Skóre Zasloužené @@ -7608,7 +7686,6 @@ DocType: Landed Cost Item,Landed Cost Item,Přistálo nákladovou položkou 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Čiastka pre jednu transakciu presahuje maximálnu povolenú sumu, vytvorením samostatného platobného príkazu rozdelením transakcií" 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 @@ -7778,6 +7855,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,K dis DocType: Quality Inspection Reading,Reading 3,Čtení 3 DocType: Stock Entry,Source Warehouse Address,Adresa zdrojového skladu DocType: GL Entry,Voucher Type,Voucher Type +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Budúce platby 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 @@ -7804,6 +7882,7 @@ DocType: Travel Request,Identification Document Number,Identifikačné číslo d 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é." DocType: Sales Invoice,Customer GSTIN,Zákazník GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Zoznam chorôb zistených v teréne. Po výbere bude automaticky pridaný zoznam úloh, ktoré sa budú týkať tejto choroby" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,Kus 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Jedná sa o koreňovú službu zdravotnej starostlivosti a nemožno ju upraviť. DocType: Asset Repair,Repair Status,Stav opravy 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." @@ -7818,6 +7897,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Účet pre zmenu Suma DocType: QuickBooks Migrator,Connecting to QuickBooks,Pripojenie k aplikácii QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Celkový zisk / strata +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Vytvoriť zoznam apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Riadok {0}: Party / Account nezhoduje s {1} / {2} do {3} {4} DocType: Employee Promotion,Employee Promotion,Podpora zamestnancov DocType: Maintenance Team Member,Maintenance Team Member,Člen tímu údržby @@ -7900,6 +7980,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Netto plat nemôže byť záporný @@ -7931,7 +8012,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Cieľ kvality DocType: BOM,Item to be manufactured or repacked,Položka být vyráběn nebo znovu zabalena apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Chyba syntaxe v stave: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Zákazník nepredložil žiadny problém. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Hlavní / Volitelné předměty apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Nastavte skupinu dodávateľov v nastaveniach nákupu. @@ -8024,8 +8104,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Úverové dni apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,"Ak chcete získať laboratórne testy, vyberte položku Pacient" DocType: Exotel Settings,Exotel Settings,Nastavenia exotelu -DocType: Leave Type,Is Carry Forward,Je převádět +DocType: Leave Ledger Entry,Is Carry Forward,Je převádět DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Pracovná doba, pod ktorou je označená neprítomnosť. (Nulovanie na deaktiváciu)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Poslať správu apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Získat předměty z BOM 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 diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv index 4b71fe0f5f..8a2ee502ff 100644 --- a/erpnext/translations/sl.csv +++ b/erpnext/translations/sl.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Obvesti dobavitelja apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Izberite Party Vrsta najprej DocType: Item,Customer Items,Artikli stranke +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Obveznosti DocType: Project,Costing and Billing,Obračunavanje stroškov in plačevanja apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Predplačilna valuta mora biti enaka valuti podjetja {0} DocType: QuickBooks Migrator,Token Endpoint,Končna točka žetona @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Privzeto mersko enoto DocType: SMS Center,All Sales Partner Contact,Vse Sales Partner Kontakt DocType: Department,Leave Approvers,Pustite Approvers DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Elementi iskanja ... DocType: Patient Encounter,Investigations,Preiskave DocType: Restaurant Order Entry,Click Enter To Add,Kliknite Enter za dodajanje apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Manjka vrednost za geslo, ključ API ali URL prodajanja" DocType: Employee,Rented,Najemu apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Vsi računi apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Uslužbenca ni mogoče prenesti s statusom Levo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Ustavljen Proizvodnja naročite ni mogoče preklicati, ga najprej Odčepiti preklicati" DocType: Vehicle Service,Mileage,Kilometrina apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,"Ali res želite, da ostanki ta sredstva?" DocType: Drug Prescription,Update Schedule,Posodobi urnik @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Stranka DocType: Purchase Receipt Item,Required By,Zahtevani Z DocType: Delivery Note,Return Against Delivery Note,Vrni Proti dobavnica DocType: Asset Category,Finance Book Detail,Finance Book Detail +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Vse amortizacije so bile knjižene DocType: Purchase Order,% Billed,% zaračunano apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Številka plače apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Menjalni tečaj mora biti enaka kot {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Serija Točka preteka Status apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bank Osnutek DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Skupni pozni vpisi DocType: Mode of Payment Account,Mode of Payment Account,Način plačilnega računa apps/erpnext/erpnext/config/healthcare.py,Consultation,Posvetovanje DocType: Accounts Settings,Show Payment Schedule in Print,Prikaži čas plačila v tisku @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Na apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primarni kontaktni podatki apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,odprta vprašanja DocType: Production Plan Item,Production Plan Item,Proizvodni načrt Postavka +DocType: Leave Ledger Entry,Leave Ledger Entry,Pustite vpis v knjigo apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Uporabnik {0} je že dodeljen Employee {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} polje je omejeno na velikost {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Naj DocType: Purchase Invoice Item,Item Weight Details,Element Teža Podrobnosti DocType: Asset Maintenance Log,Periodicity,Periodičnost apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Poslovno leto {0} je potrebno +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Čisti dobiček / izguba DocType: Employee Group Table,ERPNext User ID,ID uporabnika ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Najmanjša razdalja med vrstami rastlin za optimalno rast apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,"Prosimo, izberite Pacient, da dobite predpisan postopek" @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Prodajni cenik DocType: Patient,Tobacco Current Use,Trenutna uporaba tobaka apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Prodajna cena -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,"Prosimo, shranite dokument, preden dodate nov račun" 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Poko DocType: Exchange Rate Revaluation Account,Gain/Loss,Dobiček / izguba DocType: Crop,Perennial,Trajen DocType: Program,Is Published,Je objavljeno +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Pokaži dobavnice apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Če želite omogočiti preveč zaračunavanja, posodobite »Nadomestitev za obračunavanje« v nastavitvah računov ali postavke." DocType: Patient Appointment,Procedure,Postopek DocType: Accounts Settings,Use Custom Cash Flow Format,Uporabite obliko prilagojenega denarnega toka @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Pustite podrobnosti pravilnika DocType: BOM,Item Image (if not slideshow),Postavka Image (če ne slideshow) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Vrstica # {0}: Postopek {1} ni končan za {2} količino končnih izdelkov v delovnem naročilu {3}. Posodobite stanje delovanja s Job Card {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} je obvezen za ustvarjanje nakazil, nastavite polje in poskusite znova" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Urna postavka / 60) * Dejanski čas operacije apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Vrstica # {0}: Referenčni dokument mora biti eden od zahtevkov za stroške ali vpisa v dnevnik apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Izberite BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Odplačilo Over število obdobij apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Količina za proizvodnjo ne sme biti manjša od ničle DocType: Stock Entry,Additional Costs,Dodatni stroški +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Ozemlje apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Račun z obstoječim poslom ni mogoče pretvoriti v skupini. DocType: Lead,Product Enquiry,Povpraševanje izdelek DocType: Education Settings,Validate Batch for Students in Student Group,Potrdite Batch za študente v študentskih skupine @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Pod Graduate apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,"Prosimo, nastavite privzeto predlogo za obvestilo o opustitvi statusa v HR nastavitvah." apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Ciljna Na DocType: BOM,Total Cost,Skupni stroški +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Dodelitev je potekla! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Največje dovoljene sprednje liste DocType: Salary Slip,Employee Loan,zaposlenih Loan DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Pošlji e-pošto za plačilni zahtevek @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Neprem apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Izkaz računa apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmacevtski izdelki DocType: Purchase Invoice Item,Is Fixed Asset,Je osnovno sredstvo +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Prikažite bodoča plačila DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.GGGG.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Ta bančni račun je že sinhroniziran DocType: Homepage,Homepage Section,Oddelek za domačo stran @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Gnojilo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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." -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 izobraževanja apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,za POS računa je potreben vsaj en način plačila. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Za serijsko postavko {0} ni potrebna nobena serija DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Postavka računa za transakcijo banke @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,Izberite Pogoji apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,iz Vrednost DocType: Bank Statement Settings Item,Bank Statement Settings Item,Postavka postavke bančne postavke DocType: Woocommerce Settings,Woocommerce Settings,Nastavitve Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Ime transakcije DocType: Production Plan,Sales Orders,Naročila Kupcev apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Za naročnika je bil najden več program zvestobe. Izberite ročno. DocType: Purchase Taxes and Charges,Valuation,Vrednotenje @@ -461,6 +469,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Pokaži samo kupcem teh skupin kupcev DocType: Sales Invoice,Is Opening Entry,Je vstopna odprtina @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,"Omemba če nestandardni terjatve račun, ki se uporablja" 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 DocType: Supplier Scorecard,Criteria Setup,Nastavitev meril -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Za skladišče je pred potreben Submit +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 DocType: Codification Table,Medical Code,Zdravstvena koda apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Povežite Amazon z ERPNext @@ -486,7 +496,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Dodani so bančni računi -DocType: Delivery Stop,Contact Name,Kontaktno ime +DocType: Call Log,Contact Name,Kontaktno ime DocType: Plaid Settings,Synchronize all accounts every hour,Vsako uro sinhronizirajte vse račune DocType: Course Assessment Criteria,Course Assessment Criteria,Merila ocenjevanja tečaj DocType: Pricing Rule Detail,Rule Applied,Uporabljeno pravilo @@ -530,7 +540,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Neznana številka DocType: Website Filter Field,Website Filter Field,Polje filtra spletnega mesta apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Vrsta dobave DocType: Material Request Item,Min Order Qty,Min naročilo Kol @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,Skupni glavni znesek DocType: Student Guardian,Relation,Razmerje DocType: Quiz Result,Correct,Pravilno DocType: Student Guardian,Mother,mati -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Najprej dodajte veljavne ključe za plaid api v site_config.json DocType: Restaurant Reservation,Reservation End Time,Končni čas rezervacije DocType: Crop,Biennial,Bienale ,BOM Variance Report,Poročilo o varstvu BOM @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Plačilo pred {0} {1} ne sme biti večja od neporavnanega zneska {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,Nastavitve brez povezave POS DocType: Stock Entry Detail,Reference Purchase Receipt,Referenčno potrdilo o nakupu DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.LLLL.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Varianta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Dopolnil Količina ne sme biti večja od "Kol za Izdelava" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Dopolnil Količina ne sme biti večja od "Kol za Izdelava" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Obdobje na podlagi DocType: Period Closing Voucher,Closing Account Head,Zapiranje računa Head DocType: Employee,External Work History,Zunanji Delo Zgodovina apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Krožna Reference Error apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Student Report Card apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Iz kode PIN +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Pokaži prodajno osebo DocType: Appointment Type,Is Inpatient,Je bolnišnična apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Ime Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Z besedami (izvoz) bo viden, ko boste shranite dobavnici." @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Ime razsežnosti apps/erpnext/erpnext/healthcare/setup.py,Resistant,Odporen apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Prosimo, nastavite hotelsko sobo na {" +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: Journal Entry,Multi Currency,Multi Valuta DocType: Bank Statement Transaction Invoice Item,Invoice Type,Račun Type apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,"Velja od datuma, ki mora biti manjši od veljavnega do datuma" @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,priznal DocType: Workstation,Rent Cost,Najem Stroški 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Prihajajoči Koledar dogodkov apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Atributi atributov @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,Zahteva za ponudbo 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Pokaži prodajno osebo v tisku 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č @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Ustvari novo stranko apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Izteče se apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Če je več Rules Cenik še naprej prevladovala, so pozvane, da nastavite Priority ročno za reševanje morebitnih sporov." -DocType: Purchase Invoice,Scan Barcode,Skeniranje črtne kode apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Ustvari naročilnice ,Purchase Register,Nakup Register apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Bolnik ni najden @@ -817,6 +828,7 @@ DocType: Account,Old Parent,Stara Parent apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Obvezno polje - študijsko leto apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Obvezno polje - študijsko leto apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} ni povezan z {2} {3} +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} @@ -860,6 +872,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,"Plača Komponenta za Timesheet na izplačane plače, ki temelji." DocType: Driver,Applicable for external driver,Velja za zunanjega voznika DocType: Sales Order Item,Used for Production Plan,Uporablja se za proizvodnjo načrta +DocType: BOM,Total Cost (Company Currency),Skupni stroški (valuta podjetja) DocType: Loan,Total Payment,Skupaj plačila apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Transakcije za zaključeno delovno nalogo ni mogoče preklicati. DocType: Manufacturing Settings,Time Between Operations (in mins),Čas med dejavnostmi (v minutah) @@ -881,6 +894,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Obvesti drugo DocType: Vital Signs,Blood Pressure (systolic),Krvni tlak (sistolični) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} je {2} DocType: Item Price,Valid Upto,Valid Stanuje +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. @@ -898,6 +912,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Spremembe v {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,"Prosimo, izberite Company" DocType: Employee Skill,Employee Skill,Spretnost zaposlenih apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Razlika račun @@ -942,6 +957,7 @@ DocType: Patient,Risk Factors,Dejavniki tveganja DocType: Patient,Occupational Hazards and Environmental Factors,Poklicne nevarnosti in dejavniki okolja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,"Zaloge, ki so že bile ustvarjene za delovno nalogo" apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Glej pretekla naročila +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} pogovori DocType: Vital Signs,Respiratory rate,Stopnja dihanja apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Upravljanje Podizvajalcev DocType: Vital Signs,Body Temperature,Temperatura telesa @@ -983,6 +999,7 @@ DocType: Purchase Invoice,Registered Composition,Registrirana sestava apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Pozdravljeni apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Move Item DocType: Employee Incentive,Incentive Amount,Spodbujevalni znesek +,Employee Leave Balance Summary,Povzetek salda zaposlenih DocType: Serial No,Warranty Period (Days),Garancijski rok (dni) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Skupni znesek kredita / obresti mora biti enak kot povezan dnevnik DocType: Installation Note Item,Installation Note Item,Namestitev Opomba Postavka @@ -996,6 +1013,7 @@ DocType: Vital Signs,Bloated,Napihnjen DocType: Salary Slip,Salary Slip Timesheet,Plača Slip Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavitelj Skladišče obvezno za podizvajalcev Potrdilo o nakupu DocType: Item Price,Valid From,Velja od +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Vaša ocena: DocType: Sales Invoice,Total Commission,Skupaj Komisija DocType: Tax Withholding Account,Tax Withholding Account,Davčni odtegljaj DocType: Pricing Rule,Sales Partner,Prodaja Partner @@ -1003,6 +1021,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Vse ocenjevalne t 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 +DocType: Item,Website Image,Slika spletnega mesta apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Ciljno skladišče v vrstici {0} mora biti enako kot delovni nalog apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,"Oceni Vrednotenje je obvezna, če je začel Odpiranje Stock" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Ni najdenih v tabeli računa zapisov @@ -1037,8 +1056,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},D 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Pred sinhronizacijo računa izpolnite konfiguracijo Plaid API-ja 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 DocType: Job Applicant,Resume Attachment,Nadaljuj Attachment @@ -1050,7 +1069,6 @@ DocType: Production Plan,Production Plan,Načrt proizvodnje DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Odpiranje orodja za ustvarjanje računov DocType: Salary Component,Round to the Nearest Integer,Zaokrožite do najbližjega celega števila apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Prodaja Return -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Opomba: Skupna dodeljena listi {0} ne sme biti manjši od že odobrene listov {1} za obdobje DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Nastavite količino transakcij na podlagi serijskega vhoda ,Total Stock Summary,Skupaj Stock Povzetek apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1079,6 +1097,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,"Lo apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,glavni Znesek DocType: Loan Application,Total Payable Interest,Skupaj plačljivo Obresti apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Skupno izjemno: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Odprite stik DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Prodaja Račun Timesheet 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 @@ -1088,6 +1107,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Privzeto imenovanje račun 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 DocType: Restaurant Reservation,Restaurant Reservation,Rezervacija restavracij +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Predmeti apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Predlog Pisanje DocType: Payment Entry Deduction,Payment Entry Deduction,Plačilo Začetek odštevanja DocType: Service Level Priority,Service Level Priority,Prednostna raven storitve @@ -1096,6 +1116,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Serijska številka serije apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Obstaja še ena Sales Oseba {0} z enako id zaposlenih DocType: Employee Advance,Claimed Amount,Zahtevani znesek +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Poteče dodelitev 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 @@ -1165,7 +1186,6 @@ DocType: Student Batch Name,Batch Name,serija Ime DocType: Fee Validity,Max number of visit,Največje število obiska DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Obvezno za račun dobička in izgube ,Hotel Room Occupancy,Hotelske sobe -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet ustvaril: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},"Prosim, nastavite privzeto gotovinski ali bančni račun v načinu plačevanja {0}" apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,včlanite se DocType: GST Settings,GST Settings,GST Nastavitve @@ -1299,6 +1319,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Izberite program DocType: Project,Estimated Cost,Ocenjeni strošek DocType: Request for Quotation,Link to material requests,Povezava na materialne zahteve +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Objavi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Začetek Credit Card @@ -1325,6 +1346,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Kratkoročna sredstva apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} ni zaloge artikla apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Pošljite povratne informacije o usposabljanju, tako da kliknete »Povratne informacije o usposabljanju« in nato »Novo«," +DocType: Call Log,Caller Information,Podatki o klicalcu DocType: Mode of Payment Account,Default Account,Privzeti račun apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Najprej izberite skladišče za shranjevanje vzorcev v nastavitvah zalog apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,"Prosimo, izberite vrsto programa z več tirnimi sistemi za več pravil za zbiranje." @@ -1349,6 +1371,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Auto Material Zahteve Izdelano DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Delovni čas, pod katerim je označen pol dneva. (Nič, da onemogoči)" DocType: Job Card,Total Completed Qty,Skupaj opravljeno Količina +DocType: HR Settings,Auto Leave Encashment,Samodejno zapustite enkaš apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Lost apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,"Ne, ne more vstopiti trenutno bon v "Proti listu vstopa" stolpcu" DocType: Employee Benefit Application Detail,Max Benefit Amount,Max Benefit znesek @@ -1378,9 +1401,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Naročnik DocType: Item Attribute Value,Item Attribute Value,Postavka Lastnost Vrednost apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Menjalnica mora veljati za nakup ali prodajo. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Prekliče se lahko le dodelitev s potekom veljavnosti DocType: Item,Maximum sample quantity that can be retained,"Največja količina vzorca, ki jo je mogoče obdržati" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Vrstice {0} # Element {1} ni mogoče prenesti več kot {2} proti naročilnici {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Prodajne akcije. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Neznani klicatelj DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1412,6 +1437,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Časovni ra apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Name DocType: Expense Claim Detail,Expense Claim Type,Expense Zahtevek Type DocType: Shopping Cart Settings,Default settings for Shopping Cart,Privzete nastavitve za Košarica +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Shrani element apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Nov strošek apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Prezri obstoječe urejene količine apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Dodaj Timeslots @@ -1424,6 +1450,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Povabljeni vabilo DocType: Shift Assignment,Shift Assignment,Shift Assignment DocType: Employee Transfer Property,Employee Transfer Property,Lastnina za prenos zaposlencev +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Polje Lastniški račun / račun obveznosti ne sme biti prazno apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Od časa bi moral biti manj kot čas apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotehnologija apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1506,11 +1533,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Iz držav 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Razpored za golf DocType: GSTR 3B Report,GSTR 3B Report,Poročilo GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Citiraj stanje DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Zaključek Status +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Skupni znesek plačil ne sme biti večji od {} DocType: Daily Work Summary Group,Select Users,Izberite Uporabniki DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Postavka hotelske sobe DocType: Loyalty Program Collection,Tier Name,Ime razreda @@ -1548,6 +1577,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST Zne DocType: Lab Test Template,Result Format,Format zapisa DocType: Expense Claim,Expenses,Stroški DocType: Service Level,Support Hours,podpora ure +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Opombe o dostavi DocType: Item Variant Attribute,Item Variant Attribute,Postavka Variant Lastnost ,Purchase Receipt Trends,Nakup Prejem Trendi DocType: Payroll Entry,Bimonthly,vsaka dva meseca @@ -1570,7 +1600,6 @@ DocType: Sales Team,Incentives,Spodbude DocType: SMS Log,Requested Numbers,Zahtevane številke DocType: Volunteer,Evening,Večer DocType: Quiz,Quiz Configuration,Konfiguracija kviza -DocType: Customer,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 @@ -1617,7 +1646,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Menjaln ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Ni mogoče najti terminu v naslednjih {0} dni za delovanje {1} DocType: Work Order,Plan material for sub-assemblies,Plan material za sklope 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 @@ -1632,9 +1660,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Za vzdrževanje ravni ponovnega naročila morate v nastavitvah zalog omogočiti samodejno ponovno naročilo. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Preklic Material Obiski {0} pred preklicem to vzdrževanje obisk DocType: Pricing Rule,Rate or Discount,Stopnja ali popust +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bančne podrobnosti DocType: Vital Signs,One Sided,Enostransko apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serijska št {0} ne pripada postavki {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Zahtevani Kol +DocType: Purchase Order Item Supplied,Required Qty,Zahtevani Kol DocType: Marketplace Settings,Custom Data,Podatki po meri apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Skladišča z obstoječim poslom ni mogoče pretvoriti v knjigi. DocType: Service Day,Service Day,Dan storitve @@ -1662,7 +1691,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Valuta računa DocType: Lab Test,Sample ID,Vzorec ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Navedite zaokrožijo račun v družbi -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Razpon DocType: Supplier,Default Payable Accounts,Privzete plačuje računov apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Employee {0} ni aktiven ali pa ne obstaja @@ -1703,8 +1731,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Zahteva za informacije DocType: Course Activity,Activity Date,Datum aktivnosti apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} od {} -,LeaderBoard,leaderboard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Stopnja z maržo (valuta podjetja) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategorije apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sinhronizacija Offline Računi DocType: Payment Request,Paid,Plačan DocType: Service Level,Default Priority,Privzeta prioriteta @@ -1739,11 +1767,11 @@ DocType: Agriculture Task,Agriculture Task,Kmetijska naloga apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Posredna Prihodki DocType: Student Attendance Tool,Student Attendance Tool,Študent Udeležba orodje DocType: Restaurant Menu,Price List (Auto created),Cenik (samodejno ustvarjen) +DocType: Pick List Item,Picked Qty,Izbrana količina DocType: Cheque Print Template,Date Settings,Datum Nastavitve 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 -,Company Name,ime podjetja 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. @@ -1762,7 +1790,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Najnovejši poskus 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} -DocType: BOM,Raw Material Cost(Company Currency),Stroškov surovin (družba Valuta) 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 @@ -1830,6 +1857,7 @@ DocType: Travel Itinerary,Train,Vlak ,Delayed Item Report,Poročilo o zakasnjeni postavki apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Upravičeni ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Bolnišnično zasedbo +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Objavite svoje prve izdelke DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Čas po koncu izmene, med katero se šteje odjava za udeležbo." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Navedite {0} @@ -1947,6 +1975,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Vse BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Ustvari vpis v revijo Inter Company DocType: Company,Parent Company,Matična družba apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Sobe Hotela tipa {0} niso na voljo na {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Primerjajte BOM za spremembe v surovinah in postopkih apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokument {0} uspešno izbrisan DocType: Healthcare Practitioner,Default Currency,Privzeta valuta apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Poravnajte ta račun @@ -1981,6 +2010,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Račun Detail DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Plačilo Sprava Račun DocType: Clinical Procedure,Procedure Template,Predloga postopka +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Objavite predmete apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Prispevek% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kot je na Nastavitve Nakup če narocilo Obvezno == "DA", nato pa za ustvarjanje računu o nakupu, uporabniki potrebujejo za ustvarjanje naročilnice najprej za postavko {0}" ,HSN-wise-summary of outward supplies,HSN-modri povzetek zunanjih dobav @@ -1993,7 +2023,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Prosim nastavite "Uporabi dodatni popust na ' DocType: Party Tax Withholding Config,Applicable Percent,Veljaven odstotek ,Ordered Items To Be Billed,Naročeno Postavke placevali -DocType: Employee Checkin,Exit Grace Period Consequence,Izhod iz obdobja milosti apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Od mora biti manj Razpon kot gibala DocType: Global Defaults,Global Defaults,Globalni Privzeto apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Projekt Sodelovanje Vabilo @@ -2001,13 +2030,11 @@ DocType: Salary Slip,Deductions,Odbitki DocType: Setup Progress Action,Action Name,Ime dejanja apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Začetek Leto apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Ustvari posojilo -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Datum začetka obdobja sedanje faktura je DocType: Shift Type,Process Attendance After,Obiskanost procesa po ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Leave brez plačila DocType: Payment Request,Outward,Zunaj -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Kapaciteta Napaka Načrtovanje apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Državni / davek na UT ,Trial Balance for Party,Trial Balance za stranke ,Gross and Net Profit Report,Poročilo o bruto in neto dobičku @@ -2026,7 +2053,6 @@ DocType: Payroll Entry,Employee Details,Podrobnosti o zaposlenih 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 -DocType: Setup Progress Action,Domains,Domene 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} @@ -2069,7 +2095,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Skupaj uč 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.","Način plačila ni nastavljen. Prosimo, preverite, ali je bil račun nastavljen na načinu plačila ali na POS profil." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Isti element ni mogoče vnesti večkrat. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Nadaljnje računi se lahko izvede v skupinah, vendar vnosi lahko zoper niso skupin" -DocType: Email Campaign,Lead,Ponudba +DocType: Call Log,Lead,Ponudba DocType: Email Digest,Payables,Obveznosti DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,E-poštna akcija za @@ -2081,6 +2107,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Naročilnica Postavke placevali 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 DocType: Purchase Invoice Item,Net Rate,Net Rate apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Izberite kupca DocType: Leave Policy,Leave Allocations,Pustite dodelitve @@ -2094,6 +2121,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Zapri Težava Po dnevih ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,"Če želite dodati uporabnike v Marketplace, morate biti uporabnik z vlogami upravitelja sistema in upravitelja elementov." +DocType: Attendance,Early Exit,Zgodnji izhod DocType: Job Opening,Staffing Plan,Načrt zaposlovanja apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON lahko ustvarite samo iz predloženega dokumenta apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Davek na zaposlene in ugodnosti @@ -2116,6 +2144,7 @@ DocType: Maintenance Team Member,Maintenance Role,Vzdrževalna vloga apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Dvojnik vrstica {0} z enako {1} DocType: Marketplace Settings,Disable Marketplace,Onemogoči trg DocType: Quality Meeting,Minutes,Minute +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Vaši predstavljeni predmeti ,Trial Balance,Trial Balance apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Prikaži končano apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Poslovno leto {0} ni bilo mogoče najti @@ -2125,8 +2154,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Uporabnik rezervacije hot 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" DocType: Contract,Fulfilment Deadline,Rok izpolnjevanja +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Blizu vas DocType: Student,O-,O- -DocType: Shift Type,Consequence,Posledica DocType: Subscription Settings,Subscription Settings,Nastavitve naročnine DocType: Purchase Invoice,Update Auto Repeat Reference,Posodobi samodejno ponavljanje referenc apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Neobvezni seznam počitnic ni določen za obdobje dopusta {0} @@ -2137,7 +2166,6 @@ DocType: Maintenance Visit Purpose,Work Done,Delo končano apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Prosimo navedite vsaj en atribut v tabeli Atributi DocType: Announcement,All Students,Vse Študenti apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,"Točka {0} mora biti postavka, non-stock" -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bančni deatili apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Ogled Ledger DocType: Grading Scale,Intervals,intervali DocType: Bank Statement Transaction Entry,Reconciled Transactions,Usklajene transakcije @@ -2173,6 +2201,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Priložnost Postavka DocType: Quality Action,Quality Review,Pregled kakovosti @@ -2199,7 +2228,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Pridobite neplačanih računov -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Naročilo {0} ni veljavno +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Naročilnice vam pomaga načrtovati in spremljati svoje nakupe apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Testi laboratorijskih testov @@ -2224,6 +2253,7 @@ DocType: Employee Onboarding,Notify users by email,Uporabnike obvestite po e-po DocType: Travel Request,International,Mednarodni DocType: Training Event,Training Event,Dogodek usposabljanje DocType: Item,Auto re-order,Auto re-order +DocType: Attendance,Late Entry,Počasen vpis apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Skupaj Doseženi DocType: Employee,Place of Issue,Kraj izdaje DocType: Promotional Scheme,Promotional Scheme Price Discount,Popust na ceno promocijske sheme @@ -2270,6 +2300,7 @@ DocType: Serial No,Serial No Details,Serijska št Podrobnosti DocType: Purchase Invoice Item,Item Tax Rate,Postavka Davčna stopnja apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Iz imena stranke apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Neto znesek plače +DocType: Pick List,Delivery against Sales Order,Dostava proti prodajnemu naročilu DocType: Student Group Student,Group Roll Number,Skupina Roll Število DocType: Student Group Student,Group Roll Number,Skupina Roll Število apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Za {0}, lahko le kreditne račune povezati proti drugemu vstop trajnika" @@ -2343,7 +2374,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ta vrednost se uporablja za izracun pro rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Morate omogočiti Košarica DocType: Payment Entry,Writeoff,Odpisati DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.LLLL.- @@ -2357,6 +2387,7 @@ DocType: Delivery Trip,Total Estimated Distance,Skupna ocenjena razdalja DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Neplačani račun DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Ni dovoljeno ustvariti računovodske razsežnosti za {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,"Prosimo, posodobite svoj status za ta trening dogodek" DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Dodajte ali odštejemo @@ -2366,7 +2397,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Neaktivni prodajni artikli DocType: Quality Review,Additional Information,Dodatne informacije apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Skupna vrednost naročila -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Ponastavitev sporazuma o ravni storitev. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Hrana apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Staranje Območje 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Podrobnosti POS pridržka @@ -2413,6 +2443,7 @@ 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 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" DocType: Healthcare Practitioner,Contacts and Address,Stiki in naslov DocType: Shift Type,Determine Check-in and Check-out,Določite prijavo in odjavo @@ -2432,7 +2463,6 @@ DocType: Student Admission,Eligibility and Details,Upravičenost in podrobnosti apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Vključeno v bruto dobiček apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Neto sprememba v osnovno sredstvo apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Koda stranke apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Naboj tip "Dejanski" v vrstici {0} ni mogoče vključiti v postavko Rate apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Od datetime @@ -2500,6 +2530,7 @@ 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. 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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: zahtevan je Naročnik za račun prejemkov {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Skupaj davki in dajatve (Company valuti) DocType: Weather,Weather Parameter,Vremenski parameter @@ -2562,6 +2593,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Mejna vrednost delovnega apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Na podlagi skupnih porabljenih sredstev je lahko več faktorjev zbiranja. Toda pretvorbeni faktor za odkup bo vedno enak za vse stopnje. apps/erpnext/erpnext/config/help.py,Item Variants,Artikel Variante apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Storitve +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Email Plača Slip na zaposlenega DocType: Cost Center,Parent Cost Center,Parent Center Stroški @@ -2572,7 +2604,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","I DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Uvozne opombe za dostavo iz Shopify na pošiljko apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Prikaži zaprto DocType: Issue Priority,Issue Priority,Prednostna izdaja -DocType: Leave Type,Is Leave Without Pay,Se Leave brez plačila +DocType: Leave Ledger Entry,Is Leave Without Pay,Se Leave brez plačila apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Sredstvo kategorije je obvezna za fiksno postavko sredstev DocType: Fee Validity,Fee Validity,Veljavnost pristojbine @@ -2621,6 +2653,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Dostopno Serija Kol apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Update Print Format DocType: Bank Account,Is Company Account,Je račun podjetja apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Odstop tipa {0} ni zapletljiv +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Kreditni limit je za podjetje že določen {0} DocType: Landed Cost Voucher,Landed Cost Help,Pristali Stroški Pomoč DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Izbira naslova za dostavo @@ -2645,6 +2678,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Dvosmerni DocType: Item,Manufacturers,Proizvajalci @@ -2682,7 +2716,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Izjava Bank Sprava DocType: Patient Encounter,Medical Coding,Zdravniško kodiranje DocType: Healthcare Settings,Reminder Message,Opomnik -,Lead Name,Ime ponudbe +DocType: Call Log,Lead Name,Ime ponudbe ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Raziskovanje @@ -2714,12 +2748,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Dobavitelj Skladišče DocType: Opportunity,Contact Mobile No,Kontaktna mobilna številka apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Izberite podjetje ,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: 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- 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.,Uporabnik {0} nima privzetega profila POS. Preverite privzeto na vrstici {1} za tega uporabnika. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Zapisniki o kakovostnem sestanku +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelja apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Napotitev zaposlenih DocType: Student Group,Set 0 for no limit,Nastavite 0 za brez omejitev apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"Dan (s), na kateri se prijavljate za dopust, so prazniki. Vam ni treba zaprositi za dopust." @@ -2753,12 +2789,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Neto sprememba v gotovini DocType: Assessment Plan,Grading Scale,Ocenjevalna lestvica apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Merska enota {0} je v pretvorbeni faktor tabeli vpisana več kot enkrat -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,že končana apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Zaloga v roki apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component","Prosimo, dodajte preostale ugodnosti {0} v aplikacijo kot \ pro-rata komponento" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',"Prosimo, nastavite davčni zakonik za javno upravo '% s'" -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Plačilni Nalog že obstaja {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Strošek izdanih postavk DocType: Healthcare Practitioner,Hospital,Bolnišnica apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Količina ne sme biti več kot {0} @@ -2803,6 +2837,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Človeški viri apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Zgornja Prihodki DocType: Item Manufacturer,Item Manufacturer,Element Proizvajalec +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Ustvari nov potencial DocType: BOM Operation,Batch Size,Velikost serije apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Zavrni DocType: Journal Entry Account,Debit in Company Currency,Debetno v podjetju valuti @@ -2823,9 +2858,11 @@ DocType: Bank Transaction,Reconciled,Pomirjen DocType: Expense Claim,Total Amount Reimbursed,"Skupnega zneska, povrnjenega" apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Ta temelji na dnevnikih glede na ta vozila. Oglejte si časovnico spodaj za podrobnosti apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,"Datum plačevanja ne sme biti manjši od datuma, ko se zaposleni včlani" +DocType: Pick List,Item Locations,Lokacije postavk apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} ustvarjeno apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Odprti posli za oznako {0} so že odprti \ ali najem zaključeni v skladu s kadrovskim načrtom {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Objavite lahko do 200 elementov. DocType: Vital Signs,Constipated,Zaprta apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Zoper dobavitelja Račun {0} dne {1} DocType: Customer,Default Price List,Privzeto Cenik @@ -2919,6 +2956,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car 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 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Stroški trženja +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} enot od {1} ni na voljo. ,Item Shortage Report,Postavka Pomanjkanje Poročilo 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 @@ -2942,6 +2980,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 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 DocType: Material Request,Transferred,Preneseni DocType: Vehicle,Doors,vrata @@ -3022,7 +3061,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Koda artikla stranke DocType: Stock Reconciliation,Stock Reconciliation,Uskladitev zalog DocType: Territory,Territory Name,Territory Name DocType: Email Digest,Purchase Orders to Receive,Naročila za nakup -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Work-in-Progress Warehouse je pred potreben Submit +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Work-in-Progress Warehouse je pred potreben Submit apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,V naročnini lahko imate samo načrte z enakim obračunskim ciklom DocType: Bank Statement Transaction Settings Item,Mapped Data,Mapirani podatki DocType: Purchase Order Item,Warehouse and Reference,Skladišče in Reference @@ -3097,6 +3136,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Nastavitve dostave apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Pridobi podatke apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Največji dovoljeni dopust v tipu dopusta {0} je {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Objavite 1 kos DocType: SMS Center,Create Receiver List,Ustvarite sprejemnik seznam DocType: Student Applicant,LMS Only,Samo LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,"Datum, ki je na voljo za uporabo, mora biti po datumu nakupa" @@ -3130,6 +3170,7 @@ 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 DocType: Vital Signs,Furry,Furry apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prosim nastavite "dobiček / izguba račun pri odtujitvi sredstev" v družbi {0} +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} @@ -3141,6 +3182,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Oglejte si vse težave od {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-YYYY- DocType: Quality Meeting Table,Quality Meeting Table,Kakovostna tabela za sestanke +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/templates/pages/help.html,Visit the forums,Obiščite forume DocType: Student,Student Mobile Number,Študent mobilno številko DocType: Item,Has Variants,Ima različice @@ -3152,9 +3194,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Ime mesečnim izp DocType: Quality Procedure Process,Quality Procedure Process,Postopek kakovosti postopka apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Serija ID je obvezen apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Serija ID je obvezen +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Najprej izberite stranko DocType: Sales Person,Parent Sales Person,Nadrejena Sales oseba apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,"Predmeti, ki jih želite prejeti, niso zapadli" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Prodajalec in kupec ne moreta biti isti +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Še ni ogledov DocType: Project,Collect Progress,Zberite napredek DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-YYYY- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Najprej izberite program @@ -3176,11 +3220,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Doseženi DocType: Student Admission,Application Form Route,Prijavnica pot apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Končni datum sporazuma ne sme biti krajši kot danes. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter za oddajo DocType: Healthcare Settings,Patient Encounters in valid days,Pacientovo srečanje v veljavnih dneh apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Pusti tipa {0} ni mogoče dodeliti, ker je zapustil brez plačila" 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},"Vrstica {0}: Dodeljena količina {1}, mora biti manjša ali enaka zaračunati neodplačanega {2}" DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"V besedi bo viden, ko boste prihranili prodajni fakturi." DocType: Lead,Follow Up,Nadaljuj +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Mestno mesto: {0} ne obstaja DocType: Item,Is Sales Item,Je Sales Postavka apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Element Group Tree apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Postavka {0} ni setup za Serijska št. Preverite item mojster @@ -3224,9 +3270,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Priložena Kol DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.GGGG.- DocType: Purchase Order Item,Material Request Item,Material Zahteva Postavka -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Najprej prekličite potrdilo o nakupu {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Drevo skupin artiklov. DocType: Production Plan,Total Produced Qty,Skupno število proizvedenih količin +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Še ni mnenja apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Ne more sklicevati številko vrstice večja ali enaka do trenutne številke vrstice za to vrsto Charge DocType: Asset,Sold,Prodano ,Item-wise Purchase History,Elementna Zgodovina nakupov @@ -3245,7 +3291,7 @@ DocType: Designation,Required Skills,Zahtevane veščine DocType: Inpatient Record,O Positive,O Pozitivno apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Naložbe DocType: Issue,Resolution Details,Resolucija Podrobnosti -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Vrsta transakcije +DocType: Leave Ledger Entry,Transaction Type,Vrsta transakcije DocType: Item Quality Inspection Parameter,Acceptance Criteria,Merila sprejemljivosti apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Vnesite Material Prošnje v zgornji tabeli apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Za vnose v dnevnik ni na voljo vračil @@ -3286,6 +3332,7 @@ DocType: Bank Account,Bank Account No,Bančni račun št DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Predložitev dokazila o oprostitvi davka na zaposlene DocType: Patient,Surgical History,Kirurška zgodovina DocType: Bank Statement Settings Item,Mapped Header,Mapped Header +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: 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. 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}" @@ -3354,7 +3401,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Dodaj pisemsko glavo DocType: Program Enrollment,Self-Driving Vehicle,Self-Vožnja vozil 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Skupaj dodeljena listi {0} ne sme biti manjši od že odobrenih listov {1} za obdobje DocType: Contract Fulfilment Checklist,Requirement,Zahteva DocType: Journal Entry,Accounts Receivable,Terjatve DocType: Quality Goal,Objectives,Cilji @@ -3377,7 +3423,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Enotni transakcijski DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ta vrednost se posodablja na seznamu Privzeta prodajna cena. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Vaš nakupovalni voziček je prazen DocType: Email Digest,New Expenses,Novi stroški -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC Znesek apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Ne morem optimizirati poti, ker manjka naslov gonilnika." DocType: Shareholder,Shareholder,Delničar DocType: Purchase Invoice,Additional Discount Amount,Dodatni popust Količina @@ -3414,6 +3459,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Vzdrževalna naloga apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Nastavite omejitev B2C v nastavitvah GST. DocType: Marketplace Settings,Marketplace Settings,Nastavitve tržnice DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Skladišče, kjer ste vzdrževanje zalog zavrnjenih predmetov" +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Objavite {0} Artikle 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,Mogoče najti menjalni tečaj za {0} in {1} za ključ datumu {2}. Prosimo ustvariti zapis Valuta Exchange ročno DocType: POS Profile,Price List,Cenik 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." @@ -3450,6 +3496,7 @@ DocType: Salary Component,Deduction,Odbitek DocType: Item,Retain Sample,Ohrani vzorec apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Vrstica {0}: Od časa in do časa je obvezna. DocType: Stock Reconciliation Item,Amount Difference,znesek Razlika +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"Ta stran spremlja predmete, ki jih želite kupiti pri prodajalcih." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Postavka Cena dodana za {0} v Ceniku {1} DocType: Delivery Stop,Order Information,Informacije o naročilu apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Vnesite ID Employee te prodaje oseba @@ -3478,6 +3525,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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**. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Ime načrta ocenjevanja apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Podrobnosti cilja apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Uporablja se, če je podjetje SpA, SApA ali SRL" @@ -3530,7 +3578,6 @@ DocType: Company,Transactions Annual History,Letno zgodovino transakcij 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Nad 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 @@ -3584,6 +3631,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Dobiček za leto 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 @@ -3638,12 +3686,10 @@ DocType: Supplier Scorecard,Scoring Setup,Nastavitev točkovanja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electronics 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Za podjetje ni bilo mogoče najti nobene GST. 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 DocType: Question,Single Correct Answer,Enotni pravilen odgovor -DocType: Employee,Contact Details,Kontaktni podatki DocType: C-Form,Received Date,Prejela Datum DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Če ste ustvarili standardno predlogo v prodaji davkov in dajatev predlogo, izberite eno in kliknite na gumb spodaj." DocType: BOM Scrap Item,Basic Amount (Company Currency),Osnovni znesek (družba Valuta) @@ -3673,12 +3719,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Spletna stran Operacija DocType: Bank Statement Transaction Payment Item,outstanding_amount,izstopajoč_števek DocType: Supplier Scorecard,Supplier Score,Ocen dobavitelja apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Sprejem razporeda +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Skupni znesek zahtevka za plačilo ne sme biti večji od {0} zneska DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Skupni prag transakcij DocType: Promotional Scheme Price Discount,Discount Type,Vrsta popusta -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Skupaj Fakturna Amt DocType: Purchase Invoice Item,Is Free Item,Je brezplačen izdelek +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Odstotek, ki ga lahko prenesete več glede na naročeno količino. Na primer: Če ste naročili 100 enot. in vaš dodatek znaša 10%, potem vam je dovoljeno prenašati 110 enot." DocType: Supplier,Warn RFQs,Opozori RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,Razišči +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Razišči DocType: BOM,Conversion Rate,Stopnja konverzije apps/erpnext/erpnext/www/all-products/index.html,Product Search,Iskanje ,Bank Remittance,Bančno nakazilo @@ -3690,6 +3737,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Skupni znesek plačan DocType: Asset,Insurance End Date,Končni datum zavarovanja apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Prosimo, izberite Študentski Pristop, ki je obvezen za študenta, ki plača študent" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Proračunski seznam DocType: Campaign,Campaign Schedules,Časovni razpored akcij DocType: Job Card Time Log,Completed Qty,Končano število @@ -3712,6 +3760,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,New Naslo DocType: Quality Inspection,Sample Size,Velikost vzorca apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Vnesite Prejem dokumenta apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Vsi predmeti so bili že obračunano +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Odvzeti listi apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Prosimo, navedite veljaven "Od zadevi št '" 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,"Nadaljnje stroškovna mesta se lahko izvede v skupinah, vendar vnosi lahko zoper niso skupin" 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,Skupno dodeljeni listi so več dni kot največja dodelitev {0} tipa dopusta za zaposlenega {1} v obdobju @@ -3812,6 +3861,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Vključi vs 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" DocType: Leave Block List,Allow Users,Dovoli uporabnike 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: 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. @@ -3865,6 +3916,7 @@ DocType: Support Search Source,Result Title Field,Polje naslova rezultata apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Povzetek klicev DocType: Sample Collection,Collected Time,Zbrani čas DocType: Employee Skill Map,Employee Skills,Spretnosti zaposlenih +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Odhodki za gorivo DocType: Company,Sales Monthly History,Mesečna zgodovina prodaje apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,V tabelo davkov in dajatev nastavite vsaj eno vrstico DocType: Asset Maintenance Task,Next Due Date,Naslednji datum roka @@ -3874,6 +3926,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Življenj DocType: Payment Entry,Payment Deductions or Loss,Plačilni Odbitki ali izguba DocType: Soil Analysis,Soil Analysis Criterias,Kriteriji za analizo tal apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standardni pogodbeni pogoji za prodajo ali nakup. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Vrstice so odstranjene v {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Začnite prijavo pred začetkom izmene (v minutah) DocType: BOM Item,Item operation,Operacija elementa apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Skupina kupon @@ -3899,11 +3952,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Plača Slip delavca {0} že ustvarili za to obdobje apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Pharmaceutical apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Leave Encashment lahko oddate samo za veljaven znesek obračuna +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Izdelki do apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Vrednost kupljenih artiklov DocType: Employee Separation,Employee Separation Template,Predloga za ločevanje zaposlenih DocType: Selling Settings,Sales Order Required,Zahtevano je naročilo apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Postanite prodajalec -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Število dogodkov, po katerih se izvrši posledica." ,Procurement Tracker,Sledilnik javnih naročil DocType: Purchase Invoice,Credit To,Kredit apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC obrnjen @@ -3916,6 +3969,7 @@ DocType: Quality Meeting,Agenda,Dnevni red DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Vzdrževanje Urnik Detail DocType: Supplier Scorecard,Warn for new Purchase Orders,Opozori na nova naročila DocType: Quality Inspection Reading,Reading 9,Branje 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Povežite svoj račun Exotel z ERPNext in spremljajte dnevnike klicev DocType: Supplier,Is Frozen,Je zamrznjena DocType: Tally Migration,Processed Files,Obdelane datoteke apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Skupina vozlišče skladišče ni dovoljeno izbrati za transakcije @@ -3924,6 +3978,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM No. za Končni DocType: Upload Attendance,Attendance To Date,Udeležba na tekočem 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 @@ -3949,7 +4004,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Prosilec apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Neveljavna referenčna {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Pravila za uporabo različnih promocijskih shem. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne more biti večji od načrtovanih količin ({2}) v Naročilu proizvodnje {3} DocType: Shipping Rule,Shipping Rule Label,Oznaka dostavnega pravila DocType: Journal Entry Account,Payroll Entry,Vnos plače apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Oglejte si zapisi o prispevkih @@ -3961,6 +4015,7 @@ DocType: Contract,Fulfilment Status,Status izpolnjevanja DocType: Lab Test Sample,Lab Test Sample,Vzorec laboratorijskega testa DocType: Item Variant Settings,Allow Rename Attribute Value,Dovoli preimenovanje vrednosti atributa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Hitro Journal Entry +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Prihodnji znesek plačila apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Vi stopnje ni mogoče spremeniti, če BOM omenjeno agianst vsako postavko" DocType: Restaurant,Invoice Series Prefix,Predpisi serije računov DocType: Employee,Previous Work Experience,Prejšnja Delovne izkušnje @@ -3990,6 +4045,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Stanje projekta DocType: UOM,Check this to disallow fractions. (for Nos),"Preverite, da je to prepoveste frakcij. (za številkami)" DocType: Student Admission Program,Naming Series (for Student Applicant),Poimenovanje Series (za Student prijavitelja) +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}) za element: {2} 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 @@ -4005,6 +4061,7 @@ DocType: Fiscal Year,Year End Date,Leto End Date DocType: Task Depends On,Task Depends On,Naloga je odvisna od apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Priložnost DocType: Options,Option,Možnost +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},V zaprtem obračunskem obdobju ne morete ustvariti računovodskih vnosov {0} DocType: Operation,Default Workstation,Privzeto Workstation DocType: Payment Entry,Deductions or Loss,Odbitki ali izguba apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} je zaprt @@ -4013,6 +4070,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Pridobite trenutne zaloge DocType: Purchase Invoice,ineligible,neupravičeno apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Drevo Bill of Materials +DocType: BOM,Exploded Items,Eksplodirani predmeti DocType: Student,Joining Date,Vstop Datum ,Employees working on a holiday,Zaposleni na počitnice ,TDS Computation Summary,Povzetek izračunov TDS @@ -4045,6 +4103,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Osnovni tečaj (kot na DocType: SMS Log,No of Requested SMS,Št zaprošene SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Pusti brez plačila ne ujema z odobrenimi evidence Leave aplikacij apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Naslednji koraki +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Shranjeni predmeti DocType: Travel Request,Domestic,Domači apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,"Prosimo, da določene elemente na najboljših možnih cenah" apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Prenos zaposlencev ni mogoče predati pred datumom prenosa @@ -4098,7 +4157,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Sredstvo Kategorija račun apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Vrednost {0} je že dodeljena obstoječi postavki {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Vrstica # {0} (Tabela plačil): znesek mora biti pozitiven -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Ne more proizvajati več item {0} od prodaje kol {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Ne more proizvajati več item {0} od prodaje kol {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Nič ni vključeno v bruto apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Ta dokument že obstaja apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Izberite vrednosti atributa @@ -4133,12 +4192,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Omogoči različne posledice za zgodnji izhod ,Lab Test Report,Poročilo o laboratorijskem testu DocType: Employee Benefit Application,Employee Benefit Application,Application Employee Benefit apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Dodatne komponente plače obstajajo. DocType: Purchase Invoice,Unregistered,Neregistrirani -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Prosimo Delivery Note prvi DocType: Student Applicant,Application Date,uporaba Datum DocType: Salary Component,Amount based on formula,"Znesek, ki temelji na formuli" DocType: Purchase Invoice,Currency and Price List,Gotovina in Cenik @@ -4167,6 +4224,7 @@ DocType: Purchase Receipt,Time at which materials were received,"Čas, v katerem DocType: Products Settings,Products per Page,Izdelki na stran 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Dodeljeni znesek ne more biti negativen DocType: Sales Order,Billing Status,Status zaračunavanje apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Prijavi težavo @@ -4176,6 +4234,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-Nad 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,Row # {0}: Journal Entry {1} nima računa {2} ali pa so že primerjali z drugo kupona DocType: Supplier Scorecard Criteria,Criteria Weight,Teža meril +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Račun: {0} ni dovoljen pri vnosu plačila DocType: Production Plan,Ignore Existing Projected Quantity,Ignorirajte obstoječo predvideno količino apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Pustite obvestilo o odobritvi DocType: Buying Settings,Default Buying Price List,Privzet nabavni cenik @@ -4184,6 +4243,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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" DocType: Payment Entry,Payment Type,Način plačila apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Izberite Serija za postavko {0}. Ni mogoče, da bi našli eno serijo, ki izpolnjuje te zahteve" @@ -4213,6 +4273,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Nastavitve Košarica DocType: Journal Entry,Accounting Entries,Vknjižbe 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«." +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: Journal Entry,Paid Loan,Plačano posojilo 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 @@ -4229,12 +4290,14 @@ DocType: Shopify Settings,Webhooks Details,Podrobnosti o spletnih urah apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Ni listami DocType: GoCardless Mandate,GoCardless Customer,GoCardless stranka apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,"Pustite Type {0} ni mogoče izvajati, posredovati" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda izdelka> Skupina izdelkov> Blagovna znamka apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Vzdrževanje Urnik se ne ustvari za vse postavke. Prosimo, kliknite na "ustvarjajo Seznamu"" ,To Produce,Za izdelavo DocType: Leave Encashment,Payroll,izplačane plače 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","Za vrstico {0} v {1}. Če želite vključiti {2} v stopnji Element, {3}, mora biti vključena tudi vrstice" DocType: Healthcare Service Unit,Parent Service Unit,Enota starševske službe DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikacija paketu za dostavo (za tisk) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Sporazum o ravni storitev je bil ponastavljen. DocType: Bin,Reserved Quantity,Rezervirano Količina apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Vnesite veljaven e-poštni naslov apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Vnesite veljaven e-poštni naslov @@ -4256,7 +4319,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Cena ali popust na izdelke apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Za vrstico {0}: vnesite načrtovani qty DocType: Account,Income Account,Prihodki račun -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Ozemlje DocType: Payment Request,Amount in customer's currency,Znesek v valuti stranke apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Dostava apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Dodeljujem strukture... @@ -4279,6 +4341,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,"Izgubili boste zapise o že ustvarjenih računih. Ali ste prepričani, da želite znova zagnati to naročnino?" @@ -4334,11 +4397,10 @@ DocType: Additional Salary,HR User,Uporabnik človeških virov DocType: Bank Guarantee,Reference Document Name,Referenčno ime dokumenta DocType: Purchase Invoice,Taxes and Charges Deducted,Davki in dajatve Odbitek DocType: Support Settings,Issues,Vprašanja -DocType: Shift Type,Early Exit Consequence after,Posledica predčasnega izhoda po DocType: Loyalty Program,Loyalty Program Name,Ime programa zvestobe apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Stanje mora biti eno od {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Opomnik za posodobitev GSTIN Poslano -DocType: Sales Invoice,Debit To,Bremenitev +DocType: Discounted Invoice,Debit To,Bremenitev DocType: Restaurant Menu Item,Restaurant Menu Item,Restavracija Menu Item DocType: Delivery Note,Required only for sample item.,Zahteva le za točko vzorca. DocType: Stock Ledger Entry,Actual Qty After Transaction,Dejanska Kol Po Transaction @@ -4421,6 +4483,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Ime parametra apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Pustite samo aplikacije s statusom "Approved" in "Zavrnjeno" se lahko predloži apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Ustvarjanje dimenzij ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Študent Group Ime je obvezno v vrsti {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Obvozite kreditno omejitev DocType: Homepage,Products to be shown on website homepage,"Proizvodi, ki se prikaže na spletni strani" DocType: HR Settings,Password Policy,Politika gesla apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,To je skupina koren stranke in jih ni mogoče urejati. @@ -4468,10 +4531,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Če apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Privzeto stran nastavite v nastavitvah restavracij ,Salary Register,plača Registracija DocType: Company,Default warehouse for Sales Return,Privzeto skladišče za vračilo prodaje -DocType: Warehouse,Parent Warehouse,Parent Skladišče +DocType: Pick List,Parent Warehouse,Parent Skladišče DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Opredeliti različne vrste posojil DocType: Bin,FCFS Rate,FCFS Rate @@ -4508,6 +4571,7 @@ DocType: Travel Itinerary,Lodging Required,Potrebna namestitev DocType: Promotional Scheme,Price Discount Slabs,Plošče s popustom na cene DocType: Stock Reconciliation Item,Current Serial No,Trenutna serijska št DocType: Employee,Attendance and Leave Details,Podrobnosti o udeležbi in odhodih +,BOM Comparison Tool,Orodje za primerjavo BOM ,Requested,Zahteval apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Ni Opombe DocType: Asset,In Maintenance,V vzdrževanju @@ -4530,6 +4594,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Sporazum o ravni privzetih storitev DocType: SG Creation Tool Course,Course Code,Koda predmeta apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Več kot en izbor za {0} ni dovoljen +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Količina surovin se bo določila na podlagi količine postavke končnega blaga DocType: Location,Parent Location,Lokacija matere DocType: POS Settings,Use POS in Offline Mode,Uporabite POS v načinu brez povezave apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prednost je spremenjena na {0}. @@ -4548,7 +4613,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Skladišče za shranjevanje v DocType: Company,Default Receivable Account,Privzeto Terjatve račun apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Formula predvidene količine DocType: Sales Invoice,Deemed Export,Izbrisani izvoz -DocType: Stock Entry,Material Transfer for Manufacture,Prenos materialov za proizvodnjo +DocType: Pick List,Material Transfer for Manufacture,Prenos materialov za proizvodnjo 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.,Popust Odstotek se lahko uporablja bodisi proti ceniku ali za vse cenik. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Računovodstvo Vstop za zalogi DocType: Lab Test,LabTest Approver,Odobritev LabTest @@ -4591,7 +4656,6 @@ DocType: Training Event,Theory,teorija apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,"Opozorilo: Material Zahtevana Količina je manj kot minimalna, da Kol" apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Račun {0} je zamrznjen DocType: Quiz Question,Quiz Question,Vprašanje za kviz -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelja 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" @@ -4622,6 +4686,7 @@ 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 DocType: Account,Expense Account,Expense račun apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Programska oprema apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Barva @@ -4660,6 +4725,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Upravljanje prodaj 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 DocType: Fee Validity,Visited yet,Obiskal še +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Predstavite lahko do 8 elementov. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Skladišča z obstoječim poslom ni mogoče pretvoriti v skupino. 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. @@ -4667,7 +4733,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4692,7 +4757,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Pretvorba UOM v ur DocType: Contract,Signee Details,Podrobnosti o označevanju apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} ima trenutno {1} oceno dobavitelja in naročila temu dobavitelju je treba izdajati s previdnostjo DocType: Certified Consultant,Non Profit Manager,Neprofitni menedžer -DocType: BOM,Total Cost(Company Currency),Skupni stroški (družba Valuta) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serijska št {0} ustvaril DocType: Homepage,Company Description for website homepage,Podjetje Opis za domačo stran spletnega mesta DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Za udobje kupcev lahko te kode se uporabljajo v tiskanih oblikah, kot so na računih in dobavnicah" @@ -4721,7 +4785,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Potrdilo DocType: Amazon MWS Settings,Enable Scheduled Synch,Omogoči načrtovano sinhronizacijo apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Da datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Dnevniki za ohranjanje statusa dostave sms -DocType: Shift Type,Early Exit Consequence,Posledica predčasnega izhoda DocType: Accounts Settings,Make Payment via Journal Entry,Naredite plačilo preko Journal Entry apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Ne ustvarite več kot 500 elementov hkrati apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Tiskano na @@ -4778,6 +4841,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit navzkriž 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 +DocType: Plaid Settings,Plaid Secret,Plaid Secret DocType: Company,Date of Establishment,Datum ustanavljanja apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Tveganega kapitala apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Akademski izraz s tem "študijskem letu '{0} in" Trajanje Ime' {1} že obstaja. Prosimo, spremenite te vnose in poskusite znova." @@ -4840,6 +4904,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Vrsta stranke DocType: Compensatory Leave Request,Leave Allocation,Pustite Dodelitev DocType: Payment Request,Recipient Message And Payment Details,Prejemnik sporočila in način plačila +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Izberite dobavnico DocType: Support Search Source,Source DocType,Vir DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Odprite novo karto DocType: Training Event,Trainer Email,Trainer Email @@ -4960,6 +5025,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Od datuma' mora biti za 'Do datuma ' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Za ta naziv ni bilo mogoče najti nobenega kadrovskega načrta apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Paket {0} postavke {1} je onemogočen. @@ -4981,7 +5047,7 @@ DocType: Clinical Procedure,Patient,Bolnik apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Bypass preverjanje kredita na prodajnem naročilu DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktivnost vkrcanja zaposlenih DocType: Location,Check if it is a hydroponic unit,"Preverite, ali gre za hidroponično enoto" -DocType: Stock Reconciliation Item,Serial No and Batch,Serijska številka in serije +DocType: Pick List Item,Serial No and Batch,Serijska številka in serije DocType: Warranty Claim,From Company,Od družbe DocType: GSTR 3B Report,January,Januarja apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Vsota ocen ocenjevalnih meril mora biti {0}. @@ -5006,7 +5072,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Popust ( 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Št. {0} je bil najden za transakcije podjetja Inter. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,Credit_note_amt 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/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 @@ -5039,11 +5104,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Mesto stroš 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,preostala DocType: Appraisal,Appraisal,Cenitev DocType: Loan,Loan Account,Kreditni račun apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Veljavna in veljavna upto polja so obvezna za kumulativno +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",Za postavko {0} v vrstici {1} se število serijskih številk ne ujema z izbrano količino DocType: Purchase Invoice,GST Details,Podrobnosti o GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,To temelji na transakcijah proti temu zdravniku. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-pošta poslana dobavitelju {0} @@ -5107,6 +5174,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruto teža paketa. Ponavadi neto teža + embalaža teže. (za tisk) DocType: Assessment Plan,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Uporabniki s to vlogo dovoljeno postaviti na zamrznjene račune in ustvariti / spreminjanje vknjižbe zoper zamrznjenih računih +DocType: Plaid Settings,Plaid Environment,Plaid okolje ,Project Billing Summary,Povzetek obračunavanja za projekt DocType: Vital Signs,Cuts,Kosi DocType: Serial No,Is Cancelled,Je Preklicana @@ -5168,7 +5236,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Opomba: Sistem ne bo preveril čez povzetju in over-rezervacije za postavko {0} kot količina ali znesek je 0 DocType: Issue,Opening Date,Otvoritev Datum apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Najprej shranite bolnika -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Navedite nov stik apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Udeležba je bila uspešno označena. DocType: Program Enrollment,Public Transport,Javni prevoz DocType: Sales Invoice,GST Vehicle Type,Vrsta vozila @@ -5195,6 +5262,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,"Računi, k 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Najprej dodajte elemente v tabelo Lokacije postavk DocType: Pricing Rule,Discount Amount,Popust Količina DocType: Pricing Rule,Period Settings,Nastavitve obdobja DocType: Purchase Invoice,Return Against Purchase Invoice,Vrni proti Račun za nakup @@ -5227,7 +5295,6 @@ DocType: Assessment Plan,Assessment Plan,načrt ocenjevanja DocType: Travel Request,Fully Sponsored,Popolnoma sponzorirani apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Reverse Journal Entry apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Ustvari Job Card -DocType: Shift Type,Consequence after,Posledica za DocType: Quality Procedure Process,Process Description,Opis postopka apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Stranka {0} je ustvarjena. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Trenutno ni na zalogi @@ -5262,6 +5329,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Potrditev Datum DocType: Delivery Settings,Dispatch Notification Template,Predloga za odpošiljanje apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Ocenjevalno poročilo apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Pridobite zaposlene +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 @@ -5355,7 +5423,6 @@ DocType: Stock Settings,Use Naming Series,Uporabite Naming Series apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Brez akcije apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Stroški Tip vrednotenje ni mogoče označiti kot Inclusive DocType: POS Profile,Update Stock,Posodobi zalogo -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Drugačna UOM za artikle bo privedlo do napačne (skupno) Neto teža vrednosti. Prepričajte se, da je neto teža vsake postavke v istem UOM." DocType: Certification Application,Payment Details,Podatki o plačilu apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM Rate @@ -5391,7 +5458,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,To je koren prodaje oseba in jih ni mogoče urejati. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Če je izbrana, je vrednost navedena ali izračunana pri tem delu ne bo prispevalo k zaslužka ali odbitkov. Kljub temu, da je vrednost se lahko sklicujejo na druge sestavne dele, ki se lahko dodajo ali odbitih." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Če je izbrana, je vrednost navedena ali izračunana pri tem delu ne bo prispevalo k zaslužka ali odbitkov. Kljub temu, da je vrednost se lahko sklicujejo na druge sestavne dele, ki se lahko dodajo ali odbitih." -DocType: Asset Settings,Number of Days in Fiscal Year,Število dni v poslovnem letu ,Stock Ledger,Stock Ledger DocType: Company,Exchange Gain / Loss Account,Exchange Gain / izida DocType: Amazon MWS Settings,MWS Credentials,MVS poverilnice @@ -5427,6 +5493,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Stolpec v bančni datoteki apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Odstopni program {0} že obstaja proti študentu {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Vrstni red za posodobitev najnovejše cene v vseh gradivih. Traja lahko nekaj minut. +DocType: Pick List,Get Item Locations,Pridobite lokacije apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Ime novega računa. Opomba: Prosimo, da ne ustvarjajo računov za kupce in dobavitelje" DocType: POS Profile,Display Items In Stock,Prikaži elemente na zalogi apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Država pametno privzeti naslov Predloge @@ -5450,6 +5517,7 @@ DocType: Crop,Materials Required,Potrebni materiali apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Najdeno študenti DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Mesečna oprostitev HRA DocType: Clinical Procedure,Medical Department,Medicinski oddelek +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Skupni zgodnji izhodi DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Merila ocenjevanja rezultatov ocenjevanja dobavitelja apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Račun Napotitev Datum apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Prodaja @@ -5461,11 +5529,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Izbrišite zaposlenega {0} \, če želite preklicati ta dokument" DocType: Program Enrollment,School House,šola House DocType: Serial No,Out of AMC,Od AMC DocType: Opportunity,Opportunity Amount,Znesek priložnosti +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Tvoj profil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Število amortizacije naročene ne sme biti večja od skupnega št amortizacije DocType: Purchase Order,Order Confirmation Date,Datum potrditve naročila DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5559,7 +5626,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Obstajajo neskladja med stopnjo, brez delnic in izračunanim zneskom" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Niste bili prisotni ves dan med zahtevki za nadomestni dopust apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,"Prosimo, ponovno tip firma za potrditev" -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Skupaj Izjemna Amt DocType: Journal Entry,Printing Settings,Nastavitve tiskanja DocType: Payment Order,Payment Order Type,Vrsta plačilnega naloga DocType: Employee Advance,Advance Account,Predplačniški račun @@ -5649,7 +5715,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Leto Name apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Obstaja več prazniki od delovnih dneh tega meseca. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Naslednji elementi {0} niso označeni kot {1} element. Lahko jih omogočite kot {1} element iz glavnega elementa -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Izdelek Bundle Postavka DocType: Sales Partner,Sales Partner Name,Prodaja Partner Name apps/erpnext/erpnext/hooks.py,Request for Quotations,Zahteva za Citati @@ -5658,7 +5723,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Listi +DocType: Leave Ledger Entry,Leaves,Listi DocType: Student Language,Student Language,študent jezik DocType: Cash Flow Mapping,Is Working Capital,Je delovni kapital apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Predložite dokazilo @@ -5666,12 +5731,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Naročilo / quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Zapišite bolnike vitale DocType: Fee Schedule,Institution,ustanova -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}) za element: {2} DocType: Asset,Partially Depreciated,delno amortiziranih DocType: Issue,Opening Time,Otvoritev čas apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Od in Do datumov zahtevanih apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Vrednostnih papirjev in blagovne borze -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Povzetek klicev do {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Iskanje dokumentov apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Privzeto mersko enoto za Variant '{0}' mora biti enaka kot v predlogo '{1}' DocType: Shipping Rule,Calculate Based On,Izračun temelji na @@ -5718,6 +5781,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Najvišja dovoljena vrednost 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 DocType: Lab Test Template,Sensitivity,Občutljivost DocType: Plaid Settings,Plaid Settings,Nastavitve Plaid apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Sinhronizacija je bila začasno onemogočena, ker so bile prekoračene največje število ponovnih poskusov" @@ -5735,6 +5799,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Prosimo, izberite datumom knjiženja najprej" apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Pričetek mora biti pred Zapiranje Datum DocType: Travel Itinerary,Flight,Polet +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Nazaj domov DocType: Leave Control Panel,Carry Forward,Carry Forward apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Stroškovno Center z obstoječimi transakcij ni mogoče pretvoriti v knjigo terjatev DocType: Budget,Applicable on booking actual expenses,Veljavno pri rezervaciji dejanskih stroškov @@ -5791,6 +5856,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Ustvarite predrač apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Niste pooblaščeni za odobritev liste na Block termini apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Zahteva za {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Vsi ti artikli so že bili obračunani +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Za {0} {1} ni mogoče najti neporavnanih računov, ki izpolnjujejo filtre, ki ste jih določili." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Nastavite nov datum izdaje DocType: Company,Monthly Sales Target,Mesečni prodajni cilj apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Neplačanih računov ni bilo mogoče najti @@ -5838,6 +5904,7 @@ DocType: Batch,Source Document Name,Vir Ime dokumenta DocType: Batch,Source Document Name,Vir Ime dokumenta DocType: Production Plan,Get Raw Materials For Production,Pridobite surovine za proizvodnjo DocType: Job Opening,Job Title,Job Naslov +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Prihodnje plačilo Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} označuje, da {1} ne bo podal ponudbe, ampak cene vseh postavk so navedene. Posodabljanje statusa ponudb RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Največji vzorci - {0} so bili že shranjeni za serijo {1} in element {2} v seriji {3}. @@ -5848,12 +5915,10 @@ 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: Company,Product Code,Koda izdelka DocType: Quality Review Table,Objective,Cilj DocType: Supplier Scorecard,Per Month,Na mesec DocType: Education Settings,Make Academic Term Mandatory,Naredite akademski izraz obvezen -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Količina na Izdelava mora biti večja od 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Izračunajte proporcionalno amortizacijsko shemo na podlagi davčnega leta +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Količina na Izdelava mora biti večja od 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Obiščite poročilo za vzdrževalna klic. DocType: Stock Entry,Update Rate and Availability,Posodobitev Oceni in razpoložljivost 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.,"Odstotek ste dovoljeno prejemati ali dostaviti bolj proti količine naročenega. Na primer: Če ste naročili 100 enot. in vaš dodatek za 10%, potem ste lahko prejeli 110 enot." @@ -5864,7 +5929,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Datum izdaje mora biti v prihodnosti DocType: BOM,Website Description,Spletna stran Opis apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Neto sprememba v kapitalu -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Prosim za prekinitev računu o nakupu {0} najprej apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,"Ni dovoljeno. Prosimo, onemogočite vrsto servisne enote" apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-poštni naslov mora biti edinstven, že obstaja za {0}" DocType: Serial No,AMC Expiry Date,AMC preteka Datum @@ -5908,6 +5972,7 @@ DocType: Pricing Rule,Price Discount Scheme,Shema popustov na cene apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,"Stanje vzdrževanja je treba preklicati ali končati, da ga pošljete" DocType: Amazon MWS Settings,US,ZDA DocType: Holiday List,Add Weekly Holidays,Dodaj tedenske počitnice +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Postavka poročila DocType: Staffing Plan Detail,Vacancies,Prosta delovna mesta DocType: Hotel Room,Hotel Room,Hotelska soba apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Račun {0} ne pripada podjetju {1} @@ -5959,12 +6024,15 @@ DocType: Email Digest,Open Quotations,Odprte Ponudbe 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Izbrišite zaposlenega {0} \, če želite preklicati ta dokument" 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 @@ -5978,6 +6046,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Prazen DocType: Patient,Alcohol Past Use,Pretekla uporaba alkohola DocType: Fertilizer Content,Fertilizer Content,Vsebina gnojil +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,brez opisa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Država za zaračunavanje DocType: Quality Goal,Monitoring Frequency,Spremljanje pogostosti @@ -5995,6 +6064,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Konec Na datum ne more biti pred naslednjim datumom stika. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Vstopne serije DocType: Journal Entry,Pay To / Recd From,Pay / Recd Od +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Razveljavi element DocType: Naming Series,Setup Series,Nastavitve zaporedja DocType: Payment Reconciliation,To Invoice Date,Če želite Datum računa DocType: Bank Account,Contact HTML,Kontakt HTML @@ -6016,6 +6086,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Maloprodaja DocType: Student Attendance,Absent,Odsoten DocType: Staffing Plan,Staffing Plan Detail,Podrobnosti o kadrovskem načrtu DocType: Employee Promotion,Promotion Date,Datum promocije +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Dodelitev dopusta% s je povezana s prošnjo za dopust% s 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} @@ -6050,9 +6121,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Račun {0} ne obstaja več DocType: Guardian Interest,Guardian Interest,Guardian Obresti DocType: Volunteer,Availability,Razpoložljivost +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Prošnja za dopust je povezana z dodelitvijo dopusta {0}. Zapustitve vloge ni mogoče nastaviti kot dopust brez plačila apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Nastavitev privzetih vrednosti za račune POS DocType: Employee Training,Training,usposabljanje DocType: Project,Time to send,Čas za pošiljanje +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Ta stran spremlja vaše izdelke, za katere so kupci pokazali nekaj zanimanja." DocType: Timesheet,Employee Detail,Podrobnosti zaposleni apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Nastavite skladišče za postopek {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 E-ID @@ -6153,12 +6226,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Otvoritev Vrednost DocType: Salary Component,Formula,Formula apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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: 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/setup/doctype/company/company.py,Sales Account,Prodajni račun DocType: Purchase Invoice Item,Total Weight,Totalna teža +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}" @@ -6182,6 +6255,7 @@ DocType: Company,Default Employee Advance Account,Privzeti račun zaposlenega apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Element iskanja (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.GGGG.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Račun z obstoječim poslom ni mogoče izbrisati +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,"Zakaj mislite, da je treba ta izdelek odstraniti?" DocType: Vehicle,Last Carbon Check,Zadnja Carbon Check apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Pravni stroški apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Izberite količino na vrsti @@ -6201,6 +6275,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Zlomiti se DocType: Travel Itinerary,Vegetarian,Vegetarijansko DocType: Patient Encounter,Encounter Date,Datum srečanja +DocType: Work Order,Update Consumed Material Cost In Project,Posodobiti porabljene stroške materiala v projektu apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Račun: {0} z valuti: ne more biti izbran {1} DocType: Bank Statement Transaction Settings Item,Bank Data,Podatki banke DocType: Purchase Receipt Item,Sample Quantity,Količina vzorca @@ -6255,7 +6330,7 @@ DocType: GSTR 3B Report,April,April 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Opomba: Točka {0} vpisana večkrat +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Opomba: Točka {0} vpisana večkrat apps/erpnext/erpnext/config/buying.py,All Contacts.,Vsi stiki. DocType: Accounting Period,Closed Documents,Zaprti dokumenti 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 @@ -6337,9 +6412,7 @@ DocType: Member,Membership Type,Vrsta članstva ,Reqd By Date,Reqd po Datum apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Upniki DocType: Assessment Plan,Assessment Name,Ime ocena -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Prikažite PDC v tisku apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Vrstica # {0}: Zaporedna številka je obvezna -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Za {0} {1} ni najdenih neporavnanih računov. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Postavka Wise Davčna Detail DocType: Employee Onboarding,Job Offer,Zaposlitvena ponudba apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Kratica inštituta @@ -6398,6 +6471,7 @@ DocType: Serial No,Out of Warranty,Iz garancije DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Tip mapiranih podatkov DocType: BOM Update Tool,Replace,Zamenjaj apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Ni izdelkov. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Objavite več predmetov apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Ta pogodba o ravni storitev je značilna za stranko {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} za Račun {1} DocType: Antibiotic,Laboratory User,Laboratorijski uporabnik @@ -6420,7 +6494,6 @@ DocType: Payment Order Reference,Bank Account Details,Podatki o bančnem računu DocType: Purchase Order Item,Blanket Order,Blanket naročilo 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Proizvodnja naročilo je {0} DocType: BOM Item,BOM No,BOM Ne 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 @@ -6494,6 +6567,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Dohodno obdavčljive dobave (ničelna ocena) DocType: BOM,Materials Required (Exploded),Potreben materiali (eksplodirala) 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/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 @@ -6551,7 +6625,6 @@ DocType: Pricing Rule,Same Item,Isti element DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry DocType: Quality Action Resolution,Quality Action Resolution,Kakovostna ločljivost ukrepov apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} na poldnevni dan pustite {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Enako postavka je bila vpisana večkrat DocType: Department,Leave Block List,Pustite Block List DocType: Purchase Invoice,Tax ID,Davčna številka apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Postavka {0} ni setup za Serijska št. Kolona mora biti prazno @@ -6589,7 +6662,7 @@ DocType: Cheque Print Template,Distance from top edge,Oddaljenost od zgornjega r 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 DocType: Purchase Invoice,Return,Return -DocType: Accounting Dimension,Disable,Onemogoči +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" DocType: Task,Pending Review,Dokler Pregled apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Uredite na celotni strani za več možnosti, kot so sredstva, serijski nosi, serije itd." @@ -6703,7 +6776,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Kombinirani del na računu mora biti enak 100% DocType: Item Default,Default Expense Account,Privzeto Expense račun DocType: GST Account,CGST Account,Račun CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Koda izdelka> Skupina izdelkov> Blagovna znamka apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Študent Email ID DocType: Employee,Notice (days),Obvestilo (dni) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS računi z zaprtimi računi @@ -6714,6 +6786,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,"Izberite predmete, da shranite račun" DocType: Employee,Encashment Date,Vnovčevanje Datum DocType: Training Event,Internet,internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Podatki prodajalca DocType: Special Test Template,Special Test Template,Posebna preskusna predloga DocType: Account,Stock Adjustment,Prilagoditev zaloge apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Obstaja Stroški Privzeta aktivnost za vrsto dejavnosti - {0} @@ -6726,7 +6799,6 @@ 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 Š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 -DocType: Company,Bank Remittance Settings,Nastavitve bančnih nakazil apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Povprečna hitrost 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" @@ -6754,6 +6826,7 @@ DocType: Grading Scale Interval,Threshold,prag apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtriraj zaposlene po (neobvezno) DocType: BOM Update Tool,Current BOM,Trenutni BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Ravnotežje (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Količina izdelka končnega blaga apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Dodaj Serijska št DocType: Work Order Item,Available Qty at Source Warehouse,Na voljo Količina na Vir Warehouse apps/erpnext/erpnext/config/support.py,Warranty,garancija @@ -6832,7 +6905,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Tukaj lahko hranite višino, težo, alergije, zdravstvene pomisleke in podobno" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Ustvarjanje računov ... DocType: Leave Block List,Applies to Company,Velja za podjetja -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Ni mogoče preklicati, ker je predložila Stock Začetek {0} obstaja" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Ni mogoče preklicati, ker je predložila Stock Začetek {0} obstaja" DocType: Loan,Disbursement Date,izplačilo Datum DocType: Service Level Agreement,Agreement Details,Podrobnosti o sporazumu apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Začetni datum pogodbe ne sme biti večji ali enak končnemu datumu. @@ -6841,6 +6914,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Medicinski zapis DocType: Vehicle,Vehicle,vozila DocType: Purchase Invoice,In Words,V besedi +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Do danes mora biti pred datumom apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Pred predložitvijo navedite ime banke ali posojilne institucije. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} je treba vložiti DocType: POS Profile,Item Groups,postavka Skupine @@ -6913,7 +6987,6 @@ DocType: Customer,Sales Team Details,Sales Team Podrobnosti apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Izbriši trajno? DocType: Expense Claim,Total Claimed Amount,Skupaj zahtevani znesek apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potencialne možnosti za prodajo. -DocType: Plaid Settings,Link a new bank account,Povežite nov bančni račun apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} je neveljaven status udeležbe. DocType: Shareholder,Folio no.,Folio št. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Neveljavna {0} @@ -6929,7 +7002,6 @@ DocType: Production Plan,Material Requested,Zahtevani material DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Rezervirano Kol za podizvajalsko pogodbo DocType: Patient Service Unit,Patinet Service Unit,Patinet servisna enota -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Ustvari besedilno datoteko DocType: Sales Invoice,Base Change Amount (Company Currency),Osnovna Sprememba Znesek (družba Valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Ni vknjižbe za naslednjih skladiščih apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Samo za {0} na zalogi za predmet {1} @@ -6943,6 +7015,7 @@ DocType: Item,No of Months,Število mesecev DocType: Item,Max Discount (%),Max Popust (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Kreditni dnevi ne smejo biti negativni apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Naložite izjavo +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Prijavite to postavko DocType: Purchase Invoice Item,Service Stop Date,Datum zaustavitve storitve apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Zadnja naročite Znesek DocType: Cash Flow Mapper,e.g Adjustments for:,npr. prilagoditve za: @@ -7036,16 +7109,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Kategorija oprostitve plačila davka za zaposlene apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Znesek ne sme biti manjši od nič. DocType: Sales Invoice,C-Form Applicable,"C-obliki, ki velja" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},"Delovanje Čas mora biti večja od 0, za obratovanje {0}" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},"Delovanje Čas mora biti večja od 0, za obratovanje {0}" DocType: Support Search Source,Post Route String,String nizov poti apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Skladišče je obvezna apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Spletne strani ni bilo mogoče ustvariti DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Conversion Detail apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Vpis in vpis -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,"Zaprta zaloga, ki je že bila ustvarjena, ali količina vzorca ni zagotovljena" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,"Zaprta zaloga, ki je že bila ustvarjena, ali količina vzorca ni zagotovljena" DocType: Program,Program Abbreviation,Kratica programa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Proizvodnja naročilo ne more biti postavljeno pred Predloga Postavka apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Skupina po vavčerju (prečiščeno) DocType: HR Settings,Encrypt Salary Slips in Emails,Šifrirajte plačne spodrsljaje v e-pošti DocType: Question,Multiple Correct Answer,Več pravilnih odgovorov @@ -7092,7 +7164,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Ni nič ali je oprošče DocType: Employee,Educational Qualification,Izobraževalni Kvalifikacije DocType: Workstation,Operating Costs,Obratovalni stroški apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Valuta za {0} mora biti {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Posledica vpisne milosti DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Označite udeležbo na podlagi „Checkee Employee Checkin“ za zaposlene, dodeljene tej izmeni." DocType: Asset,Disposal Date,odstranjevanje Datum DocType: Service Level,Response and Resoution Time,Čas odziva in odziva @@ -7141,6 +7212,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,datum dokončanja DocType: Purchase Invoice Item,Amount (Company Currency),Znesek (družba Valuta) DocType: Program,Is Featured,Je predstavljeno +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Pridobivanje ... DocType: Agriculture Analysis Criteria,Agriculture User,Kmetijski uporabnik apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Veljaven do datuma ne more biti pred datumom transakcije apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} enot {1} potrebnih v {2} na {3} {4} za {5} za dokončanje te transakcije. @@ -7173,7 +7245,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Total Paid Amt 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 @@ -7197,6 +7268,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonimno apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Prejela od DocType: Lead,Converted,Pretvorjena DocType: Item,Has Serial No,Ima serijsko številko +DocType: Stock Entry Detail,PO Supplied Item,PO dobavljeni artikel 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} @@ -7311,7 +7383,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synch Taxes and Charges 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Privzeti BOM za {0} ni bilo mogoče najti +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,"Dotaknite predmete, da jih dodate tukaj" @@ -7347,7 +7419,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Vzdrževanje Datum DocType: Purchase Invoice Item,Rejected Serial No,Zavrnjeno Zaporedna številka apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,"Leto datum začetka oziroma prenehanja se prekrivajo z {0}. Da bi se izognili prosim, da podjetje" -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 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Prosimo, navedite vodilno ime v vodniku {0}" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Začetni datum mora biti manjša od končnega datuma za postavko {0} DocType: Shift Type,Auto Attendance Settings,Nastavitve samodejne udeležbe @@ -7357,9 +7428,11 @@ DocType: Upload Attendance,Upload Attendance,Naloži Udeležba apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM and Manufacturing Količina so obvezna apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Staranje Razpon 2 DocType: SG Creation Tool Course,Max Strength,Max moč +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
",Račun {0} že obstaja v otroškem podjetju {1}. Naslednja polja imajo različne vrednosti in morajo biti enaka:
  • {2}
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Namestitev prednastavitev DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Za kupca ni izbranega obvestila o dostavi {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Vrstice dodane v {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Zaposleni {0} nima največjega zneska nadomestila apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Izberite elemente glede na datum dostave DocType: Grant Application,Has any past Grant Record,Ima dodeljen zapis @@ -7405,6 +7478,7 @@ DocType: Fees,Student Details,Podrobnosti študenta DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".","To je privzeti UOM, ki se uporablja za predmete in prodajna naročila. Rezervni UOM je "št."" DocType: Purchase Invoice Item,Stock Qty,Stock Kol DocType: Purchase Invoice Item,Stock Qty,Stock Kol +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 DocType: Loan,Repayment Period in Months,Vračilo Čas v mesecih @@ -7433,6 +7507,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Popust apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet za naloge. DocType: Purchase Invoice,Against Expense Account,Proti Expense račun apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Je že bil predložen Namestitev Opomba {0} +DocType: BOM,Raw Material Cost (Company Currency),Stroški surovin (valuta podjetja) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Dnevi plačila najemnine se prekrivajo z {0} DocType: GSTR 3B Report,October,Oktober DocType: Bank Reconciliation,Get Payment Entries,Dobili plačila Entries @@ -7480,15 +7555,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Potreben je datum uporabe DocType: Request for Quotation,Supplier Detail,Dobavitelj Podrobnosti apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Napaka v formuli ali stanja: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Obračunani znesek +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Obračunani znesek apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Uteži meril morajo biti do 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Udeležba apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,zalogi DocType: Sales Invoice,Update Billed Amount in Sales Order,Posodobi obračunani znesek v prodajnem nalogu +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Kontaktiraj prodajalca 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"V besedi bo viden, ko boste prihranili naročilnico." @@ -7502,6 +7579,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Cenik gospodar. DocType: Task,Review Date,Pregled Datum DocType: BOM,Allow Alternative Item,Dovoli alternativni element +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Potrdilo o nakupu nima nobenega predmeta, za katerega bi bil omogočen Retain Sample." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Račun za skupni znesek DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serija za vpis vrednosti amortizacije (dnevnik) DocType: Membership,Member Since,Član od @@ -7511,6 +7589,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,On Net Total 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},Vrednost atributa {0} mora biti v razponu od {1} do {2} v korakih po {3} za postavko {4} DocType: Pricing Rule,Product Discount Scheme,Shema popustov na izdelke +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Pozivatelj ni postavil nobenega vprašanja. DocType: Restaurant Reservation,Waitlisted,Waitlisted DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategorija izvzetja apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Valuta ni mogoče spremeniti, potem ko vnose uporabljate kakšno drugo valuto" @@ -7524,7 +7603,6 @@ DocType: Customer Group,Parent Customer Group,Parent Customer Group apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON lahko ustvarite samo iz prodajnega računa apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Največje število poskusov tega kviza! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Naročnina -DocType: Purchase Invoice,Contact Email,Kontakt E-pošta apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Čakanje v kreiranju DocType: Project Template Task,Duration (Days),Trajanje (dnevi) DocType: Appraisal Goal,Score Earned,Rezultat Zaslužili @@ -7549,7 +7627,6 @@ DocType: Landed Cost Item,Landed Cost Item,Pristali Stroški Postavka 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Znesek za posamezno transakcijo presega najvišji dovoljeni znesek, z ločitvijo transakcij ustvarite ločen plačilni nalog" 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 @@ -7719,6 +7796,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Na vo DocType: Quality Inspection Reading,Reading 3,Branje 3 DocType: Stock Entry,Source Warehouse Address,Naslov skladišča vira DocType: GL Entry,Voucher Type,Bon Type +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Prihodnja plačila 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 @@ -7745,6 +7823,7 @@ DocType: Travel Request,Identification Document Number,Številka identifikacijsk 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." DocType: Sales Invoice,Customer GSTIN,GSTIN stranka DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Seznam bolezni, odkritih na terenu. Ko je izbran, bo samodejno dodal seznam nalog, ki se ukvarjajo z boleznijo" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,To je korenska storitev zdravstvene oskrbe in je ni mogoče urejati. DocType: Asset Repair,Repair Status,Stanje popravila 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." @@ -7759,6 +7838,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Račun za znesek spremembe DocType: QuickBooks Migrator,Connecting to QuickBooks,Povezava na QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Skupni dobiček / izguba +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Ustvari seznam izbirnikov apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Vrstica {0}: Party / račun se ne ujema z {1} / {2} v {3} {4} DocType: Employee Promotion,Employee Promotion,Promocija zaposlenih DocType: Maintenance Team Member,Maintenance Team Member,Član vzdrževalne ekipe @@ -7842,6 +7922,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Neto plača ne more biti negativna @@ -7873,7 +7954,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Cilj kakovosti DocType: BOM,Item to be manufactured or repacked,"Postavka, ki se proizvaja ali prepakirana" apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Sintaktična napaka v stanju: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Stranka ne postavlja nobenega vprašanja. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.LLLL.- DocType: Employee Education,Major/Optional Subjects,Glavni / Izbirni predmeti apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,V nastavitvah nakupa nastavite skupino dobaviteljev. @@ -7966,8 +8046,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Kreditni dnevi apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,"Prosimo, izberite Patient, da dobite laboratorijske teste" DocType: Exotel Settings,Exotel Settings,Nastavitve Exotela -DocType: Leave Type,Is Carry Forward,Se Carry Forward +DocType: Leave Ledger Entry,Is Carry Forward,Se Carry Forward DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Delovni čas, pod katerim je odsoten. (Nič, da onemogoči)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Poslati sporočilo apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Pridobi artikle iz BOM 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 diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv index 21031c602c..2e12cd0b68 100644 --- a/erpnext/translations/sq.csv +++ b/erpnext/translations/sq.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Njoftoni Furnizuesin apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,"Ju lutem, përzgjidhni Partisë Lloji i parë" DocType: Item,Customer Items,Items të konsumatorëve +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,detyrimet DocType: Project,Costing and Billing,Kushton dhe Faturimi apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Monedha e llogarisë së paradhënies duhet të jetë e njëjtë si monedha e kompanisë {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Gabim Njësia e Masës DocType: SMS Center,All Sales Partner Contact,Të gjitha Sales Partner Kontakt DocType: Department,Leave Approvers,Lini Aprovuesit DocType: Employee,Bio / Cover Letter,Bio / Letër Cover +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Kërko Artikujt ... DocType: Patient Encounter,Investigations,hetimet DocType: Restaurant Order Entry,Click Enter To Add,Kliko Enter To Add apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Vlera e humbur për Password, API Key ose Shopify URL" DocType: Employee,Rented,Me qira apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Të gjitha llogaritë apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Nuk mund të transferojë punonjës me statusin e majtë -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Ndaloi Rendit prodhimit nuk mund të anulohet, tapën atë më parë për të anulluar" DocType: Vehicle Service,Mileage,Largësi apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,A jeni të vërtetë doni për të hequr këtë pasuri? DocType: Drug Prescription,Update Schedule,Orari i azhurnimit @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Klient DocType: Purchase Receipt Item,Required By,Kërkohet nga DocType: Delivery Note,Return Against Delivery Note,Kthehu Kundër dorëzimit Shënim DocType: Asset Category,Finance Book Detail,Detajet e librit financiar +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Të gjitha amortizimet janë prenotuar DocType: Purchase Order,% Billed,% Faturuar apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Numri i pagave apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate duhet të jetë i njëjtë si {0} {1} ({2}) @@ -95,6 +97,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Batch Item Status skadimit apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Draft Bank DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Hyrjet totale të vonë DocType: Mode of Payment Account,Mode of Payment Account,Mënyra e Llogarisë Pagesave apps/erpnext/erpnext/config/healthcare.py,Consultation,këshillim DocType: Accounts Settings,Show Payment Schedule in Print,Trego orarin e pagesës në Print @@ -122,6 +125,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,N apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Detajet e Fillimit të Kontaktit apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Çështjet e hapura DocType: Production Plan Item,Production Plan Item,Prodhimit Plani i artikullit +DocType: Leave Ledger Entry,Leave Ledger Entry,Lini Hyrjen e Ledger 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 @@ -140,6 +144,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Shu DocType: Purchase Invoice Item,Item Weight Details,Pesha Detajet e artikullit DocType: Asset Maintenance Log,Periodicity,Periodicitet apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Viti Fiskal {0} është e nevojshme +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Fitimi / Humbja neto DocType: Employee Group Table,ERPNext User ID,ID e përdoruesit ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Distanca minimale midis rreshtave të bimëve për rritje optimale apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Ju lutemi zgjidhni Pacientin për të marrë procedurën e përshkruar @@ -167,10 +172,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Lista e Çmimeve të Shitjes DocType: Patient,Tobacco Current Use,Përdorimi aktual i duhanit apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Shitja e normës -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Ju lutemi ruani dokumentin tuaj përpara se të shtoni një llogari të re 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ë ... 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 @@ -232,6 +237,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Fond DocType: Exchange Rate Revaluation Account,Gain/Loss,Gain / Humbje DocType: Crop,Perennial,gjithëvjetor DocType: Program,Is Published,Botohet +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Trego Shënimet e Dorëzimit apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Për të lejuar faturimin, azhurnoni "Mbi lejimin e faturimit" në Cilësimet e Llogarive ose Artikullit." DocType: Patient Appointment,Procedure,procedurë DocType: Accounts Settings,Use Custom Cash Flow Format,Përdorni Custom Flow Format Custom @@ -261,7 +267,6 @@ 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} DocType: Leave Policy,Leave Policy Details,Lini Detajet e Politikave DocType: BOM,Item Image (if not slideshow),Item Image (nëse nuk Slideshow) -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} është e detyrueshme për gjenerimin e pagesave të dërgesave, vendosni fushën dhe provoni përsëri" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Ore Rate / 60) * aktuale Operacioni Koha apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Rreshti # {0}: Referenca Lloji i Dokumentit duhet të jetë një nga Kërkesat e Shpenzimeve ose Hyrja në Regjistrim apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Zgjidh BOM @@ -281,6 +286,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Paguaj Over numri i periudhave apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Sasia e Prodhimit nuk mund të jetë më e vogël se Zero DocType: Stock Entry,Additional Costs,Kostot shtesë +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klienti> Grupi i Klientëve> Territori apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Llogaria me transaksion ekzistuese nuk mund të konvertohet në grup. DocType: Lead,Product Enquiry,Produkt Enquiry DocType: Education Settings,Validate Batch for Students in Student Group,Vlereso Batch për Studentët në Grupin e Studentëve @@ -292,7 +298,9 @@ DocType: Employee Education,Under Graduate,Nën diplomuar apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Vendosni modelin e parazgjedhur për Njoftimin e Statusit të Lëvizjes në Cilësimet e HR. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Target Në DocType: BOM,Total Cost,Kostoja Totale +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Alokimi skadoi! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Gjethet maksimale të bartura të gjetheve DocType: Salary Slip,Employee Loan,Kredi punonjës DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Dërgoni Email Kërkesën për Pagesë @@ -302,6 +310,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Real E apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Deklarata e llogarisë apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Farmaceutike DocType: Purchase Invoice Item,Is Fixed Asset,Është i aseteve fikse +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Trego Pagesat e Ardhme DocType: Patient,HLC-PAT-.YYYY.-,FDH-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Kjo llogari bankare është tashmë e sinkronizuar DocType: Homepage,Homepage Section,Seksioni në faqe @@ -348,7 +357,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,pleh apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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. -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Të paktën një mënyra e pagesës është e nevojshme për POS faturë. DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Çështja e faturës së transaksionit të bankës DocType: Salary Detail,Tax on flexible benefit,Tatimi mbi përfitimet fleksibël @@ -422,6 +430,7 @@ DocType: Job Offer,Select Terms and Conditions,Zgjidhni Termat dhe Kushtet apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Vlera out DocType: Bank Statement Settings Item,Bank Statement Settings Item,Parametrat e Deklarimit të Bankës DocType: Woocommerce Settings,Woocommerce Settings,Cilësimet e Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Emri i transaksionit DocType: Production Plan,Sales Orders,Sales Urdhërat apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Programi i besnikërisë së shumëfishtë u gjet për Klientin. Ju lutemi zgjidhni me dorë. DocType: Purchase Taxes and Charges,Valuation,Vlerësim @@ -456,6 +465,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Trego vetëm Konsumatorin e këtyre Grupeve të Klientëve DocType: Sales Invoice,Is Opening Entry,Është Hapja Hyrja @@ -464,8 +474,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Përmend në qoftë se jo-standarde llogari të arkëtueshme të zbatueshme 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 DocType: Supplier Scorecard,Criteria Setup,Vendosja e kritereve -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Për Magazina është e nevojshme para se të Submit +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ë DocType: Codification Table,Medical Code,Kodi mjekësor apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Lidhu Amazon me ERPNext @@ -481,7 +492,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Llogaritë bankare u shtuan -DocType: Delivery Stop,Contact Name,Kontakt Emri +DocType: Call Log,Contact Name,Kontakt Emri DocType: Plaid Settings,Synchronize all accounts every hour,Sinkronizoni të gjitha llogaritë çdo orë DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteret e vlerësimit kurs DocType: Pricing Rule Detail,Rule Applied,Rregulli i zbatuar @@ -525,7 +536,6 @@ 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ë -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Numri i panjohur DocType: Website Filter Field,Website Filter Field,Fusha e Filterit në Uebfaqe apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Lloji i Furnizimit DocType: Material Request Item,Min Order Qty,Rendit min Qty @@ -553,7 +563,6 @@ DocType: Salary Slip,Total Principal Amount,Shuma Totale Totale DocType: Student Guardian,Relation,Lidhje DocType: Quiz Result,Correct,i saktë DocType: Student Guardian,Mother,nënë -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Ju lutemi shtoni së pari çelësat e vlefshëm të Plaid api në site_config.json së pari DocType: Restaurant Reservation,Reservation End Time,Koha e përfundimit të rezervimit DocType: Crop,Biennial,dyvjeçar ,BOM Variance Report,Raporti i variancës së BOM @@ -568,6 +577,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Pagesës kundër {0} {1} nuk mund të jetë më i madh se Outstanding Sasia {2} @@ -615,12 +625,14 @@ DocType: POS Profile,Offline POS Settings,Cilësimet POS jashtë linje DocType: Stock Entry Detail,Reference Purchase Receipt,Pranimi i Blerjes së Referencës DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variant i -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Kompletuar Qty nuk mund të jetë më i madh se "Qty për Prodhimi" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Kompletuar Qty nuk mund të jetë më i madh se "Qty për Prodhimi" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Periudha e bazuar në DocType: Period Closing Voucher,Closing Account Head,Mbyllja Shef Llogaria DocType: Employee,External Work History,Historia e jashtme apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Qarkorja Referenca Gabim apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Kartela e Raportimit të Studentëve apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Nga Kodi Pin +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Shfaq personin e shitjeve DocType: Appointment Type,Is Inpatient,Është pacient apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Emri Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Me fjalë (eksport) do të jetë i dukshëm një herë ju ruani notën shpërndarëse. @@ -634,6 +646,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Emri i dimensionit apps/erpnext/erpnext/healthcare/setup.py,Resistant,i qëndrueshëm apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Ju lutemi përcaktoni vlerën e dhomës së hotelit në {} +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: Journal Entry,Multi Currency,Multi Valuta DocType: Bank Statement Transaction Invoice Item,Invoice Type,Lloji Faturë apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Vlefshmëria nga data duhet të jetë më pak se data e vlefshme @@ -653,6 +666,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,pranuar DocType: Workstation,Rent Cost,Qira Kosto 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Ardhshme Ngjarje Kalendari apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Atributet variant @@ -741,7 +755,6 @@ DocType: Request for Quotation,Request for Quotation,Kërkesa për kuotim DocType: Healthcare Settings,Require Lab Test Approval,Kërkoni miratimin e testit të laboratorit DocType: Attendance,Working Hours,Orari i punës apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool_dashboard.html,Total Outstanding,Gjithsej Outstanding -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Shfaqni personin e shitjeve në shtyp DocType: Naming Series,Change the starting / current sequence number of an existing series.,Ndryshimi filluar / numrin e tanishëm sekuencë e një serie ekzistuese. 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.,"Përqindja ju lejohet të faturoni më shumë kundër shumës së porositur. Për shembull: Nëse vlera e porosisë është 100 dollarë për një artikull dhe toleranca është vendosur si 10%, atëherë ju lejohet të faturoni për 110 dollarë." DocType: Dosage Strength,Strength,Forcë @@ -749,7 +762,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Krijo një klient i ri apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Po kalon apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Nëse Rregullat shumta Çmimeve të vazhdojë të mbizotërojë, përdoruesit janë të kërkohet për të vendosur përparësi dorë për të zgjidhur konfliktin." -DocType: Purchase Invoice,Scan Barcode,Skanoni barkodin apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Krijo urdhëron Blerje ,Purchase Register,Blerje Regjistrohu apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Pacienti nuk u gjet @@ -808,6 +820,7 @@ DocType: Account,Old Parent,Vjetër Parent apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Fushë e detyrueshme - Viti akademik apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Fushë e detyrueshme - Viti akademik apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} nuk është i lidhur me {2} {3} +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} @@ -850,6 +863,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Komponenti Paga për pasqyrë e mungesave pagave bazë. DocType: Driver,Applicable for external driver,I aplikueshëm për shoferin e jashtëm DocType: Sales Order Item,Used for Production Plan,Përdoret për Planin e prodhimit +DocType: BOM,Total Cost (Company Currency),Kostoja totale (Valuta e Kompanisë) DocType: Loan,Total Payment,Pagesa Total apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Nuk mund të anulohet transaksioni për Urdhrin e Përfunduar të Punës. DocType: Manufacturing Settings,Time Between Operations (in mins),Koha Midis Operacioneve (në minuta) @@ -871,6 +885,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Njoftoni Tjeter DocType: Vital Signs,Blood Pressure (systolic),Presioni i gjakut (systolic) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} është {2} DocType: Item Price,Valid Upto,Valid Upto +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ë. @@ -974,6 +989,7 @@ DocType: Purchase Invoice,Registered Composition,Përbërja e regjistruar apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Përshëndetje apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Leviz Item DocType: Employee Incentive,Incentive Amount,Shuma stimuluese +,Employee Leave Balance Summary,Përmbledhja e Bilancit të Punonjësve DocType: Serial No,Warranty Period (Days),Garanci Periudha (ditë) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Shuma totale e kredisë / debitit duhet të jetë e njëjtë me regjistrimin e lidhur me ditarin DocType: Installation Note Item,Installation Note Item,Instalimi Shënim Item @@ -987,6 +1003,7 @@ DocType: Vital Signs,Bloated,i fryrë DocType: Salary Slip,Salary Slip Timesheet,Paga Slip pasqyrë e mungesave apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Furnizuesi Magazina i detyrueshëm për të nën-kontraktuar Blerje marrjes DocType: Item Price,Valid From,Valid Nga +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Vlerësimi juaj: DocType: Sales Invoice,Total Commission,Komisioni i përgjithshëm DocType: Tax Withholding Account,Tax Withholding Account,Llogaria e Mbajtjes së Tatimit DocType: Pricing Rule,Sales Partner,Sales Partner @@ -994,6 +1011,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Të gjitha tabela 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 +DocType: Item,Website Image,Imazhi i faqes në internet apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Magazina e synuar në rresht {0} duhet të jetë e njëjtë me rendin e punës apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Vlerësimi Vlerësoni është i detyrueshëm në qoftë Hapja Stock hyrë 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 @@ -1026,8 +1044,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Receive at Warehou apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},Dorëzuar: {0} DocType: QuickBooks Migrator,Connected to QuickBooks,Lidhur me QuickBooks 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Ju lutemi plotësoni konfigurimin tuaj të Plaid API përpara sinkronizimit të llogarisë tuaj 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 DocType: Job Applicant,Resume Attachment,Resume Attachment @@ -1039,7 +1057,6 @@ DocType: Production Plan,Production Plan,Plani i prodhimit DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Hapja e Faturave të Faturës DocType: Salary Component,Round to the Nearest Integer,Raundi për interesin më të afërt apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Shitjet Kthehu -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Shënim: gjethet total alokuara {0} nuk duhet të jetë më pak se gjethet e miratuara tashmë {1} për periudhën DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Set Qty në Transaksionet bazuar në Serial No Input ,Total Stock Summary,Total Stock Përmbledhje DocType: Announcement,Posted By,postuar Nga @@ -1066,6 +1083,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Nj apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,shumën e principalit DocType: Loan Application,Total Payable Interest,Interesi i përgjithshëm për t'u paguar apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Totali Outstanding: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Kontakt i hapur 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 @@ -1074,6 +1092,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Seria e emërtimit të fat 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 DocType: Restaurant Reservation,Restaurant Reservation,Rezervim Restoranti +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Artikujt tuaj apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Propozimi Shkrimi DocType: Payment Entry Deduction,Payment Entry Deduction,Pagesa Zbritja Hyrja DocType: Service Level Priority,Service Level Priority,Prioriteti i nivelit të shërbimit @@ -1082,6 +1101,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Seritë e Serisë së Serisë apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Një person tjetër Sales {0} ekziston me të njëjtin id punonjës DocType: Employee Advance,Claimed Amount,Shuma e kërkuar +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Alokimi i Perandorisë 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 @@ -1149,7 +1169,6 @@ DocType: Student Batch Name,Batch Name,Batch Emri DocType: Fee Validity,Max number of visit,Numri maksimal i vizitës DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,E detyrueshme për llogarinë e fitimit dhe humbjes ,Hotel Room Occupancy,Perdorimi i dhomes se hotelit -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Pasqyrë e mungesave krijuar: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Ju lutemi të vendosur Cash parazgjedhur apo llogari bankare në mënyra e pagesës {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,regjistroj DocType: GST Settings,GST Settings,GST Settings @@ -1282,6 +1301,7 @@ DocType: Sales Invoice,Commission Rate (%),Vlerësoni komision (%) 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: Request for Quotation,Link to material requests,Link të kërkesave materiale +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,publikoj apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Hapësirës ajrore ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Credit Card Hyrja @@ -1308,6 +1328,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Pasuritë e tanishme apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} nuk eshte artikull stok apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Ju lutemi ndani komentet tuaja në trajnim duke klikuar në 'Trajnimi i Feedback' dhe pastaj 'New' +DocType: Call Log,Caller Information,Informacioni i Thirrësit DocType: Mode of Payment Account,Default Account,Gabim Llogaria apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Ju lutemi zgjidhni Sample Retention Warehouse në Stock Settings për herë të parë apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Ju lutemi zgjidhni llojin e Programit Multiple Tier për më shumë se një rregulla mbledhjeje. @@ -1332,6 +1353,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Kërkesat Auto Materiale Generated DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Orari i punës nën të cilin shënohet Gjysma e Ditës. (Zero për të çaktivizuar) DocType: Job Card,Total Completed Qty,Sasia totale e përfunduar +DocType: HR Settings,Auto Leave Encashment,Largimi i automjetit apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,I humbur apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Ju nuk mund të hyjë kupon aktual në "Kundër Journal hyrjes 'kolonë DocType: Employee Benefit Application Detail,Max Benefit Amount,Shuma e përfitimit maksimal @@ -1361,9 +1383,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,pajtimtar DocType: Item Attribute Value,Item Attribute Value,Item atribut Vlera apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Këmbimi Valutor duhet të jetë i aplikueshëm për blerjen ose për shitjen. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Vetëm alokimi i skaduar mund të anulohet DocType: Item,Maximum sample quantity that can be retained,Sasia maksimale e mostrës që mund të ruhet apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},{0} # Njësia {1} nuk mund të transferohet më shumë se {2} kundër Urdhëresës së Blerjes {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Shitjet fushata. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Thirrësi i panjohur DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1395,6 +1419,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Orari i Kuj apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Emri DocType: Expense Claim Detail,Expense Claim Type,Shpenzimet e kërkesës Lloji DocType: Shopping Cart Settings,Default settings for Shopping Cart,Default settings për Shportë +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Ruaj artikullin apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Shpenzim i ri apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Injoroni Qantin Urdhërues Ekzistues apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Shto Timeslots @@ -1407,6 +1432,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Thirrja e Shqyrtimit të dërguar DocType: Shift Assignment,Shift Assignment,Shift Caktimi DocType: Employee Transfer Property,Employee Transfer Property,Pronësia e transferimit të punonjësve +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Fusha e llogarisë së kapitalit / detyrimit nuk mund të jetë bosh apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Nga koha duhet të jetë më pak se koha apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Bioteknologji apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1488,11 +1514,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Nga shtet 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Orari i kursit DocType: GSTR 3B Report,GSTR 3B Report,Raporti GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Statusi i citatit DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Përfundimi Statusi +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Shuma totale e pagesave nuk mund të jetë më e madhe se {} DocType: Daily Work Summary Group,Select Users,Zgjidh Përdoruesit DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Çmimi i dhomës së hotelit DocType: Loyalty Program Collection,Tier Name,Emri i grupit @@ -1530,6 +1558,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Shuma e DocType: Lab Test Template,Result Format,Formati i rezultatit DocType: Expense Claim,Expenses,Shpenzim DocType: Service Level,Support Hours,mbështetje Hours +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Shënimet e Dorëzimit DocType: Item Variant Attribute,Item Variant Attribute,Item Varianti Atributi ,Purchase Receipt Trends,Trendet Receipt Blerje DocType: Payroll Entry,Bimonthly,dy herë në muaj @@ -1551,7 +1580,6 @@ DocType: Sales Team,Incentives,Nxitjet DocType: SMS Log,Requested Numbers,Numrat kërkuara DocType: Volunteer,Evening,mbrëmje DocType: Quiz,Quiz Configuration,Konfigurimi i kuizit -DocType: Customer,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 @@ -1598,7 +1626,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Kursi i ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Në pamundësi për të gjetur vend i caktuar kohë në {0} ditëve të ardhshme për funksionimin {1} DocType: Work Order,Plan material for sub-assemblies,Materiali plan për nën-kuvendet 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 @@ -1613,9 +1640,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Ju duhet të aktivizoni rivlerësimin automatik në Parametrat e aksioneve për të ruajtur nivelet e rendit të ri. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Anuloje Vizitat Materiale {0} para anulimit të kësaj vizite Mirëmbajtja DocType: Pricing Rule,Rate or Discount,Rate ose zbritje +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Te dhenat e Bankes DocType: Vital Signs,One Sided,Njëra anë apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serial Asnjë {0} nuk i përkasin Item {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Kerkohet Qty +DocType: Purchase Order Item Supplied,Required Qty,Kerkohet Qty DocType: Marketplace Settings,Custom Data,Të Dhënat Custom 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 @@ -1642,7 +1670,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Llogaria Valuta DocType: Lab Test,Sample ID,Shembull i ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Ju lutemi të përmendim rrumbullohem Llogari në Kompaninë -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Varg DocType: Supplier,Default Payable Accounts,Default Llogaritë e pagueshme apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Punonjës {0} nuk është aktiv apo nuk ekziston @@ -1683,8 +1710,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Kërkesë për Informacion DocType: Course Activity,Activity Date,Data e aktivitetit apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} e {} -,LeaderBoard,Fituesit DocType: Sales Invoice Item,Rate With Margin (Company Currency),Shkalla me margjinë (Valuta e kompanisë) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategoritë apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sync Offline Faturat DocType: Payment Request,Paid,I paguar DocType: Service Level,Default Priority,Prioriteti i paracaktuar @@ -1719,11 +1746,11 @@ DocType: Agriculture Task,Agriculture Task,Detyra e Bujqësisë apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Të ardhurat indirekte DocType: Student Attendance Tool,Student Attendance Tool,Pjesëmarrja Student Tool DocType: Restaurant Menu,Price List (Auto created),Lista e çmimeve (krijuar automatikisht) +DocType: Pick List Item,Picked Qty,Zgjodhi sasi DocType: Cheque Print Template,Date Settings,Data Settings 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 -,Company Name,Emri i kompanisë 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 @@ -1742,7 +1769,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Përpjekja e fundit DocType: Quiz Result,Quiz Result,Rezultati i Kuizit 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} -DocType: BOM,Raw Material Cost(Company Currency),Raw Material Kosto (Company Valuta) 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 @@ -1811,6 +1837,7 @@ DocType: Travel Itinerary,Train,tren ,Delayed Item Report,Raporti i Vonesës me Vonesë apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC të pranueshëm DocType: Healthcare Service Unit,Inpatient Occupancy,Qëndrimi spitalor +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Publikoni Artikujt tuaj të Parë DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Koha pas përfundimit të ndërrimit, gjatë së cilës check-out konsiderohet për pjesëmarrje." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Ju lutem specifikoni një {0} @@ -1929,6 +1956,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Të gjitha BOM apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Krijoni hyrjen e revistës Inter Company DocType: Company,Parent Company,Kompania e Prindërve apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotel Dhoma të tipit {0} nuk janë në dispozicion në {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Krahasoni BOM për ndryshimet në lëndët e para dhe operacionet apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokumenti {0} i pa shpallur me sukses DocType: Healthcare Practitioner,Default Currency,Gabim Valuta apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Barazoni këtë llogari @@ -1963,6 +1991,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detail C-Forma Faturë DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pagesa Pajtimi Faturë DocType: Clinical Procedure,Procedure Template,Modeli i Procedurës +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publikoni Artikujt apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Kontributi% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Sipas Settings Blerja në qoftë Rendit Blerje Kërkohet == 'PO', pastaj për krijimin Blerje Faturën, përdoruesi duhet të krijoni Rendit Blerje parë për pikën {0}" ,HSN-wise-summary of outward supplies,HSN-përmbledhje e menjëhershme e furnizimeve të jashtme @@ -1974,7 +2003,6 @@ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Shporta Transpo apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Ju lutemi të vendosur 'Aplikoni Discount shtesë në' DocType: Party Tax Withholding Config,Applicable Percent,Perqindja e aplikueshme ,Ordered Items To Be Billed,Items urdhëruar të faturuar -DocType: Employee Checkin,Exit Grace Period Consequence,Dalja e pasojës së periudhës së hirit apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Nga një distancë duhet të jetë më pak se në rang DocType: Global Defaults,Global Defaults,Defaults Global apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Bashkëpunimi Project Ftesë @@ -1982,13 +2010,11 @@ DocType: Salary Slip,Deductions,Zbritjet DocType: Setup Progress Action,Action Name,Emri i Veprimit apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,fillimi Year apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Krijoni kredi -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Data e fillimit të periudhës së fatura aktual DocType: Shift Type,Process Attendance After,Pjesëmarrja në proces pas ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Lini pa pagesë DocType: Payment Request,Outward,jashtë -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Kapaciteti Planifikimi Gabim apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Taksa e shtetit / UT ,Trial Balance for Party,Bilanci gjyqi për Partinë ,Gross and Net Profit Report,Raporti i fitimit bruto dhe neto @@ -2006,7 +2032,6 @@ DocType: Bank Statement Transaction Entry,Payment Invoice Items,Artikujt e fatur DocType: Payroll Entry,Employee Details,Detajet e punonjësve 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. -DocType: Setup Progress Action,Domains,Fushat 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 @@ -2048,7 +2073,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Takimi Më 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.","Mode pagesa nuk është i konfiguruar. Ju lutem kontrolloni, nëse llogaria është vendosur në Mode të pagesave ose në POS Profilin." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Same artikull nuk mund të futen shumë herë. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Llogaritë e mëtejshme mund të bëhen në bazë të grupeve, por hyra mund të bëhet kundër jo-grupeve" -DocType: Email Campaign,Lead,Lead +DocType: Call Log,Lead,Lead DocType: Email Digest,Payables,Pagueshme DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Fushata për Email @@ -2060,6 +2085,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Items Rendit Blerje Për të faturohet DocType: Program Enrollment Tool,Enrollment Details,Detajet e Regjistrimit apps/erpnext/erpnext/stock/doctype/item/item.py,Cannot set multiple Item Defaults for a company.,Nuk mund të caktojë shuma të caktuara të objekteve për një kompani. +DocType: Customer Group,Credit Limits,Kufijtë e kredisë DocType: Purchase Invoice Item,Net Rate,Net Rate apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Ju lutemi zgjidhni një klient DocType: Leave Policy,Leave Allocations,Lërini alokimet @@ -2073,6 +2099,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Mbylle Issue pas ditë ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Duhet të jesh një përdorues me rolet e Menaxhimit të Sistemit dhe Menaxhimit të Arteve për t'i shtuar përdoruesit në Marketplace. +DocType: Attendance,Early Exit,Dalja e parakohshme DocType: Job Opening,Staffing Plan,Plani i stafit apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,Bill JSON e-Way mund të gjenerohet vetëm nga një dokument i paraqitur apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Taksat dhe përfitimet e punonjësve @@ -2095,6 +2122,7 @@ DocType: Maintenance Team Member,Maintenance Role,Roli i Mirëmbajtjes apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Duplicate rresht {0} me të njëjtën {1} DocType: Marketplace Settings,Disable Marketplace,Çaktivizo tregun DocType: Quality Meeting,Minutes,minuta +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Artikujt tuaj të preferuar ,Trial Balance,Bilanci gjyqi apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Shfaqja e përfunduar apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Viti Fiskal {0} nuk u gjet @@ -2104,8 +2132,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Përdoruesi i Rezervimit 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ë" 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- -DocType: Shift Type,Consequence,pasojë DocType: Subscription Settings,Subscription Settings,Parametrat e pajtimit DocType: Purchase Invoice,Update Auto Repeat Reference,Përditëso referencën e përsëritjes automatike apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Listë pushimi opsionale nuk është caktuar për periudhën e pushimit {0} @@ -2116,7 +2144,6 @@ DocType: Maintenance Visit Purpose,Work Done,Punën e bërë apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Ju lutem specifikoni të paktën një atribut në tabelë Atributet DocType: Announcement,All Students,Të gjitha Studentët apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,{0} artikull duhet të jetë një element jo-aksioneve -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Deatils e bankës apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Shiko Ledger DocType: Grading Scale,Intervals,intervalet DocType: Bank Statement Transaction Entry,Reconciled Transactions,Transaksionet e pajtuara @@ -2152,6 +2179,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Mundësi Item DocType: Quality Action,Quality Review,Rishikimi i cilësisë @@ -2178,7 +2206,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Accounts Payable Summary,Llogaritë e pagueshme Përmbledhje apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Not authorized to edit frozen Account {0},Nuk është i autorizuar për të redaktuar Llogari ngrirë {0} DocType: Journal Entry,Get Outstanding Invoices,Get Faturat e papaguara -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Sales Order {0} nuk është e vlefshme +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Sales Order {0} nuk është e vlefshme DocType: Supplier Scorecard,Warn for new Request for Quotations,Paralajmëroni për Kërkesë të re për Kuotime apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,urdhrat e blerjes t'ju ndihmuar të planit dhe të ndjekin deri në blerjet tuaja apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Recetat e testit të laboratorit @@ -2202,6 +2230,7 @@ DocType: Employee Onboarding,Notify users by email,Njoftoni përdoruesit me emai DocType: Travel Request,International,ndërkombëtar DocType: Training Event,Training Event,Event Training DocType: Item,Auto re-order,Auto ri-qëllim +DocType: Attendance,Late Entry,Hyrja e vonë apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Gjithsej Arritur DocType: Employee,Place of Issue,Vendi i lëshimit DocType: Promotional Scheme,Promotional Scheme Price Discount,Zbritje e çmimit të skemës promovuese @@ -2248,6 +2277,7 @@ DocType: Serial No,Serial No Details,Serial No Detajet DocType: Purchase Invoice Item,Item Tax Rate,Item Tax Rate apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Nga emri i partisë apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Shuma e pagës neto +DocType: Pick List,Delivery against Sales Order,Dorëzimi kundër urdhrit të shitjeve DocType: Student Group Student,Group Roll Number,Grupi Roll Number DocType: Student Group Student,Group Roll Number,Grupi Roll Number apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Për {0}, vetëm llogaritë e kreditit mund të jetë i lidhur kundër një tjetër hyrje debiti" @@ -2321,7 +2351,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Kjo vlerë përdoret për llogaritjen pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Ju duhet të mundësojnë Shporta DocType: Payment Entry,Writeoff,Writeoff DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2344,7 +2373,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Artikujt e shitjeve joaktive DocType: Quality Review,Additional Information,informacion shtese apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Vlera Totale Rendit -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Rivendosja e Marrëveshjes së Nivelit të Shërbimit. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Ushqim apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Gama plakjen 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Detajet e mbylljes së blerjes POS @@ -2389,6 +2417,7 @@ DocType: Quotation,Shopping Cart,Karrocat apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,Avg Daily Outgoing,Avg Daily largohet DocType: POS Profile,Campaign,Fushatë DocType: Supplier,Name and Type,Emri dhe lloji i +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Item Reported,Njoftimi i raportuar apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Approval Status must be 'Approved' or 'Rejected',Miratimi Statusi duhet të jetë "miratuar" ose "Refuzuar ' DocType: Healthcare Practitioner,Contacts and Address,Kontaktet dhe Adresa DocType: Shift Type,Determine Check-in and Check-out,Përcaktoni Check-in dhe Check-out @@ -2408,7 +2437,6 @@ DocType: Student Admission,Eligibility and Details,Pranueshmëria dhe Detajet apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Përfshihet në Fitimin Bruto apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Ndryshimi neto në aseteve fikse apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Kodi i Klientit apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Ngarkesa e tipit 'aktuale' në rresht {0} nuk mund të përfshihen në Item Rate apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Nga datetime @@ -2476,6 +2504,7 @@ DocType: Journal Entry Account,Account Balance,Bilanci i llogarisë apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Klienti eshte i detyrar kundrejt llogarisë së arkëtueshme {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totali Taksat dhe Tarifat (Kompania Valuta) DocType: Weather,Weather Parameter,Parametri i motit @@ -2536,6 +2565,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Pragu i orarit të punës apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Nuk mund të jetë faktor i shumëfishuar i grumbullimit bazuar në totalin e shpenzuar. Por faktori i konvertimit për shpengim do të jetë gjithmonë i njëjtë për të gjithë grupin. apps/erpnext/erpnext/config/help.py,Item Variants,Variantet pika apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Sherbime +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Email Paga Slip për të punësuarit DocType: Cost Center,Parent Cost Center,Qendra prind Kosto @@ -2546,7 +2576,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","P DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Shënimet e dorëzimit të importit nga Shopify on Dërgesa apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Shfaq të mbyllura DocType: Issue Priority,Issue Priority,Lëshoni përparësi -DocType: Leave Type,Is Leave Without Pay,Lini është pa pagesë +DocType: Leave Ledger Entry,Is Leave Without Pay,Lini është pa pagesë apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset Kategoria është i detyrueshëm për artikull Aseteve Fikse DocType: Fee Validity,Fee Validity,Vlefshmëria e tarifës @@ -2618,6 +2648,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Me dy kalime DocType: Item,Manufacturers,Prodhuesit @@ -2654,7 +2685,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Deklarata Banka Pajtimit DocType: Patient Encounter,Medical Coding,Kodifikimi mjekësor DocType: Healthcare Settings,Reminder Message,Mesazhi i kujtesës -,Lead Name,Emri Lead +DocType: Call Log,Lead Name,Emri Lead ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,kërkimet @@ -2686,12 +2717,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Furnizuesi Magazina DocType: Opportunity,Contact Mobile No,Kontaktoni Mobile Asnjë apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Zgjidh kompanisë ,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: 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 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.,Përdoruesi {0} nuk ka ndonjë Profil POS të parazgjedhur. Kontrolloni Default në Row {1} për këtë Përdorues. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Minutat e Takimit të Cilësisë +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizuesi> Lloji i furnizuesit apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Referimi i Punonjësve DocType: Student Group,Set 0 for no limit,Set 0 për pa limit apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dita (s) në të cilin ju po aplikoni për leje janë festa. Ju nuk duhet të aplikoni për leje. @@ -2723,12 +2756,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Ndryshimi neto në para të gatshme DocType: Assessment Plan,Grading Scale,Scale Nota apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Njësia e masës {0} ka hyrë më shumë se një herë në Konvertimi Faktori Tabelën -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,përfunduar tashmë apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock In Hand apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Ju lutemi shtoni përfitimet e mbetura {0} te aplikacioni si \ komponenti pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Ju lutemi vendosni Kodin Fiskal për administratën publike "% s" -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Kërkesa pagesa tashmë ekziston {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Kostoja e Artikujve emetuara DocType: Healthcare Practitioner,Hospital,spital apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Sasia nuk duhet të jetë më shumë se {0} @@ -2773,6 +2804,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Burimeve Njerëzore apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Të ardhurat e sipërme DocType: Item Manufacturer,Item Manufacturer,Item Prodhuesi +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Krijoni Udhëheqjen e Re DocType: BOM Operation,Batch Size,Madhësia e grupit apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,hedh poshtë DocType: Journal Entry Account,Debit in Company Currency,Debit në kompanisë Valuta @@ -2792,9 +2824,11 @@ DocType: Bank Transaction,Reconciled,pajtuar DocType: Expense Claim,Total Amount Reimbursed,Shuma totale rimbursohen apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Kjo është e bazuar në shkrimet kundër këtij automjeteve. Shih afat kohor më poshtë për detaje apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Data e pagave nuk mund të jetë më e vogël se data e bashkimit të punonjësve +DocType: Pick List,Item Locations,Vendndodhjet e sendeve apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} krijuar apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Hapjet e punës për caktimin {0} tashmë të hapur ose punësimin e përfunduar sipas planit të personelit {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Mund të publikoni deri në 200 artikuj. DocType: Vital Signs,Constipated,kaps apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Kundër Furnizuesin Fatura {0} datë {1} DocType: Customer,Default Price List,E albumit Lista e Çmimeve @@ -2910,6 +2944,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 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 DocType: Material Request,Transferred,transferuar DocType: Vehicle,Doors,Dyer @@ -2990,7 +3025,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Item Kodi konsumatorit DocType: Stock Reconciliation,Stock Reconciliation,Stock Pajtimit DocType: Territory,Territory Name,Territori Emri DocType: Email Digest,Purchase Orders to Receive,Urdhërat e blerjes për të marrë -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Puna në progres Magazina është e nevojshme para se të Submit +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Puna në progres Magazina është e nevojshme para se të Submit apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Ju mund të keni vetëm Planet me të njëjtin cikel faturimi në një Abonimi DocType: Bank Statement Transaction Settings Item,Mapped Data,Të dhënat e skeduara DocType: Purchase Order Item,Warehouse and Reference,Magazina dhe Referenca @@ -3064,6 +3099,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Cilësimet e dërgimit apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Fetch Data apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Leja maksimale e lejueshme në llojin e pushimit {0} është {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Botoni 1 Artikull DocType: SMS Center,Create Receiver List,Krijo Marresit Lista DocType: Student Applicant,LMS Only,Vetëm LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Data e disponueshme për përdorim duhet të jetë pas datës së blerjes @@ -3097,6 +3133,7 @@ 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 DocType: Vital Signs,Furry,i mbuluar me qime apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ju lutemi të vendosur 'Gain llogari / humbje neto nga shitja aseteve' në kompaninë {0} +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} @@ -3107,6 +3144,7 @@ DocType: Purchase Order Item,Supplier Quotation Item,Citat Furnizuesi Item apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,Konsumi i materialit nuk është vendosur në Cilësimet e Prodhimtaria. DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Tabela e Takimeve Cilësore +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/templates/pages/help.html,Visit the forums,Vizito forumet DocType: Student,Student Mobile Number,Student Mobile Number DocType: Item,Has Variants,Ka Variantet @@ -3118,9 +3156,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Emri i Shpërndar DocType: Quality Procedure Process,Quality Procedure Process,Procesi i procedurës së cilësisë apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Grumbull ID është i detyrueshëm apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Grumbull ID është i detyrueshëm +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Ju lutemi zgjidhni së pari Konsumatorin DocType: Sales Person,Parent Sales Person,Shitjet prind Person apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Asnjë send që duhet pranuar nuk ka ardhur apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Shitësi dhe blerësi nuk mund të jenë të njëjta +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Asnjë pikëpamje ende DocType: Project,Collect Progress,Mblidhni progresin DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Zgjidhni programin e parë @@ -3142,11 +3182,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Arritur DocType: Student Admission,Application Form Route,Formular Aplikimi Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Data e përfundimit të marrëveshjes nuk mund të jetë më pak se sot. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter për të paraqitur DocType: Healthcare Settings,Patient Encounters in valid days,Takimet e pacientëve në ditë të vlefshme apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Dërgo Lloji {0} nuk mund të ndahen pasi ajo është lënë pa paguar 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},Row {0}: Shuma e ndarë {1} duhet të jetë më pak se ose e barabartë me shumën e faturës papaguar {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Me fjalë do të jetë i dukshëm një herë ju ruani Sales Faturë. DocType: Lead,Follow Up,Ndiqe +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Qendra e Kostove: {0} nuk ekziston DocType: Item,Is Sales Item,Është Item Sales apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Item Group Tree apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Item {0} nuk është setup për Serial Nr. Kontrolloni mjeshtër Item @@ -3190,9 +3232,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Furnizuar Qty DocType: Clinical Procedure,HLC-CPR-.YYYY.-,FDH-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Materiali Kërkesë Item -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Ju lutemi të anulloni fillimisht blerjen {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Pema e sendit grupeve. DocType: Production Plan,Total Produced Qty,Totali i Prodhimit +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Nuk ka komente ende apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,"Nuk mund t'i referohet numrit rresht më të madhe se, ose të barabartë me numrin e tanishëm rresht për këtë lloj Ngarkesa" DocType: Asset,Sold,i shitur ,Item-wise Purchase History,Historia Blerje pika-mençur @@ -3211,7 +3253,7 @@ DocType: Designation,Required Skills,Shkathtësitë e kërkuara DocType: Inpatient Record,O Positive,O Pozitive apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investimet DocType: Issue,Resolution Details,Rezoluta Detajet -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Lloji i transaksionit +DocType: Leave Ledger Entry,Transaction Type,Lloji i transaksionit DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriteret e pranimit apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Ju lutemi shkruani Kërkesat materiale në tabelën e mësipërme apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Nuk ka ripagesa në dispozicion për Regjistrimin e Gazetës @@ -3253,6 +3295,7 @@ DocType: Bank Account,Bank Account No,Llogaria bankare nr DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Parashtrimi i provës së përjashtimit nga taksat e punonjësve DocType: Patient,Surgical History,Historia kirurgjikale DocType: Bank Statement Settings Item,Mapped Header,Koka e copëzuar +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: 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ë. 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} @@ -3319,7 +3362,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Shto me shkronja DocType: Program Enrollment,Self-Driving Vehicle,Self-Driving automjeteve 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Gjithsej gjethet e ndara {0} nuk mund të jetë më pak se gjethet tashmë të miratuara {1} për periudhën DocType: Contract Fulfilment Checklist,Requirement,kërkesë DocType: Journal Entry,Accounts Receivable,Llogaritë e arkëtueshme DocType: Quality Goal,Objectives,objektivat @@ -3341,7 +3383,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Pragu Single Transact DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Kjo vlerë përditësohet në Listën e Çmimeve të Shitjes së Parazgjedhur. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Shporta juaj është Bosh DocType: Email Digest,New Expenses,Shpenzimet e reja -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Vlera PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Nuk mund të Optimizohet Rruga pasi Adresa e Shoferit mungon. DocType: Shareholder,Shareholder,aksionari DocType: Purchase Invoice,Additional Discount Amount,Shtesë Shuma Discount @@ -3378,6 +3419,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Detyra e mirëmbajtjes apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Vendosni Limit B2C në Cilësimet GST. DocType: Marketplace Settings,Marketplace Settings,Cilësimet e Tregut DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magazina ku ju jeni mbajtjen e aksioneve të artikujve refuzuar +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Publikoni {0} Artikuj 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,Në pamundësi për të gjetur kursin e këmbimit për {0} në {1} për datën kyçe {2}. Ju lutem të krijuar një rekord Currency Exchange dorë DocType: POS Profile,Price List,Tarifë 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. @@ -3413,6 +3455,7 @@ DocType: Salary Component,Deduction,Zbritje DocType: Item,Retain Sample,Mbajeni mostër apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Row {0}: Nga koha dhe në kohë është i detyrueshëm. DocType: Stock Reconciliation Item,Amount Difference,shuma Diferenca +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Kjo faqe mban gjurmët e sendeve që dëshironi të blini nga shitësit. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Item Çmimi shtuar për {0} në çmim Lista {1} DocType: Delivery Stop,Order Information,Informacione Rendit apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Ju lutemi shkruani punonjës Id i këtij personi të shitjes @@ -3441,6 +3484,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 ** **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Emri i Planit të Vlerësimit apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Detaje të synuara apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Aplikohet nëse kompania është SpA, SApA ose SRL" @@ -3493,7 +3537,6 @@ DocType: Company,Transactions Annual History,Transaksionet Historia Vjetore 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Siper 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 @@ -3547,6 +3590,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Fitimi për vitin 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 @@ -3601,12 +3645,10 @@ DocType: Supplier Scorecard,Scoring Setup,Vendosja e programit apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronikë 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ë -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Asnjë GST Nr. U gjet për kompaninë. 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 DocType: Question,Single Correct Answer,Përgjigje e saktë e vetme -DocType: Employee,Contact Details,Detajet Kontakt DocType: C-Form,Received Date,Data e marra DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Nëse keni krijuar një template standarde në shitje taksave dhe detyrimeve Stampa, përzgjidh njërin dhe klikoni mbi butonin më poshtë." DocType: BOM Scrap Item,Basic Amount (Company Currency),Shuma Basic (Company Valuta) @@ -3638,10 +3680,10 @@ DocType: Supplier Scorecard,Supplier Score,Rezultati i Furnizuesit apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Orari Pranimi DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Pragu i Kumulative i Transaksionit DocType: Promotional Scheme Price Discount,Discount Type,Lloji i zbritjes -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Gjithsej faturuara Amt DocType: Purchase Invoice Item,Is Free Item,Itemshtë artikull falas +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Përqindja ju lejohet të transferoni më shumë kundër sasisë së porositur. Për shembull: Nëse keni porositur 100 njësi. dhe lejimi juaj është 10%, atëherë ju lejohet të transferoni 110 njësi." DocType: Supplier,Warn RFQs,Paralajmëroj RFQ-të -apps/erpnext/erpnext/templates/pages/home.html,Explore,Eksploroni +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Eksploroni DocType: BOM,Conversion Rate,Shkalla e konvertimit apps/erpnext/erpnext/www/all-products/index.html,Product Search,Product Kërko ,Bank Remittance,Dërgesë bankare @@ -3653,6 +3695,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Shuma totale e paguar DocType: Asset,Insurance End Date,Data e përfundimit të sigurimit apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Ju lutemi zgjidhni Pranimin e Studentit i cili është i detyrueshëm për aplikantin e paguar të studentëve +DocType: Pick List,STO-PICK-.YYYY.-,STO-Pick-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Lista e buxhetit DocType: Campaign,Campaign Schedules,Programet e fushatës DocType: Job Card Time Log,Completed Qty,Kompletuar Qty @@ -3675,6 +3718,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Adresa e DocType: Quality Inspection,Sample Size,Shembull Madhësi apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Ju lutemi shkruani Dokumenti Marrjes apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Të gjitha sendet janë tashmë faturohen +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Gjethet e marra apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Ju lutem specifikoni një të vlefshme 'nga rasti Jo' 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,Qendrat e mëtejshme e kostos mund të bëhet në bazë të Grupeve por hyra mund të bëhet kundër jo-grupeve 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,Totali i gjetjeve të alokuara janë më shumë ditë sesa shpërndarja maksimale e {0} llojit të pushimit për punonjësin {1} gjatë periudhës @@ -3775,6 +3819,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Përfshini 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 DocType: Leave Block List,Allow Users,Lejojnë përdoruesit 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: 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. @@ -3828,6 +3874,7 @@ DocType: Support Search Source,Result Title Field,Fusha e titullit të rezultati apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Përmbledhje telefonate DocType: Sample Collection,Collected Time,Koha e mbledhur DocType: Employee Skill Map,Employee Skills,Shkathtësitë e punonjësve +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Shpenzimi i karburantit DocType: Company,Sales Monthly History,Historia mujore e shitjeve apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Ju lutemi vendosni të paktën një rresht në Tabelën e Taksave dhe Tarifave DocType: Asset Maintenance Task,Next Due Date,Data e ardhshme e afatit @@ -3862,11 +3909,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Slip Paga e punonjësit të {0} krijuar tashmë për këtë periudhë apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmaceutike apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Ju mund të dorëzoni vetëm Lëshim Encashment për një vlerë të vlefshme arkëtimi +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Artikujt nga apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kostoja e artikujve të blerë DocType: Employee Separation,Employee Separation Template,Modeli i ndarjes së punonjësve DocType: Selling Settings,Sales Order Required,Sales Rendit kërkuar apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Bëhuni shitës -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Numri i ndodhjes pas së cilës ekzekutohet pasoja. ,Procurement Tracker,Ndjekësi i prokurimit DocType: Purchase Invoice,Credit To,Kredia për apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC përmbysur @@ -3879,6 +3926,7 @@ DocType: Quality Meeting,Agenda,program DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Mirëmbajtja Orari Detail DocType: Supplier Scorecard,Warn for new Purchase Orders,Paralajmëroni për Urdhërat e reja të Blerjes DocType: Quality Inspection Reading,Reading 9,Leximi 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Lidhni llogarinë tuaj Exotel në ERPNext dhe regjistrat e thirrjeve gjurmuese DocType: Supplier,Is Frozen,Është ngrira DocType: Tally Migration,Processed Files,Skedarët e përpunuar apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,depo nyje Group nuk është e lejuar për të zgjedhur për transaksionet @@ -3887,6 +3935,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Jo për një ar DocType: Upload Attendance,Attendance To Date,Pjesëmarrja në datën 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 @@ -3912,7 +3961,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,kërkuesi apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Referenca e pavlefshme {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Rregulla për aplikimin e skemave të ndryshme promovuese. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nuk mund të jetë më i madh se quanitity planifikuar ({2}) në Prodhimi i rendit {3} DocType: Shipping Rule,Shipping Rule Label,Rregulla Transporti Label DocType: Journal Entry Account,Payroll Entry,Hyrja në listën e pagave apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Shikoni Regjistrimet e Tarifave @@ -3924,6 +3972,7 @@ DocType: Contract,Fulfilment Status,Statusi i Përmbushjes DocType: Lab Test Sample,Lab Test Sample,Shembulli i testit të laboratorit DocType: Item Variant Settings,Allow Rename Attribute Value,Lejo rinumërimin e vlerës së atributeve apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Quick Journal Hyrja +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Shuma e pagesës në të ardhmen apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Ju nuk mund të ndryshoni normës nëse bom përmendur agianst çdo send DocType: Restaurant,Invoice Series Prefix,Prefiksi i Serisë së Faturës DocType: Employee,Previous Work Experience,Përvoja e mëparshme e punës @@ -3975,6 +4024,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Get Stock aktual DocType: Purchase Invoice,ineligible,i papërshtatshëm apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Pema e Bill e materialeve +DocType: BOM,Exploded Items,Artikujt e shpërthyer DocType: Student,Joining Date,Bashkimi me Date ,Employees working on a holiday,Punonjës që punojnë në një festë ,TDS Computation Summary,Përmbledhja e llogaritjes së TDS @@ -4007,6 +4057,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Norma bazë (sipas Sto DocType: SMS Log,No of Requested SMS,Nr i SMS kërkuar apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Dërgo Pa Paguhet nuk përputhet me të dhënat Leave Aplikimi miratuara apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Hapat e ardhshëm +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Artikujt e ruajtur DocType: Travel Request,Domestic,i brendshëm apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Ju lutemi të furnizimit me artikuj të specifikuara në normat më të mirë të mundshme apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Transferimi i punonjësve nuk mund të dorëzohet para datës së transferimit @@ -4059,7 +4110,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Date,Data e Doku 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 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Rreshti # {0} (Tabela e Pagesës): Shuma duhet të jetë pozitive -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Nuk mund të prodhojë më shumë Item {0} se sasia Sales Rendit {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Nuk mund të prodhojë më shumë Item {0} se sasia Sales Rendit {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Asgjë nuk është përfshirë në bruto apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Bill-e-Way tashmë ekziston për këtë dokument apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Zgjidhni vlerat e atributeve @@ -4093,12 +4144,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Mundësoni pasoja të ndryshme për daljen e hershme ,Lab Test Report,Raporti i testimit të laboratorit DocType: Employee Benefit Application,Employee Benefit Application,Aplikimi për Benefit të Punonjësve 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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Ju lutem dorëzimit Shënim parë DocType: Student Applicant,Application Date,Application Data DocType: Salary Component,Amount based on formula,Shuma e bazuar në formulën DocType: Purchase Invoice,Currency and Price List,Valuta dhe Lista e Çmimeve @@ -4127,6 +4176,7 @@ DocType: Purchase Receipt,Time at which materials were received,Koha në të cil DocType: Products Settings,Products per Page,Produktet per 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Shuma e alokuar nuk mund të jetë negative DocType: Sales Order,Billing Status,Faturimi Statusi apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Raportoni një çështje @@ -4134,6 +4184,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-Mbi 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,Row # {0}: Ditari Hyrja {1} nuk ka llogari {2} ose tashmë krahasohen kundër një kupon DocType: Supplier Scorecard Criteria,Criteria Weight,Pesha e kritereve +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Llogaria: {0} nuk lejohet nën Hyrjen e Pagesave DocType: Production Plan,Ignore Existing Projected Quantity,Injoroni sasinë ekzistuese të parashikuar apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Lini Njoftimin e Miratimit DocType: Buying Settings,Default Buying Price List,E albumit Lista Blerja Çmimi @@ -4142,6 +4193,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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" DocType: Payment Entry,Payment Type,Lloji Pagesa apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Ju lutem, përzgjidhni një grumbull për pika {0}. Në pamundësi për të gjetur një grumbull të vetme që përmbush këtë kërkesë" @@ -4171,6 +4223,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Cilësimet Shporta DocType: Journal Entry,Accounting Entries,Entries Kontabilitetit 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ë." +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: Journal Entry,Paid Loan,Kredia e paguar 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 @@ -4187,12 +4240,14 @@ DocType: Shopify Settings,Webhooks Details,Detajet Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Nuk ka fletë kohë DocType: GoCardless Mandate,GoCardless Customer,Klientë GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,"Dërgo Type {0} nuk mund të kryejë, përcillet" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodi i Artikullit> Grupi i Artikujve> Marka apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Mirëmbajtja Orari nuk është krijuar për të gjitha sendet. Ju lutem klikoni në "Generate Listën ' ,To Produce,Për të prodhuar DocType: Leave Encashment,Payroll,Payroll 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","Për rresht {0} në {1}. Të përfshijnë {2} në shkallën Item, {3} duhet të përfshihen edhe rreshtave" DocType: Healthcare Service Unit,Parent Service Unit,Njësia e Shërbimit të Prindërve DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikimi i paketës për shpërndarjen (për shtyp) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Marrëveshja e nivelit të shërbimit u rivendos. DocType: Bin,Reserved Quantity,Sasia e rezervuara apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Ju lutemi shkruani adresën vlefshme email apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Ju lutemi shkruani adresën vlefshme email @@ -4214,7 +4269,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Pricemimi ose zbritja e produkteve apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Për rresht {0}: Shkruani Qty planifikuar DocType: Account,Income Account,Llogaria ardhurat -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Klienti> Grupi i Klientëve> Territori DocType: Payment Request,Amount in customer's currency,Shuma në monedhë të klientit apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Ofrimit të apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Caktimi i strukturave ... @@ -4235,6 +4289,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Ju do të humbni regjistrat e faturave të krijuara më parë. Jeni i sigurt se doni të rifilloni këtë pajtim? @@ -4288,11 +4343,10 @@ DocType: Additional Salary,HR User,HR User DocType: Bank Guarantee,Reference Document Name,Emri i Dokumentit të Referencës DocType: Purchase Invoice,Taxes and Charges Deducted,Taksat dhe Tarifat zbritet DocType: Support Settings,Issues,Çështjet -DocType: Shift Type,Early Exit Consequence after,Pasoja e daljes së hershme pas DocType: Loyalty Program,Loyalty Program Name,Emri i Programit të Besnikërisë apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Statusi duhet të jetë një nga {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Kujtesë për të rifreskuar dërgimin e GSTIN -DocType: Sales Invoice,Debit To,Debi Për +DocType: Discounted Invoice,Debit To,Debi Për DocType: Restaurant Menu Item,Restaurant Menu Item,Menyja e Restorantit DocType: Delivery Note,Required only for sample item.,Kërkohet vetëm për pika të mostrës. DocType: Stock Ledger Entry,Actual Qty After Transaction,Qty aktual Pas Transaksionit @@ -4375,6 +4429,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Emri i parametrit apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Vetëm Dërgo Aplikacione me status 'miratuar' dhe 'refuzuar' mund të dorëzohet apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Krijimi i dimensioneve ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Student Group Emri është i detyrueshëm në rresht {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Anashkaloni limitin e kredisë DocType: Homepage,Products to be shown on website homepage,Produktet që do të shfaqet në faqen e internetit DocType: HR Settings,Password Policy,Politika e fjalëkalimit apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Ky është një grup të konsumatorëve rrënjë dhe nuk mund të redaktohen. @@ -4422,10 +4477,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Nës apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Vendosni klientin e parazgjedhur në Cilësimet e Restorantit ,Salary Register,Paga Regjistrohu DocType: Company,Default warehouse for Sales Return,Depo e paracaktuar për kthimin e shitjeve -DocType: Warehouse,Parent Warehouse,Magazina Parent +DocType: Pick List,Parent Warehouse,Magazina Parent DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Përcaktojnë lloje të ndryshme të kredive DocType: Bin,FCFS Rate,FCFS Rate @@ -4462,6 +4517,7 @@ DocType: Travel Itinerary,Lodging Required,Kërkohet strehim DocType: Promotional Scheme,Price Discount Slabs,Pllakat e zbritjes së çmimeve DocType: Stock Reconciliation Item,Current Serial No,Nr seriali aktual DocType: Employee,Attendance and Leave Details,Pjesëmarrja dhe Detajet e Lini +,BOM Comparison Tool,Mjet për krahasimin e BOM ,Requested,Kërkuar apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Asnjë Vërejtje DocType: Asset,In Maintenance,Në Mirëmbajtje @@ -4483,6 +4539,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Include UOM,Pë apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Material Request No,Materiali Kërkesë Asnjë DocType: Service Level Agreement,Default Service Level Agreement,Marrëveshja e nivelit të paracaktuar të shërbimit DocType: SG Creation Tool Course,Course Code,Kodi Kursi +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Sasia e lëndëve të para do të vendoset bazuar në sasinë e artikullit të mallrave të përfunduar DocType: Location,Parent Location,Vendndodhja e prindërve DocType: POS Settings,Use POS in Offline Mode,Përdorni POS në modalitetin Offline apps/erpnext/erpnext/accounts/page/pos/pos.js,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},{0} është i detyrueshëm. Ndoshta rekordi Exchange Currency nuk është krijuar për {1} në {2} @@ -4500,7 +4557,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Depoja e mbajtjes së mostrë DocType: Company,Default Receivable Account,Gabim Llogaria Arkëtueshme apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Formula e sasisë së parashikuar DocType: Sales Invoice,Deemed Export,Shqyrtuar Eksport -DocType: Stock Entry,Material Transfer for Manufacture,Transferimi materiale për Prodhimin +DocType: Pick List,Material Transfer for Manufacture,Transferimi materiale për Prodhimin 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.,Përqindja zbritje mund të aplikohet ose ndaj një listë të çmimeve apo për të gjithë listën e çmimeve. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Hyrja kontabilitetit për magazinë DocType: Lab Test,LabTest Approver,Aprovuesi i LabTest @@ -4542,7 +4599,6 @@ DocType: Training Event,Theory,teori apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Warning: Materiali kërkuar Qty është më pak se minimale Rendit Qty apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Llogaria {0} është ngrirë DocType: Quiz Question,Quiz Question,Pyetje kuizi -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Furnizuesi> Lloji i furnizuesit DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Personit juridik / subsidiare me një tabelë të veçantë e llogarive i përkasin Organizatës. DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,"Food, Beverage & Tobacco","Ushqim, Pije & Duhani" @@ -4572,6 +4628,7 @@ 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 DocType: Account,Expense Account,Llogaria shpenzim apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Program apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Ngjyra @@ -4610,6 +4667,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Manage Shitje Part 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 DocType: Fee Validity,Visited yet,Vizita ende +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Ju mund të Karakteristikat deri në 8 artikuj. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Depot me transaksion ekzistues nuk mund të konvertohet në grup. 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. @@ -4617,7 +4675,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4642,7 +4699,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Konvertimi i UOM n DocType: Contract,Signee Details,Detajet e shënimit apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} aktualisht ka një {1} Scorecard të Furnizuesit, dhe RFQ-të për këtë furnizues duhet të lëshohen me kujdes." DocType: Certified Consultant,Non Profit Manager,Menaxheri i Jofitimit -DocType: BOM,Total Cost(Company Currency),Kosto totale (Company Valuta) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serial Asnjë {0} krijuar DocType: Homepage,Company Description for website homepage,Përshkrimi i kompanisë për faqen e internetit DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Për komoditetin e klientëve, këto kode mund të përdoren në formate të shtypura si faturat dhe ofrimit të shënimeve" @@ -4671,7 +4727,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Fatura Bl DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktivizo sinkronizimin e planifikuar apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Për datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Shkrime për ruajtjen e statusit të dorëzimit SMS -DocType: Shift Type,Early Exit Consequence,Pasoja e daljes së parakohshme DocType: Accounts Settings,Make Payment via Journal Entry,Të bëjë pagesën përmes Journal Hyrja apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Ju lutemi mos krijoni më shumë se 500 artikuj njëherësh apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Shtypur On @@ -4727,6 +4782,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Limit Kaloi 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 +DocType: Plaid Settings,Plaid Secret,Sekreti i pllakosur DocType: Company,Date of Establishment,Data e krijimit apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Një term akademike me këtë 'vitin akademik' {0} dhe 'Term Emri' {1} ekziston. Ju lutemi të modifikojë këto të hyra dhe të provoni përsëri. @@ -4789,6 +4845,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Tipi i Klientit DocType: Compensatory Leave Request,Leave Allocation,Lini Alokimi DocType: Payment Request,Recipient Message And Payment Details,Marrësi Message Dhe Detajet e pagesës +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Ju lutemi zgjidhni një Shënim Dorëzimi DocType: Support Search Source,Source DocType,Burimi i DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Hapni një biletë të re DocType: Training Event,Trainer Email,trajner Email @@ -4910,6 +4967,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Nga Data "duhet të jetë pas" deri më sot " apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Asnjë plan për stafin nuk është gjetur për këtë Përcaktim apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Grupi {0} i Item {1} është i çaktivizuar. @@ -4931,7 +4989,7 @@ DocType: Clinical Procedure,Patient,pacient apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Kontrolli i kredisë së anashkaluar në Urdhrin e shitjes DocType: Employee Onboarding Activity,Employee Onboarding Activity,Aktiviteti i Onboarding Punonjës DocType: Location,Check if it is a hydroponic unit,Kontrolloni nëse është njësi hidroponike -DocType: Stock Reconciliation Item,Serial No and Batch,Pa serial dhe Batch +DocType: Pick List Item,Serial No and Batch,Pa serial dhe Batch DocType: Warranty Claim,From Company,Nga kompanisë DocType: GSTR 3B Report,January,janar apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Shuma e pikëve të kritereve të vlerësimit të nevojave të jetë {0}. @@ -4956,7 +5014,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount 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/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. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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 @@ -4988,11 +5045,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Qendra e Kos 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,mbetur DocType: Appraisal,Appraisal,Vlerësim DocType: Loan,Loan Account,Llogaria e huasë apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Fushat e vlefshme nga dhe ato të sipërme janë të detyrueshme për kumulativ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Për artikullin {0} në rreshtin {1}, numërimi i numrave serik nuk përputhet me sasinë e zgjedhur" DocType: Purchase Invoice,GST Details,Detajet e GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Kjo bazohet në transaksione kundër këtij mjeku të kujdesit shëndetësor. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Email dërguar për furnizuesit {0} @@ -5055,6 +5114,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Pesha bruto e paketës. Zakonisht pesha neto + paketimin pesha materiale. (Për shtyp) DocType: Assessment Plan,Program,program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Përdoruesit me këtë rol janë të lejuara për të ngritur llogaritë ngrirë dhe për të krijuar / modifikuar shënimet e kontabilitetit kundrejt llogarive të ngrira +DocType: Plaid Settings,Plaid Environment,Mjedisi i pllakosur ,Project Billing Summary,Përmbledhja e faturimit të projektit DocType: Vital Signs,Cuts,Cuts DocType: Serial No,Is Cancelled,Është anuluar @@ -5116,7 +5176,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Shënim: Sistemi nuk do të kontrollojë mbi-ofrimit dhe mbi-prenotim për Item {0} si sasi apo shumë është 0 DocType: Issue,Opening Date,Hapja Data apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Ju lutemi ruani pacientin së pari -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Bëni Kontakt të ri apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Pjesëmarrja është shënuar sukses. DocType: Program Enrollment,Public Transport,Transporti publik DocType: Sales Invoice,GST Vehicle Type,Lloji i automjetit GST @@ -5143,6 +5202,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Faturat e n 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Shtoni së pari artikujt në tabelën e Vendndodhjeve të artikujve DocType: Pricing Rule,Discount Amount,Shuma Discount DocType: Pricing Rule,Period Settings,Cilësimet e periudhës DocType: Purchase Invoice,Return Against Purchase Invoice,Kthehu kundër Blerje Faturë @@ -5173,7 +5233,6 @@ DocType: Assessment Plan,Assessment Plan,Plani i vlerësimit DocType: Travel Request,Fully Sponsored,Plotësisht e sponsorizuar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Hyrja Reverse Journal apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Krijoni Kartën e Punës -DocType: Shift Type,Consequence after,Pasoja pas DocType: Quality Procedure Process,Process Description,Përshkrimi i procesit apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Klienti {0} është krijuar. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Aktualisht nuk ka stoqe ne asnje depo @@ -5208,6 +5267,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Pastrimi Data DocType: Delivery Settings,Dispatch Notification Template,Modeli i Njoftimit Dispeçer apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Raporti i Vlerësimit apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Merrni Punonjësit +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 @@ -5298,7 +5358,6 @@ DocType: Stock Settings,Use Naming Series,Përdorni Serinë Naming apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Asnjë veprim apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Akuzat lloj vlerësimi nuk mund të shënuar si gjithëpërfshirës DocType: POS Profile,Update Stock,Update Stock -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ndryshme për sendet do të çojë në të gabuar (Total) vlerën neto Pesha. Sigurohuni që pesha neto e çdo send është në të njëjtën UOM. DocType: Certification Application,Payment Details,Detajet e pagesës apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Bom Rate @@ -5332,7 +5391,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Ky është një person i shitjes rrënjë dhe nuk mund të redaktohen. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Nëse zgjedhur, vlera të specifikuara ose të llogaritur në këtë komponent nuk do të kontribuojë në të ardhurat ose zbritjeve. Megjithatë, kjo është vlera mund të referohet nga komponentët e tjerë që mund të shtohen ose zbriten." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Nëse zgjedhur, vlera të specifikuara ose të llogaritur në këtë komponent nuk do të kontribuojë në të ardhurat ose zbritjeve. Megjithatë, kjo është vlera mund të referohet nga komponentët e tjerë që mund të shtohen ose zbriten." -DocType: Asset Settings,Number of Days in Fiscal Year,Numri i ditëve në vit fiskal ,Stock Ledger,Stock Ledger DocType: Company,Exchange Gain / Loss Account,Exchange Gain / Humbja e llogarisë DocType: Amazon MWS Settings,MWS Credentials,Kredencialet e MWS @@ -5367,6 +5425,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Kolona në Dosjen e Bankës apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Lini aplikimin {0} tashmë ekziston kundër nxënësit {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Në pritje për përditësimin e çmimit të fundit në të gjitha dokumentet e materialeve. Mund të duhen disa minuta. +DocType: Pick List,Get Item Locations,Merrni Vendndodhjet e Artikujve apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Emri i llogarisë së re. Shënim: Ju lutem mos krijoni llogari për klientët dhe furnizuesit DocType: POS Profile,Display Items In Stock,Shfaq artikujt në magazinë apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Shteti parazgjedhur i mençur Adresa Templates @@ -5390,6 +5449,7 @@ DocType: Crop,Materials Required,Materialet e kërkuara apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Nuk studentët Found DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Përjashtimi mujor i HRA DocType: Clinical Procedure,Medical Department,Departamenti i Mjekësisë +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Daljet totale të hershme DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Kriteret e Shënimit të Rezultatit të Furnizuesit apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Fatura Posting Data apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,shes @@ -5401,11 +5461,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ju lutemi fshini punonjësin {0} \ për të anulluar këtë dokument" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Nga AMC DocType: Opportunity,Opportunity Amount,Shuma e Mundësive +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Profili juaj apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Numri i nënçmime rezervuar nuk mund të jetë më e madhe se Total Numri i nënçmime DocType: Purchase Order,Order Confirmation Date,Data e konfirmimit të rendit DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5499,7 +5558,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Ka mospërputhje në mes të normës, jo të aksioneve dhe shumës së llogaritur" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Ju nuk jeni të pranishëm gjatë gjithë ditës në mes të ditëve të kërkesës për pushim kompensues apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Ju lutem ri-lloj emri i kompanisë për të konfirmuar -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Outstanding Amt Total DocType: Journal Entry,Printing Settings,Printime Cilësimet DocType: Payment Order,Payment Order Type,Lloji i urdhrit të pagesës DocType: Employee Advance,Advance Account,Llogaria paraprake @@ -5586,7 +5644,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Viti Emri apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Ka më shumë pushimet sesa ditëve pune këtë muaj. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Artikujt vijues {0} nuk janë të shënuar si {1} artikull. Ju mund t'i aktivizoni ato si {1} pika nga mjeshtri i artikullit -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Produkt Bundle Item DocType: Sales Partner,Sales Partner Name,Emri Sales Partner apps/erpnext/erpnext/hooks.py,Request for Quotations,Kërkesën për kuotimin @@ -5595,7 +5652,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Leaves +DocType: Leave Ledger Entry,Leaves,Leaves DocType: Student Language,Student Language,Student Gjuha DocType: Cash Flow Mapping,Is Working Capital,Është Kapitali Punues apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Dorëzoni provën @@ -5651,6 +5708,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Vlera maksimale e lejuar 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 DocType: Lab Test Template,Sensitivity,ndjeshmëri DocType: Plaid Settings,Plaid Settings,Cilësimet e pllaka apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Sinkronizimi është çaktivizuar përkohësisht sepse përsëritje maksimale janë tejkaluar @@ -5668,6 +5726,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Ju lutem, përzgjidhni datën e postimit parë" apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Hapja Data duhet të jetë para datës së mbylljes DocType: Travel Itinerary,Flight,fluturim +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Përsëri në shtëpi DocType: Leave Control Panel,Carry Forward,Bart apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Qendra Kosto me transaksionet ekzistuese nuk mund të konvertohet në Ledger DocType: Budget,Applicable on booking actual expenses,E aplikueshme për rezervimin e shpenzimeve aktuale @@ -5721,6 +5780,7 @@ DocType: Lead,Lead Type,Lead Type apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Krijo Kuotim apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Ju nuk jeni i autorizuar të miratojë lë në datat Block apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Të gjitha këto objekte janë tashmë faturohen +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Asnjë faturë e pazgjidhur nuk u gjet për {0} {1} që kualifikojnë filtrat që keni specifikuar. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Vendos datën e ri të lëshimit DocType: Company,Monthly Sales Target,Synimi i shitjeve mujore apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Nuk u gjetën fatura të pazgjidhura @@ -5767,6 +5827,7 @@ DocType: Water Analysis,Type of Sample,Lloji i mostrës DocType: Batch,Source Document Name,Dokumenti Burimi Emri DocType: Production Plan,Get Raw Materials For Production,Merrni lëndë të para për prodhim DocType: Job Opening,Job Title,Titulli Job +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Pagesa në të ardhmen Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} tregon se {1} nuk do të japë një kuotim, por të gjitha artikujt \ janë cituar. Përditësimi i statusit të kuotës RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Mostrat maksimale - {0} tashmë janë ruajtur për Serinë {1} dhe Pikën {2} në Serinë {3}. @@ -5777,12 +5838,10 @@ 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: Company,Product Code,Kodi i produktit DocType: Quality Review Table,Objective,Objektiv DocType: Supplier Scorecard,Per Month,Në muaj DocType: Education Settings,Make Academic Term Mandatory,Bëni Termin Akademik të Detyrueshëm -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Sasi të Prodhimi duhet të jetë më e madhe se 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Llogarit skemën e zhvlerësimit të shtrirë në bazë të vitit fiskal +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Sasi të Prodhimi duhet të jetë më e madhe se 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Vizitoni raport për thirrjen e mirëmbajtjes. DocType: Stock Entry,Update Rate and Availability,Update Vlerësoni dhe Disponueshmëria 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.,"Përqindja ju keni të drejtë për të marrë ose të japë më shumë kundër sasi të urdhëruar. Për shembull: Nëse ju keni urdhëruar 100 njësi. dhe Allowance juaj është 10%, atëherë ju keni të drejtë për të marrë 110 njësi." @@ -5793,7 +5852,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Data e lëshimit duhet të jetë në të ardhmen DocType: BOM,Website Description,Website Përshkrim apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Ndryshimi neto në ekuitetit -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Ju lutemi anuloni Blerje Faturën {0} parë apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Nuk lejohet. Çaktivizoni llojin e njësisë së shërbimit apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Adresa Email duhet të jetë unike, tashmë ekziston për {0}" DocType: Serial No,AMC Expiry Date,AMC Data e Mbarimit @@ -5837,6 +5895,7 @@ DocType: Pricing Rule,Price Discount Scheme,Skema e Zbritjes së mimeve apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Statusi i mirëmbajtjes duhet të anulohet ose të përfundohet për t'u dërguar DocType: Amazon MWS Settings,US,SHBA DocType: Holiday List,Add Weekly Holidays,Shto Pushime Javore +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Raporti Artikull DocType: Staffing Plan Detail,Vacancies,Vende të lira pune DocType: Hotel Room,Hotel Room,Dhome hoteli apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Llogaria {0} nuk i takon kompanisë {1} @@ -5887,12 +5946,15 @@ DocType: Email Digest,Open Quotations,Citimet e Hapura 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ju lutemi fshini punonjësin {0} \ për të anulluar këtë dokument" 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ë @@ -5906,6 +5968,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,vakant DocType: Patient,Alcohol Past Use,Përdorimi i mëparshëm i alkoolit DocType: Fertilizer Content,Fertilizer Content,Përmbajtja e plehut +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,pa pershkrim apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Shteti Faturimi DocType: Quality Goal,Monitoring Frequency,Frekuenca e monitorimit @@ -5923,6 +5986,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Fundi Në datën nuk mund të jetë përpara datës së ardhshme të kontaktit. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Hyrjet në grupe DocType: Journal Entry,Pay To / Recd From,Për të paguar / Recd Nga +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Shpalos artikullin DocType: Naming Series,Setup Series,Setup Series DocType: Payment Reconciliation,To Invoice Date,Në faturën Date DocType: Bank Account,Contact HTML,Kontakt HTML @@ -5944,6 +6008,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Me pakicë DocType: Student Attendance,Absent,Që mungon DocType: Staffing Plan,Staffing Plan Detail,Detajimi i planit të stafit DocType: Employee Promotion,Promotion Date,Data e Promovimit +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Alokimi i lejeve% s është i lidhur me aplikimin për leje% s apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Product Bundle,Bundle produkt 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,Nuk mund të gjej rezultatin duke filluar nga {0}. Duhet të kesh pikët e qendrës që mbulojnë 0 deri në 100 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},Row {0}: referencë Invalid {1} @@ -5981,6 +6046,7 @@ DocType: Volunteer,Availability,disponueshmëri apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Vendosni vlerat e parazgjedhur për faturat POS DocType: Employee Training,Training,stërvitje DocType: Project,Time to send,Koha për të dërguar +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Kjo faqe mban gjurmët e artikujve tuaj për të cilët blerësit kanë shfaqur ndonjë interes. DocType: Timesheet,Employee Detail,Detail punonjës 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 @@ -6077,11 +6143,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Vlera e hapjes DocType: Salary Component,Formula,formulë apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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: 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/setup/doctype/company/company.py,Sales Account,Llogaria e Shitjes DocType: Purchase Invoice Item,Total Weight,Pesha Totale +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}" @@ -6105,6 +6171,7 @@ DocType: Company,Default Employee Advance Account,Llogaria paraprake e punonjës apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Kërko artikull (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Llogaria me transaksion ekzistues nuk mund të fshihet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Pse mendoni se duhet të hiqet kjo artikull? DocType: Vehicle,Last Carbon Check,Last Kontrolloni Carbon apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Shpenzimet ligjore apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Ju lutemi zgjidhni sasinë në rresht @@ -6124,6 +6191,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Avari DocType: Travel Itinerary,Vegetarian,Vegjetarian DocType: Patient Encounter,Encounter Date,Data e takimit +DocType: Work Order,Update Consumed Material Cost In Project,Azhurnoni koston e konsumuar të materialit në projekt apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Llogaria: {0} me monedhën: {1} nuk mund të zgjidhen DocType: Bank Statement Transaction Settings Item,Bank Data,Të dhënat bankare DocType: Purchase Receipt Item,Sample Quantity,Sasia e mostrës @@ -6177,7 +6245,7 @@ DocType: GSTR 3B Report,April,prill 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Shënim: Item {0} hyrë herë të shumta +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Shënim: Item {0} hyrë herë të shumta apps/erpnext/erpnext/config/buying.py,All Contacts.,Të gjitha kontaktet. DocType: Accounting Period,Closed Documents,Dokumentet e Mbyllura 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 @@ -6257,7 +6325,6 @@ DocType: Member,Membership Type,Lloji i Anëtarësimit ,Reqd By Date,Reqd By Date apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Kreditorët DocType: Assessment Plan,Assessment Name,Emri i vlerësimit -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Shfaq PDC në Print apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Asnjë Serial është i detyrueshëm DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item Tatimore urti Detail DocType: Employee Onboarding,Job Offer,Ofertë pune @@ -6316,6 +6383,7 @@ DocType: Serial No,Out of Warranty,Nga Garanci DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Lloji i të dhënave të përcaktuar DocType: BOM Update Tool,Replace,Zëvendësoj apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Nuk ka produkte gjet. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Publikoni më shumë artikuj apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} kundër Shitjeve Faturës {1} DocType: Antibiotic,Laboratory User,Përdoruesi i Laboratorit DocType: Request for Quotation Item,Project Name,Emri i Projektit @@ -6336,7 +6404,6 @@ DocType: Payment Order Reference,Bank Account Details,Detajet e llogarisë banka DocType: Purchase Order Item,Blanket Order,Urdhri për batanije 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Prodhimi Order ka qenë {0} DocType: BOM Item,BOM No,Bom Asnjë 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 @@ -6409,6 +6476,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Furnizime të tatueshme nga jashtë (me vlerësim zero) DocType: BOM,Materials Required (Exploded),Materialet e nevojshme (Shpërtheu) 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 Rishikimi DocType: Contract,Party User,Përdoruesi i Partisë 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 @@ -6466,7 +6534,6 @@ DocType: Pricing Rule,Same Item,I njëjti artikull DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Hyrja DocType: Quality Action Resolution,Quality Action Resolution,Rezoluta e veprimit cilësor apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} në Ditën e Gjashtë Ditëve në {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Same artikull është futur disa herë DocType: Department,Leave Block List,Lini Blloko Lista DocType: Purchase Invoice,Tax ID,ID e taksave apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Item {0} nuk është setup për Serial Nr. Kolona duhet të jetë bosh @@ -6504,7 +6571,7 @@ DocType: Cheque Print Template,Distance from top edge,Largësia nga buzë të la 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 DocType: Purchase Invoice,Return,Kthimi -DocType: Accounting Dimension,Disable,Disable +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ë DocType: Task,Pending Review,Në pritje Rishikimi apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Modifiko në faqen e plotë për më shumë opsione si asetet, numrat serial, batch etj." @@ -6615,7 +6682,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Pjesa e kombinuar e faturës duhet të jetë e barabartë me 100% DocType: Item Default,Default Expense Account,Llogaria e albumit shpenzimeve DocType: GST Account,CGST Account,Llogaria CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Kodi i Artikullit> Grupi i Artikujve> Marka apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student Email ID DocType: Employee,Notice (days),Njoftim (ditë) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Faturat e mbylljes së kuponit të POS @@ -6626,6 +6692,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Zgjidhni artikuj për të shpëtuar faturën DocType: Employee,Encashment Date,Arkëtim Data DocType: Training Event,Internet,internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Informacion mbi shitësin DocType: Special Test Template,Special Test Template,Modeli i Testimit Special DocType: Account,Stock Adjustment,Stock Rregullimit apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Kosto e albumit Aktiviteti ekziston për Aktivizimi Tipi - {0} @@ -6637,7 +6704,6 @@ 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 -DocType: Company,Bank Remittance Settings,Cilësimet e Remitancës Bankare apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Norma mesatare 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 @@ -6665,6 +6731,7 @@ DocType: Grading Scale Interval,Threshold,prag apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Punonjësit e Filtrit Nga (Fakultativ) DocType: BOM Update Tool,Current BOM,Bom aktuale apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Bilanci (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Sasia e artikullit të mallrave të përfunduar apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Shto Jo Serial DocType: Work Order Item,Available Qty at Source Warehouse,Qty në dispozicion në burim Magazina apps/erpnext/erpnext/config/support.py,Warranty,garanci @@ -6742,7 +6809,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Këtu ju mund të mbajë lartësia, pesha, alergji, shqetësimet mjekësore etj" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Krijimi i llogarive ... DocType: Leave Block List,Applies to Company,Zbatohet për Kompaninë -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nuk mund të anulojë, sepse paraqitet Stock Hyrja {0} ekziston" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Nuk mund të anulojë, sepse paraqitet Stock Hyrja {0} ekziston" DocType: Loan,Disbursement Date,disbursimi Date DocType: Service Level Agreement,Agreement Details,Detajet e marrëveshjes apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Data e fillimit të marrëveshjes nuk mund të jetë më e madhe se ose e barabartë me datën e përfundimit. @@ -6751,6 +6818,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Regjistri mjekësor DocType: Vehicle,Vehicle,automjet DocType: Purchase Invoice,In Words,Me fjalë të +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Deri më tani duhet të jetë më parë nga data apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Futni emrin e bankës ose të institucionit kreditues përpara se të dorëzoni. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} duhet të dorëzohet DocType: POS Profile,Item Groups,Grupet artikull @@ -6822,7 +6890,6 @@ DocType: Customer,Sales Team Details,Detajet shitjet e ekipit apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Fshini përgjithmonë? DocType: Expense Claim,Total Claimed Amount,Shuma totale Pohoi apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Mundësi potenciale për të shitur. -DocType: Plaid Settings,Link a new bank account,Lidh një llogari të re bankare apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} është një status i pavlefshëm i pjesëmarrjes. DocType: Shareholder,Folio no.,Folio nr. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Invalid {0} @@ -6838,7 +6905,6 @@ DocType: Production Plan,Material Requested,Materiali i kerkuar DocType: Warehouse,PIN,GJILPËRË DocType: Bin,Reserved Qty for sub contract,Qty i rezervuar për nën kontratë DocType: Patient Service Unit,Patinet Service Unit,Njësia e Shërbimit Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Gjeneroni skedarin e tekstit DocType: Sales Invoice,Base Change Amount (Company Currency),Base Ndryshimi Shuma (Company Valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Nuk ka hyrje të kontabilitetit për magazinat e mëposhtme apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Vetëm {0} në magazinë për artikullin {1} @@ -6852,6 +6918,7 @@ DocType: Item,No of Months,Jo e muajve DocType: Item,Max Discount (%),Max Discount (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Ditët e kredisë nuk mund të jenë një numër negativ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Ngarko një deklaratë +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Raporto këtë artikull DocType: Purchase Invoice Item,Service Stop Date,Data e ndalimit të shërbimit apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Shuma Rendit Fundit DocType: Cash Flow Mapper,e.g Adjustments for:,p.sh. Rregullimet për: @@ -6945,16 +7012,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Kategoria e Përjashtimit të Taksave të Punonjësve apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Shuma nuk duhet të jetë më pak se zero. DocType: Sales Invoice,C-Form Applicable,C-Formulari i zbatueshëm -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Operacioni Koha duhet të jetë më e madhe se 0 për Operacionin {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Operacioni Koha duhet të jetë më e madhe se 0 për Operacionin {0} DocType: Support Search Source,Post Route String,Shkruaj rrugën String apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Magazina është e detyrueshme apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Dështoi në krijimin e faqes së internetit DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Konvertimi Detail apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Pranimi dhe regjistrimi -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Regjistrimi i aksioneve të mbajtjes tashmë të krijuar ose Sasia e mostrës nuk është dhënë +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Regjistrimi i aksioneve të mbajtjes tashmë të krijuar ose Sasia e mostrës nuk është dhënë DocType: Program,Program Abbreviation,Shkurtesa program -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Rendit prodhimi nuk mund të ngrihet kundër një Template Item apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Grupi nga Voucher (Konsoliduar) DocType: HR Settings,Encrypt Salary Slips in Emails,Encrypto rrëshqet e pagave në postë elektronike DocType: Question,Multiple Correct Answer,Përgjigje e shumëfishtë korrekte @@ -7001,7 +7067,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Ratedshtë vlerësuar os DocType: Employee,Educational Qualification,Kualifikimi arsimor DocType: Workstation,Operating Costs,Shpenzimet Operative apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Monedhë për {0} duhet të jetë {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Pasoja e periudhës së hirit DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Shënoni frekuentimin bazuar në 'Checkin e Punonjësve' për punonjësit e caktuar në këtë ndërrim. DocType: Asset,Disposal Date,Shkatërrimi Date DocType: Service Level,Response and Resoution Time,Koha e reagimit dhe e burimit @@ -7049,6 +7114,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Data e përfundimit DocType: Purchase Invoice Item,Amount (Company Currency),Shuma (Kompania Valuta) DocType: Program,Is Featured,Atureshtë e veçuar +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Ngarkuar ... DocType: Agriculture Analysis Criteria,Agriculture User,Përdoruesi i Bujqësisë apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,E vlefshme deri në datën nuk mund të jetë para datës së transaksionit apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} njësitë e {1} nevojshme në {2} në {3} {4} për {5} për të përfunduar këtë transaksion. @@ -7080,7 +7146,6 @@ DocType: Student,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max orarit të punës kundër pasqyrë e mungesave DocType: Shift Type,Strictly based on Log Type in Employee Checkin,Bazuar në mënyrë rigoroze në Llojin e Log-ut në Kontrollin e Punonjësve DocType: Maintenance Schedule Detail,Scheduled Date,Data e planifikuar -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Totale e paguar Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mesazhet më të mëdha se 160 karaktere do të ndahet në mesazhe të shumta DocType: Purchase Receipt Item,Received and Accepted,Marrë dhe pranuar ,GST Itemised Sales Register,GST e detajuar Sales Regjistrohu @@ -7104,6 +7169,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,anonim apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Marrë nga 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: 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} @@ -7214,7 +7280,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Sinkronizoni taksat dhe pag 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) -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,BOM Default për {0} nuk u gjet +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Default BOM for {0} not found,BOM Default për {0} nuk u gjet 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 e fillimit të vitit fiskal duhet të jetë një vit më parë se data e mbarimit të vitit fiskal apps/erpnext/erpnext/stock/doctype/item/item.py,Row #{0}: Please set reorder quantity,Row # {0}: Ju lutemi të vendosur sasinë Reorder apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Prekni për të shtuar artikuj tyre këtu @@ -7250,7 +7316,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Mirëmbajtja Data DocType: Purchase Invoice Item,Rejected Serial No,Refuzuar Nuk Serial apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Viti data e fillimit ose data fundi mbivendosje me {0}. Për të shmangur ju lutem kompaninë vendosur -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Ju lutemi të përmendni Emrin Lead në Lead {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Data e fillimit duhet të jetë më pak se data përfundimtare e artikullit {0} DocType: Shift Type,Auto Attendance Settings,Cilësimet e frekuentimit automatik @@ -7308,6 +7373,7 @@ DocType: Fees,Student Details,Detajet e Studentit DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Ky është UOM-i i paracaktuar që përdoret për artikujt dhe porositë e shitjeve. UOM-i që pranon është "Nos". DocType: Purchase Invoice Item,Stock Qty,Stock Qty DocType: Purchase Invoice Item,Stock Qty,Stock Qty +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 DocType: Loan,Repayment Period in Months,Afati i pagesës në muaj @@ -7336,6 +7402,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Discount apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Pasqyrë e mungesave për detyra. DocType: Purchase Invoice,Against Expense Account,Kundër Llogaria shpenzimeve apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Instalimi Shënim {0} tashmë është dorëzuar +DocType: BOM,Raw Material Cost (Company Currency),Kostoja e lëndës së parë (monedha e kompanisë) DocType: GSTR 3B Report,October,tetor DocType: Bank Reconciliation,Get Payment Entries,Get Entries pagesës DocType: Quotation Item,Against Docname,Kundër Docname @@ -7382,15 +7449,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Kërkohet data e përdorimit DocType: Request for Quotation,Supplier Detail,furnizuesi Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Error ne formulen ose gjendje: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Shuma e faturuar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Shuma e faturuar apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Peshat e kriterit duhet të shtojnë deri në 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Pjesëmarrje apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Stock Items DocType: Sales Invoice,Update Billed Amount in Sales Order,Përditësoni shumën e faturuar në Urdhërin e shitjes +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Kontakto Shitësin 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Me fjalë do të jetë i dukshëm një herë ju ruani qëllim blerjen. @@ -7403,6 +7472,7 @@ DocType: Dosage Form,Dosage Form,Formulari i Dozimit 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 +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Pranimi i Blerjes nuk ka ndonjë artikull për të cilin është aktivizuar Shembulli i Mbajtjes. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Fatura e përgjithshme totale DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Seria për Shënimin e Zhvlerësimit të Aseteve (Hyrja e Gazetës) DocType: Membership,Member Since,Anëtar që prej @@ -7411,6 +7481,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,On Net Total 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},Vlera për atribut {0} duhet të jetë brenda intervalit {1} të {2} në increments e {3} për Item {4} DocType: Pricing Rule,Product Discount Scheme,Skema e Zbritjes së Produkteve +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Asnjë çështje nuk është ngritur nga telefonuesi. DocType: Restaurant Reservation,Waitlisted,e konfirmuar DocType: Employee Tax Exemption Declaration Category,Exemption Category,Kategoria e përjashtimit apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Valuta nuk mund të ndryshohet, pasi duke e bërë shënimet duke përdorur disa valutë tjetër" @@ -7424,7 +7495,6 @@ DocType: Customer Group,Parent Customer Group,Grupi prind Klientit apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Bill JSON e-Way mund të gjenerohet vetëm nga Fatura e Shitjeve apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Arritën përpjekjet maksimale për këtë kuiz! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,abonim -DocType: Purchase Invoice,Contact Email,Kontakti Email apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Krijimi i tarifës në pritje DocType: Project Template Task,Duration (Days),Kohëzgjatja (Ditët) DocType: Appraisal Goal,Score Earned,Vota fituara @@ -7448,7 +7518,6 @@ DocType: Landed Cost Item,Landed Cost Item,Kosto zbarkoi Item apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js,Show zero values,Trego zero vlerat DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Sasia e sendit të marra pas prodhimit / ripaketimin nga sasi të caktuara të lëndëve të para DocType: Lab Test,Test Group,Grupi i Testimeve -apps/erpnext/erpnext/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Shuma për një transaksion të vetëm tejkalon shumën maksimale të lejuar, krijoni një urdhër të veçantë pagese duke ndarë transaksionet" DocType: Service Level Agreement,Entity,Enti DocType: Payment Reconciliation,Receivable / Payable Account,Arkëtueshme / pagueshme Llogaria DocType: Delivery Note Item,Against Sales Order Item,Kundër Sales Rendit Item @@ -7616,6 +7685,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Në d DocType: Quality Inspection Reading,Reading 3,Leximi 3 DocType: Stock Entry,Source Warehouse Address,Adresa e Burimeve të Burimeve DocType: GL Entry,Voucher Type,Voucher Type +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Pagesat e ardhshme 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 @@ -7642,6 +7712,7 @@ DocType: Travel Request,Identification Document Number,Numri i Dokumentit të Id 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." DocType: Sales Invoice,Customer GSTIN,GSTIN Customer DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Lista e sëmundjeve të zbuluara në terren. Kur zgjidhet, do të shtojë automatikisht një listë të detyrave për t'u marrë me sëmundjen" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Kjo është njësi e shërbimit të kujdesit shëndetësor dhe nuk mund të redaktohet. DocType: Asset Repair,Repair Status,Gjendja e Riparimit 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." @@ -7656,6 +7727,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Llogaria për Ndryshim Shuma DocType: QuickBooks Migrator,Connecting to QuickBooks,Lidhja me QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Totali i Fitimit / Humbjes +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Krijoni listën e zgjedhjeve apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partia / Llogaria nuk përputhet me {1} / {2} në {3} {4} DocType: Employee Promotion,Employee Promotion,Promovimi i Punonjësve DocType: Maintenance Team Member,Maintenance Team Member,Anëtar i ekipit të mirëmbajtjes @@ -7739,6 +7811,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Paguajnë neto nuk mund të jetë negative @@ -7770,7 +7843,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Qëllimi i cilësisë DocType: BOM,Item to be manufactured or repacked,Pika për të prodhuar apo ripaketohen apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Gabim i sintaksës në gjendje: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Asnjë çështje e ngritur nga klienti. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,/ Subjektet e mëdha fakultative apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Konfiguro Grupin e Furnizuesit në Parametrat e Blerjes. @@ -7863,8 +7935,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Ditët e kreditit apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,"Ju lutemi, përzgjidhni Pacientin për të marrë Testet Lab" DocType: Exotel Settings,Exotel Settings,Cilësimet e Exotelit -DocType: Leave Type,Is Carry Forward,Është Mbaj Forward +DocType: Leave Ledger Entry,Is Carry Forward,Është Mbaj Forward DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Orari i punës nën të cilin shënohet Mungesa. (Zero për të çaktivizuar) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Dergo nje mesazh apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Të marrë sendet nga bom 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 diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index f178733deb..6f9ab83bf4 100644 --- a/erpnext/translations/sr.csv +++ b/erpnext/translations/sr.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Обавестите добављача apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Молимо Вас да одаберете Парти Типе први DocType: Item,Customer Items,Предмети Цустомер +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,"Пасива, дугови" DocType: Project,Costing and Billing,Коштају и обрачуна apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Адванце валута валуте треба да буде иста као валута компаније {0} DocType: QuickBooks Migrator,Token Endpoint,Крајња тачка жетона @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Уобичајено Јединица ме DocType: SMS Center,All Sales Partner Contact,Све продаје партнер Контакт DocType: Department,Leave Approvers,Оставите Аппроверс DocType: Employee,Bio / Cover Letter,Био / Цовер Леттер +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Ставке претраге ... DocType: Patient Encounter,Investigations,Истраге DocType: Restaurant Order Entry,Click Enter To Add,Кликните Ентер за додавање apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Недостајућа вриједност за лозинку, АПИ кључ или Схопифи УРЛ" DocType: Employee,Rented,Изнајмљени apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Сви рачуни apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Не можете пренети запослене са статусом Лево -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Стоппед Производња поредак не може бити поништен, то Унстоп прво да откажете" DocType: Vehicle Service,Mileage,километража apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Да ли заиста желите да укине ову имовину? DocType: Drug Prescription,Update Schedule,Упдате Сцхедуле @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Купац DocType: Purchase Receipt Item,Required By,Обавезно Би DocType: Delivery Note,Return Against Delivery Note,Повратак против отпремница DocType: Asset Category,Finance Book Detail,Књига финансија +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Све амортизације су књижене DocType: Purchase Order,% Billed,Фактурисано % apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Платни број apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Курс курс мора да буде исти као {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Батцх артикла истека статус apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Банка Нацрт DocType: Journal Entry,ACC-JV-.YYYY.-,АЦЦ-ЈВ-ИИИИ.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Укупно касних уноса DocType: Mode of Payment Account,Mode of Payment Account,Начин плаћања налог apps/erpnext/erpnext/config/healthcare.py,Consultation,Консултације DocType: Accounts Settings,Show Payment Schedule in Print,Прикажи распоред плаћања у штампању @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Н apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Примарне контактне информације apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Отворених питања DocType: Production Plan Item,Production Plan Item,Производња план шифра +DocType: Leave Ledger Entry,Leave Ledger Entry,Оставите унос књиге apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Пользователь {0} уже назначен Employee {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} поље је ограничено на величину {1} DocType: Lab Test Groups,Add new line,Додајте нову линију apps/erpnext/erpnext/utilities/activation.py,Create Lead,Креирајте олово DocType: Production Plan,Projected Qty Formula,Пројектирана Количина формуле @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,М DocType: Purchase Invoice Item,Item Weight Details,Детаљна тежина артикла DocType: Asset Maintenance Log,Periodicity,Периодичност apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Фискална година {0} је потребно +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Нето добитак / губитак DocType: Employee Group Table,ERPNext User ID,ЕРПНект Усер ИД DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Минимално растојање између редова биљака за оптималан раст apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Молимо одаберите пацијента да бисте добили прописани поступак @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Продајна цена DocType: Patient,Tobacco Current Use,Употреба дувана apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Продајна стопа -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Сачувајте свој документ пре додавања новог налога 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 ...,Тражи било шта ... DocType: Company,Phone No,Тел DocType: Delivery Trip,Initial Email Notification Sent,Послато је обавештење о почетној е-пошти DocType: Bank Statement Settings,Statement Header Mapping,Мапирање заглавља извода @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Пе DocType: Exchange Rate Revaluation Account,Gain/Loss,Добитак / губитак DocType: Crop,Perennial,Перенниал DocType: Program,Is Published,Објављено +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Прикажи белешке о испоруци apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Да бисте омогућили прекомерно наплаћивање, ажурирајте „Преко дозволе за наплату“ у подешавањима налога или ставке." DocType: Patient Appointment,Procedure,Процедура DocType: Accounts Settings,Use Custom Cash Flow Format,Користите Цустом Флов Флов Формат @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Оставите детаље о политици DocType: BOM,Item Image (if not slideshow),Артикал слика (ако не слидесхов) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Ред # {0}: Операција {1} није завршена за {2} Количина готових производа у радном налогу {3}. Ажурирајте статус рада путем Јоб Цард {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} је обавезан за генерисање плаћања дознака, подесите поље и покушајте поново" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Час курс / 60) * Пуна Операција време apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Ред # {0}: Референтни тип документа мора бити један од потраживања трошкова или уноса дневника apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Избор БОМ @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Отплатити Овер број периода apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Количина за производњу не може бити мања од нуле DocType: Stock Entry,Additional Costs,Додатни трошкови +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Купац> Група купаца> Територија apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Счет с существующей сделки не могут быть преобразованы в группы . DocType: Lead,Product Enquiry,Производ Енкуири DocType: Education Settings,Validate Batch for Students in Student Group,Потврди Батцх за студенте у Студентском Групе @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Под Дипломац apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Молимо подесите подразумевани образац за обавештење о статусу Леаве Статус у ХР поставкама. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Циљна На DocType: BOM,Total Cost,Укупни трошкови +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Расподјела је истекла! DocType: Soil Analysis,Ca/K,Ца / К +DocType: Leave Type,Maximum Carry Forwarded Leaves,Максимално носећи прослеђене листове DocType: Salary Slip,Employee Loan,zaposleni кредита DocType: Additional Salary,HR-ADS-.YY.-.MM.-,ХР-АДС-.ИИ .-. ММ.- DocType: Fee Schedule,Send Payment Request Email,Пошаљите захтев за плаћање @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Нек apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Изјава рачуна apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Фармација DocType: Purchase Invoice Item,Is Fixed Asset,Је основних средстава +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Прикажи будуће исплате DocType: Patient,HLC-PAT-.YYYY.-,ХЛЦ-ПАТ-ИИИИ.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Овај банковни рачун је већ синхронизован DocType: Homepage,Homepage Section,Одељак почетне странице @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Фертилизер apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",Не може се осигурати испорука помоћу Серијског бр. Као \ Итем {0} додат је са и без Осигурање испоруке од \ Серијски број -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Поставите систем именовања инструктора у Образовање> Подешавања образовања apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Најмање један начин плаћања је потребно за ПОС рачуна. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},За серијски артикал није потребан број серије {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Ставка фактуре за трансакцију из банке @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,Изаберите Услови apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,od Вредност DocType: Bank Statement Settings Item,Bank Statement Settings Item,Поставка Поставке банке DocType: Woocommerce Settings,Woocommerce Settings,Вооцоммерце Сеттингс +DocType: Leave Ledger Entry,Transaction Name,Назив трансакције DocType: Production Plan,Sales Orders,Салес Ордерс apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Вишеструки програм лојалности пронађен за клијента. Молимо изаберите ручно. DocType: Purchase Taxes and Charges,Valuation,Вредновање @@ -461,6 +469,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: 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,Упдате-маил Група DocType: POS Profile,Only show Customer of these Customer Groups,Покажи само купца ових група купаца DocType: Sales Invoice,Is Opening Entry,Отвара Ентри @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Спомените ако нестандардни потраживања рачуна примењује 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,Унос залиха је већ креиран против ове листе избора DocType: Supplier Scorecard,Criteria Setup,Постављање критеријума -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Для требуется Склад перед Отправить +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,На примљене DocType: Codification Table,Medical Code,Медицински код apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Повежите Амазон са ЕРПНект @@ -486,7 +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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Додани су банковни рачуни -DocType: Delivery Stop,Contact Name,Контакт Име +DocType: Call Log,Contact Name,Контакт Име DocType: Plaid Settings,Synchronize all accounts every hour,Синхронизујте све налоге сваких сат времена DocType: Course Assessment Criteria,Course Assessment Criteria,Критеријуми процене цоурсе DocType: Pricing Rule Detail,Rule Applied,Правило се примењује @@ -530,7 +540,6 @@ 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,Продаја Рачун Нема -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Непознат број DocType: Website Filter Field,Website Filter Field,Поље филтера за веб локацију apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Тип испоруке DocType: Material Request Item,Min Order Qty,Минимална количина за поручивање @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,Укупни основни изно DocType: Student Guardian,Relation,Однос DocType: Quiz Result,Correct,Тацно DocType: Student Guardian,Mother,мајка -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Прво додајте валидне апи кључеве на сите_цонфиг.јсон DocType: Restaurant Reservation,Reservation End Time,Време завршетка резервације DocType: Crop,Biennial,Биенниал ,BOM Variance Report,Извјештај о варијацији БОМ @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,Плаид јавни кључ DocType: Payment Term,Payment Term Name,Назив рока плаћања DocType: Healthcare Settings,Create documents for sample collection,Креирајте документе за сакупљање узорка apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Плаћање по {0} {1} не може бити већи од преосталог износа {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,Подешавања изван мре DocType: Stock Entry Detail,Reference Purchase Receipt,Референтна куповина DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,МАТ-РЕЦО-.ИИИИ.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Варијанта -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Завршен ком не може бити већи од 'Количина за производњу' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Завршен ком не може бити већи од 'Количина за производњу' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Период заснован на DocType: Period Closing Voucher,Closing Account Head,Затварање рачуна Хеад DocType: Employee,External Work History,Спољни власници apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Циркуларне референце Грешка apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Студентски извештај картица apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Од ПИН-а +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Покажи продајно лице DocType: Appointment Type,Is Inpatient,Је стационарно apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Гуардиан1 Име DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,У Вордс (извоз) ће бити видљив када сачувате напомену Деливери. @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Име димензије apps/erpnext/erpnext/healthcare/setup.py,Resistant,Отпорно apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Молимо подесите Хотел Роом Рате на {} +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо вас да подесите серију нумерирања за Аттенданце путем Подешавање> Серија нумерирања DocType: Journal Entry,Multi Currency,Тема Валута DocType: Bank Statement Transaction Invoice Item,Invoice Type,Фактура Тип apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Важи од датума мора бити мање од важећег до датума @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Признао DocType: Workstation,Rent Cost,Издавање Трошкови 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,Износ Након Амортизација apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Предстојеће догађаје из календара apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Вариант атрибути @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,Захтев за пону 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Покажи продајно лице у штампаном облику 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,Снага @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Креирајте нови клијента apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Истиче се apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ако више Цене Правила наставити да превлада, корисници су упитани да подесите приоритет ручно да реши конфликт." -DocType: Purchase Invoice,Scan Barcode,Скенирајте бар код apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Створити куповини Ордерс ,Purchase Register,Куповина Регистрација apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Пацијент није пронађен @@ -817,6 +828,7 @@ DocType: Account,Old Parent,Стари Родитељ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Обавезно поље - школска година apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Обавезно поље - школска година apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} није повезан са {2} {3} +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} @@ -859,6 +871,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Плата Компонента за плате на основу ТимеСхеет. DocType: Driver,Applicable for external driver,Примењује се за спољни управљачки програм DocType: Sales Order Item,Used for Production Plan,Користи се за производни план +DocType: BOM,Total Cost (Company Currency),Укупни трошак (валута компаније) DocType: Loan,Total Payment,Укупан износ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Не могу отказати трансакцију за Завршени радни налог. DocType: Manufacturing Settings,Time Between Operations (in mins),Време између операција (у минута) @@ -880,6 +893,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Обавести другу DocType: Vital Signs,Blood Pressure (systolic),Крвни притисак (систолни) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} је {2} DocType: Item Price,Valid Upto,Важи до +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.,Листанеколико ваших клијената . Они могу бити организације и појединци . @@ -898,6 +912,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Измене у {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Молимо изаберите Цомпани DocType: Employee Skill,Employee Skill,Вештина запослених apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Разлика налог @@ -942,6 +957,7 @@ DocType: Patient,Risk Factors,Фактори ризика DocType: Patient,Occupational Hazards and Environmental Factors,Физичке опасности и фактори околине apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Залоге већ створене за радни налог apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Погледајте прошла наређења +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} разговора DocType: Vital Signs,Respiratory rate,Стопа респираторних органа apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Управљање Подуговарање DocType: Vital Signs,Body Temperature,Телесна температура @@ -983,6 +999,7 @@ DocType: Purchase Invoice,Registered Composition,Регистровани сас apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Здраво apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,мове артикла DocType: Employee Incentive,Incentive Amount,Подстицајни износ +,Employee Leave Balance Summary,Резиме биланса напуштања запослених DocType: Serial No,Warranty Period (Days),Гарантни период (дани) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Укупан износ кредита / задужења треба да буде исти као везани дневник DocType: Installation Note Item,Installation Note Item,Инсталација Напомена Ставка @@ -996,6 +1013,7 @@ DocType: Vital Signs,Bloated,Ватрено DocType: Salary Slip,Salary Slip Timesheet,Плата Слип Тимесхеет apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК DocType: Item Price,Valid From,Важи од +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Ваша оцјена: DocType: Sales Invoice,Total Commission,Укупно Комисија DocType: Tax Withholding Account,Tax Withholding Account,Порески налог за одузимање пореза DocType: Pricing Rule,Sales Partner,Продаја Партнер @@ -1003,6 +1021,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Све испос DocType: Buying Settings,Purchase Receipt Required,Куповина Потврда Обавезно DocType: Sales Invoice,Rail,Раил apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Стварна цена +DocType: Item,Website Image,Слика веб странице apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Циљно складиште у реду {0} мора бити исто као радни налог apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Процена курс је обавезна ако Отварање Сток ушла apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Нема резултата у фактури табели записи @@ -1037,8 +1056,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Пре синхронизације налога завршите конфигурацију Плаид АПИ-ја apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Датум полувремена је обавезан DocType: Sales Order,Billing and Delivery Status,Обрачун и Статус испоруке DocType: Job Applicant,Resume Attachment,ресуме Прилог @@ -1050,7 +1069,6 @@ DocType: Production Plan,Production Plan,План производње DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Отварање алата за креирање фактуре DocType: Salary Component,Round to the Nearest Integer,Заокружите на најближи цели број apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Продаја Ретурн -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Напомена: Укупно издвојена лишће {0} не сме бити мањи од већ одобрених лишћа {1} за период DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Поставите количину у трансакцијама на основу Серијски број улаза ,Total Stock Summary,Укупно Сток Преглед apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1079,6 +1097,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Л apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Основицу DocType: Loan Application,Total Payable Interest,Укупно оплате камата apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Укупно изузетно: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Отвори контакт 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} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Серијски бр. Нису потребни за сериализоване ставке {0} @@ -1088,6 +1107,7 @@ 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,Дошло је до грешке током процеса ажурирања DocType: Restaurant Reservation,Restaurant Reservation,Резервација ресторана +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Ваше ставке apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Писање предлога DocType: Payment Entry Deduction,Payment Entry Deduction,Плаћање Ступање дедукције DocType: Service Level Priority,Service Level Priority,Приоритет на нивоу услуге @@ -1096,6 +1116,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Серија бројева серија apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Још једна особа Продаја {0} постоји са истим запослених ид DocType: Employee Advance,Claimed Amount,Захтевани износ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Истече додељивање DocType: QuickBooks Migrator,Authorization Settings,Подешавања ауторизације DocType: Travel Itinerary,Departure Datetime,Одлазак Датетиме apps/erpnext/erpnext/hub_node/api.py,No items to publish,Нема ставки за објављивање @@ -1164,7 +1185,6 @@ DocType: Student Batch Name,Batch Name,батцх Име DocType: Fee Validity,Max number of visit,Максималан број посета DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Обавезно за рачун добити и губитка ,Hotel Room Occupancy,Хотелске собе -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Тимесхеет цреатед: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}" apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,уписати DocType: GST Settings,GST Settings,ПДВ подешавања @@ -1298,6 +1318,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Молимо одаберите програм DocType: Project,Estimated Cost,Процењени трошкови DocType: Request for Quotation,Link to material requests,Линк материјалним захтевима +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Објави apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ваздушно-космички простор ,Fichier des Ecritures Comptables [FEC],Фицхиер дес Ецритурес Цомптаблес [ФЕЦ] DocType: Journal Entry,Credit Card Entry,Кредитна картица Ступање @@ -1324,6 +1345,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,оборотные активы apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} не является акционерным Пункт apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Молимо вас да поделите своје повратне информације на тренинг кликом на 'Феедбацк Феедбацк', а затим 'Нев'" +DocType: Call Log,Caller Information,Информације о позиваоцу DocType: Mode of Payment Account,Default Account,Уобичајено Рачун apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Прво изаберите складиште за задржавање узорка у поставкама залиха apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Молимо изаберите тип вишеструког нивоа програма за више правила колекције. @@ -1348,6 +1370,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Аутоматско Материјал Захтеви Генератед DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Радно време испод којег се обележава Половна дана. (Нула за онемогућавање) DocType: Job Card,Total Completed Qty,Укупно завршено Количина +DocType: HR Settings,Auto Leave Encashment,Ауто Леаве Енцасхмент apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,изгубљен apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Не можете ући у тренутну ваучер 'против' Јоурнал Ентри колону DocType: Employee Benefit Application Detail,Max Benefit Amount,Мак Бенефит Количина @@ -1377,9 +1400,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Претплатник DocType: Item Attribute Value,Item Attribute Value,Итем Вредност атрибута apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Мењање мјењача мора бити примјењиво за куповину или продају. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Само истекле алокације могу се отказати DocType: Item,Maximum sample quantity that can be retained,Максимална количина узорка која се може задржати apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Ров {0} # Ставка {1} не може се пренијети више од {2} у односу на наруџбеницу {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Кампании по продажам . +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Непознати позивалац DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1430,6 +1455,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Време apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Док Име DocType: Expense Claim Detail,Expense Claim Type,Расходи потраживање Тип DocType: Shopping Cart Settings,Default settings for Shopping Cart,Дефаулт сеттингс фор Корпа +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Сачувај ставку apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Нови трошак apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Занемарите постојећи наручени број apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Додај Тимеслотс @@ -1442,6 +1468,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Послати позив за преглед DocType: Shift Assignment,Shift Assignment,Схифт Ассигнмент DocType: Employee Transfer Property,Employee Transfer Property,Имовина трансфера радника +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Поље Власнички рачун / рачун одговорности не може бити празно apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Од времена би требало бити мање од времена apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,биотехнологија apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1524,11 +1551,13 @@ 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,Креирајте нови контакт apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Распоред курс DocType: GSTR 3B Report,GSTR 3B Report,Извештај ГСТР 3Б DocType: Request for Quotation Supplier,Quote Status,Куоте Статус DocType: GoCardless Settings,Webhooks Secret,Вебхоокс Сецрет DocType: Maintenance Visit,Completion Status,Завршетак статус +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Укупни износ плаћања не може бити већи од {} DocType: Daily Work Summary Group,Select Users,Изаберите Кориснике DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Ставка за хотелску собу DocType: Loyalty Program Collection,Tier Name,Тиер Наме @@ -1566,6 +1595,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,СГСТ DocType: Lab Test Template,Result Format,Формат резултата DocType: Expense Claim,Expenses,расходы DocType: Service Level,Support Hours,Подршка време +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Доставнице DocType: Item Variant Attribute,Item Variant Attribute,Тачка Варијанта Атрибут ,Purchase Receipt Trends,Куповина Трендови Пријем DocType: Payroll Entry,Bimonthly,часопис који излази свака два месеца @@ -1588,7 +1618,6 @@ DocType: Sales Team,Incentives,Подстицаји DocType: SMS Log,Requested Numbers,Тражени Бројеви DocType: Volunteer,Evening,Вече DocType: Quiz,Quiz Configuration,Конфигурација квиза -DocType: Customer,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,Сток Детаљи @@ -1635,7 +1664,6 @@ apps/erpnext/erpnext/config/accounting.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,Филтер Тотал Зеро Кти -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Није могуће пронаћи време за наредних {0} дана за рад {1} DocType: Work Order,Plan material for sub-assemblies,План материјал за подсклопови 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,Нема ставки за пренос @@ -1650,9 +1678,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Морате да омогућите аутоматску поновну поруџбину у подешавањима залиха да бисте одржавали нивое поновне поруџбине. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменить Материал просмотров {0} до отмены этого обслуживания визит DocType: Pricing Rule,Rate or Discount,Стопа или попуст +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Банковног DocType: Vital Signs,One Sided,Једнострани apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Серийный номер {0} не принадлежит Пункт {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Обавезно Кол +DocType: Purchase Order Item Supplied,Required Qty,Обавезно Кол DocType: Marketplace Settings,Custom Data,Кориснички подаци apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Складишта са постојећим трансакције не могу се претворити у књизи. DocType: Service Day,Service Day,Дан услуге @@ -1680,7 +1709,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Рачун Валута DocType: Lab Test,Sample ID,Пример узорка apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Молимо да наведете заокружују рачун у компанији -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,дебит_ноте_амт DocType: Purchase Receipt,Range,Домет DocType: Supplier,Default Payable Accounts,Уобичајено се плаћају рачуни apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Сотрудник {0} не активен или не существует @@ -1721,8 +1749,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Захтев за информације DocType: Course Activity,Activity Date,Датум активности apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} од {} -,LeaderBoard,банер DocType: Sales Invoice Item,Rate With Margin (Company Currency),Рате Витх Маргин (Валута компаније) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Категорије apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Синц Оффлине Рачуни DocType: Payment Request,Paid,Плаћен DocType: Service Level,Default Priority,Подразумевани приоритет @@ -1757,11 +1785,11 @@ 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,Косвенная прибыль DocType: Student Attendance Tool,Student Attendance Tool,Студент Присуство Алат DocType: Restaurant Menu,Price List (Auto created),Ценовник (Аутоматски креиран) +DocType: Pick List Item,Picked Qty,Изабрани број DocType: Cheque Print Template,Date Settings,Датум Поставке 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,Детаљи о напредовању запослених -,Company Name,Име компаније DocType: SMS Center,Total Message(s),Всего сообщений (ы) DocType: Share Balance,Purchased,Купио DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Преименуј вредност атрибута у атрибуту предмета. @@ -1780,7 +1808,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Најновији покушај 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} -DocType: BOM,Raw Material Cost(Company Currency),Сировина трошкова (Фирма валута) 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,Метар @@ -1849,6 +1876,7 @@ DocType: Travel Itinerary,Train,Воз ,Delayed Item Report,Извештај о кашњењу предмета apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Испуњава ИТЦ DocType: Healthcare Service Unit,Inpatient Occupancy,Болничко становање +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Објавите своје прве ставке DocType: Sample Collection,HLC-SC-.YYYY.-,ХЛЦ-СЦ-ИИИИ.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Време по завршетку смене током које се одјава одлази на присуство. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Наведите {0} @@ -1967,6 +1995,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,sve БОМ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Направите унос часописа Интер Цомпани DocType: Company,Parent Company,Матична компанија apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Собе Хотела типа {0} нису доступне на {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Упоредите БОМ за промене у сировинама и начину рада apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Документ {0} је успешно избрисан DocType: Healthcare Practitioner,Default Currency,Уобичајено валута apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Усклади овај рачун @@ -2001,6 +2030,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,Ц-Форм Рачун Детаљ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Плаћање Помирење Фактура DocType: Clinical Procedure,Procedure Template,Шаблон процедуре +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Објавите ставке apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Допринос% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Према куповина Сеттингс ако Потребна је поруџбеница == 'ДА', а затим за стварање фактури, корисник треба да креира налога за куповину прво за ставку {0}" ,HSN-wise-summary of outward supplies,ХСН-мудар-резиме оутерних залиха @@ -2013,7 +2043,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Молимо поставите 'Аппли додатни попуст на' DocType: Party Tax Withholding Config,Applicable Percent,Велики проценат ,Ordered Items To Be Billed,Ж артикала буду наплаћени -DocType: Employee Checkin,Exit Grace Period Consequence,Излаз из последице периода милости apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Од Опсег мора да буде мањи од у распону DocType: Global Defaults,Global Defaults,Глобални Дефаултс apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Пројекат Сарадња Позив @@ -2021,13 +2050,11 @@ DocType: Salary Slip,Deductions,Одбици DocType: Setup Progress Action,Action Name,Назив акције apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,старт Година apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Креирај зајам -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,ПДЦ / ЛЦ DocType: Purchase Invoice,Start date of current invoice's period,Почетак датум периода текуће фактуре за DocType: Shift Type,Process Attendance After,Посједовање процеса након ,IRS 1099,ИРС 1099 DocType: Salary Slip,Leave Without Pay,Оставите Без плате DocType: Payment Request,Outward,Напољу -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Капацитет Планирање Грешка apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Порез на државну територију ,Trial Balance for Party,Претресно Разлика за странке ,Gross and Net Profit Report,Извештај о бруто и нето добити @@ -2046,7 +2073,6 @@ DocType: Payroll Entry,Employee Details,Запослених Детаљи 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} потребно је средство -DocType: Setup Progress Action,Domains,Домени 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} @@ -2089,7 +2115,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Укупн 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.","Режим плаћања није подешен. Молимо вас да проверите, да ли налог је постављен на начину плаћања или на ПОС профил." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Исто ставка не може се уписати више пута. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Даље рачуни могу бити у групама, али уноса можете извршити над несрпским групама" -DocType: Email Campaign,Lead,Довести +DocType: Call Log,Lead,Довести DocType: Email Digest,Payables,Обавезе DocType: Amazon MWS Settings,MWS Auth Token,МВС Аутх Токен DocType: Email Campaign,Email Campaign For ,Кампања за е-пошту за @@ -2101,6 +2127,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Налог за куповину артикала буду наплаћени 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,Кредитни лимити DocType: Purchase Invoice Item,Net Rate,Нето курс apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Изаберите купца DocType: Leave Policy,Leave Allocations,Леаве Аллоцатион @@ -2114,6 +2141,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Близу Издање Након неколико дана ,Eway Bill,Еваи Билл apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Морате бити корисник са улогама Систем Манагер и Итем Манагер да бисте додали кориснике у Маркетплаце. +DocType: Attendance,Early Exit,Рани излазак DocType: Job Opening,Staffing Plan,План запошљавања apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,е-Ваи Билл ЈСОН може се генерисати само из достављеног документа apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Порез на запослене и бенефиције @@ -2136,6 +2164,7 @@ DocType: Maintenance Team Member,Maintenance Role,Улога одржавања apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Дубликат строка {0} с же {1} DocType: Marketplace Settings,Disable Marketplace,Онемогући тржиште DocType: Quality Meeting,Minutes,Минута +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Истакнуте ствари ,Trial Balance,Пробни биланс apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Прикажи завршено apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Фискална година {0} није пронађен @@ -2145,8 +2174,8 @@ 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,"Пожалуйста, выберите префикс первым" DocType: Contract,Fulfilment Deadline,Рок испуњења +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Близу вас DocType: Student,O-,О- -DocType: Shift Type,Consequence,Последица DocType: Subscription Settings,Subscription Settings,Подешавања претплате DocType: Purchase Invoice,Update Auto Repeat Reference,Ажурирајте Ауто Репеат Референце apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Изборна листа за празнике није постављена за период одмора {0} @@ -2157,7 +2186,6 @@ DocType: Maintenance Visit Purpose,Work Done,Рад Доне apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Наведите бар један атрибут у табели Атрибутима DocType: Announcement,All Students,Сви студенти apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Итем {0} мора бити нон-лагеру предмета -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Банк Деатилс apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Погледај Леџер DocType: Grading Scale,Intervals,интервали DocType: Bank Statement Transaction Entry,Reconciled Transactions,Усклађене трансакције @@ -2193,6 +2221,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Ово складиште ће се користити за креирање продајних налога. Резервно складиште је "Продавнице". DocType: Work Order,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,Одржавајте исту стопу током куповине циклуса DocType: Opportunity Item,Opportunity Item,Прилика шифра DocType: Quality Action,Quality Review,Преглед квалитета @@ -2219,7 +2248,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Гет неплаћене рачуне -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Заказ на продажу {0} не является допустимым +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,Упозорити на нови захтев за цитате apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Наруџбенице помоћи да планирате и праћење куповина apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Тестирање лабораторијских тестова @@ -2244,6 +2273,7 @@ DocType: Employee Onboarding,Notify users by email,Обавештавајте к DocType: Travel Request,International,Интернатионал DocType: Training Event,Training Event,тренинг догађај DocType: Item,Auto re-order,Ауто поново реда +DocType: Attendance,Late Entry,Касни улазак apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Укупно Постигнута DocType: Employee,Place of Issue,Место издавања DocType: Promotional Scheme,Promotional Scheme Price Discount,Попуст на промотивне шеме @@ -2290,6 +2320,7 @@ DocType: Serial No,Serial No Details,Серијска Нема детаља DocType: Purchase Invoice Item,Item Tax Rate,Ставка Пореска стопа apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Од имена партије apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Нето износ зараде +DocType: Pick List,Delivery against Sales Order,Испорука против продајног налога DocType: Student Group Student,Group Roll Number,"Група Ролл, број" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","За {0}, само кредитне рачуни могу бити повезани против неке друге ставке дебитне" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Доставка Примечание {0} не представлено @@ -2362,7 +2393,6 @@ DocType: Contract,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,Датум фактуре добављача -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ова вриједност се користи за прорачун про-рата темпорис apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Потребно је да омогућите Корпа DocType: Payment Entry,Writeoff,Отписати DocType: Maintenance Visit,MAT-MVS-.YYYY.-,МАТ-МВС-ИИИИ.- @@ -2376,6 +2406,7 @@ DocType: Delivery Trip,Total Estimated Distance,Укупна процењена DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Неплаћени рачун потраживања DocType: Tally Migration,Tally Company,Талли Цомпани apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,БОМ Бровсер +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Није дозвољено креирање димензије рачуноводства за {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Молимо да ажурирате свој статус за овај тренинг догађај DocType: Item Barcode,EAN,ЕАН DocType: Purchase Taxes and Charges,Add or Deduct,Додавање или Одузмите @@ -2385,7 +2416,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Неактивни артикли продаје DocType: Quality Review,Additional Information,Додатне Информације apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Укупна вредност поруџбине -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Ресет уговора о нивоу услуге. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,еда apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Старење Опсег 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,ПОС Цлосинг Воуцхер Детаљи @@ -2432,6 +2462,7 @@ 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,Кампања 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',"Состояние утверждения должны быть ""Одобрено"" или "" Отклонено """ DocType: Healthcare Practitioner,Contacts and Address,Контакти и адреса DocType: Shift Type,Determine Check-in and Check-out,Одредите Цхецк-ин и Цхецк-оут @@ -2451,7 +2482,6 @@ DocType: Student Admission,Eligibility and Details,Подобност и Дет apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Укључено у бруто добит apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Нето промена у основном средству apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Рекд Кти -DocType: Company,Client Code,Клијентов код apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные ' в строке {0} не могут быть включены в пункт Оценить apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Мак: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Од датетиме @@ -2520,6 +2550,7 @@ DocType: Journal Entry Account,Account Balance,Рачун Биланс apps/erpnext/erpnext/config/accounting.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 (%),Надокнада за трансфер (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Купац је обавезан против Потраживања обзир {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Укупни порези и таксе (Друштво валута) DocType: Weather,Weather Parameter,Временски параметар @@ -2582,6 +2613,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Праг радног в apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,На основу укупне потрошње може бити више фактора сакупљања. Али фактор конверзије за откуп ће увек бити исти за све нивое. apps/erpnext/erpnext/config/help.py,Item Variants,Ставка Варијанте apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Услуге +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,БОМ 2 DocType: Payment Order,PMO-,ПМО- DocType: HR Settings,Email Salary Slip to Employee,Емаил плата Слип да запосленом DocType: Cost Center,Parent Cost Center,Родитељ Трошкови центар @@ -2592,7 +2624,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields",И DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Напомене о увозној испоруци од Схопифи на пошиљци apps/erpnext/erpnext/templates/pages/projects.html,Show closed,схов затворено DocType: Issue Priority,Issue Priority,Приоритет питања -DocType: Leave Type,Is Leave Without Pay,Да ли је Оставите без плате +DocType: Leave Ledger Entry,Is Leave Without Pay,Да ли је Оставите без плате apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,ГСТИН apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Средство Категорија је обавезна за фиксне тачке средстава DocType: Fee Validity,Fee Validity,Валидност накнаде @@ -2641,6 +2673,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Доступно п apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Упдате Принт Формат DocType: Bank Account,Is Company Account,Рачун компаније apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Леаве Типе {0} није могуће уклопити +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Кредитни лимит је већ дефинисан за Компанију {0} DocType: Landed Cost Voucher,Landed Cost Help,Слетео Трошкови Помоћ DocType: Vehicle Log,HR-VLOG-.YYYY.-,ХР-ВЛОГ-.ИИИИ.- DocType: Purchase Invoice,Select Shipping Address,Избор Достава Адреса @@ -2665,6 +2698,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Двосмерно DocType: Item,Manufacturers,Произвођачи @@ -2702,7 +2736,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Банка помирење Изјава DocType: Patient Encounter,Medical Coding,Медицинско кодирање DocType: Healthcare Settings,Reminder Message,Порука подсетника -,Lead Name,Олово Име +DocType: Call Log,Lead Name,Олово Име ,POS,ПОС DocType: C-Form,III,ИИ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Истраживање @@ -2734,12 +2768,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Снабдевач Магацин DocType: Opportunity,Contact Mobile No,Контакт Мобиле Нема apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Изаберите компанију ,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: Student Report Generation Tool,Print Section,Одсек за штампу DocType: Staffing Plan Detail,Estimated Cost Per Position,Процењени трошак по позицији DocType: Employee,HR-EMP-,ХР-ЕМП- 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} нема подразумевани ПОС профил. Провјерите подразумевану вредност у редоследу {1} за овог корисника. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Записници са квалитетом састанка +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добављач> врста добављача apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Упућивање запослених DocType: Student Group,Set 0 for no limit,Сет 0 без ограничења apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Дан (и) на коју се пријављујете за дозволу су празници. Не морате пријавити за одмор. @@ -2773,12 +2809,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Нето промена на пари DocType: Assessment Plan,Grading Scale,скала оцењивања apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,већ завршено apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Стоцк Ин Ханд apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Додајте преостале погодности {0} апликацији као \ про-рата компоненту apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Молимо поставите фискални кодекс за јавну управу '% с' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Плаћање Захтјев већ постоји {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Трошкови издатих ставки DocType: Healthcare Practitioner,Hospital,Болница apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Количина не сме бити више од {0} @@ -2823,6 +2857,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Человеческие ресурсы apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Горња прихода DocType: Item Manufacturer,Item Manufacturer,итем Произвођач +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Креирајте нови потенцијал DocType: BOM Operation,Batch Size,Величина серије apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Одбити DocType: Journal Entry Account,Debit in Company Currency,Дебитна у Компанија валути @@ -2843,9 +2878,11 @@ DocType: Bank Transaction,Reconciled,Помирјен DocType: Expense Claim,Total Amount Reimbursed,Укупан износ рефундирају apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Ово је засновано на трупаца против овог возила. Погледајте рок доле за детаље apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Датум плаћања не може бити мањи од датума придруживања запосленог +DocType: Pick List,Item Locations,Локације предмета apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} направљена apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Отварање радних мјеста за означавање {0} већ отворено или запошљавање завршено у складу са планом особља {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Можете објавити до 200 предмета. DocType: Vital Signs,Constipated,Запремљен apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Против добављача Фактура {0} {1} од DocType: Customer,Default Price List,Уобичајено Ценовник @@ -2939,6 +2976,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Стварни почетак промјене DocType: Tally Migration,Is Day Book Data Imported,Увоз података о дневној књизи apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Маркетинговые расходы +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} јединица од {1} није доступна. ,Item Shortage Report,Ставка о несташици извештај 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,Не могу да креирам стандардне критеријуме. Преименујте критеријуме @@ -2961,6 +2999,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,Датум одласка у пензију DocType: Upload Attendance,Get Template,Гет шаблона +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Пицк Лист ,Sales Person Commission Summary,Повјереник Комисије за продају DocType: Material Request,Transferred,пренети DocType: Vehicle,Doors,vrata @@ -3041,7 +3080,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Шифра купца DocType: Stock Reconciliation,Stock Reconciliation,Берза помирење DocType: Territory,Territory Name,Територија Име DocType: Email Digest,Purchase Orders to Receive,Наруџбе за куповину -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Работа -в- Прогресс Склад требуется перед Отправить +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Работа -в- Прогресс Склад требуется перед Отправить apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Планове можете имати само са истим циклусом фактурисања на Претплати DocType: Bank Statement Transaction Settings Item,Mapped Data,Маппед Дата DocType: Purchase Order Item,Warehouse and Reference,Магацини и Референца @@ -3116,6 +3155,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Подешавања испоруке apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Извадите податке apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Максимални дозвољени одмор у типу одласка {0} је {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Објавите 1 предмет DocType: SMS Center,Create Receiver List,Направите листу пријемника DocType: Student Applicant,LMS Only,Само ЛМС apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Датум доступан за коришћење треба да буде након датума куповине @@ -3149,6 +3189,7 @@ DocType: Serial No,Delivery Document No,Достава докумената Не DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Обезбедите испоруку на основу произведеног серијског броја DocType: Vital Signs,Furry,Фурри apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Молимо поставите 'добитак / губитак налог на средства располагања "у компанији {0} +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} @@ -3160,6 +3201,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Прикажи сва издања од {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,МАТ-КА-ИИИИ.- DocType: Quality Meeting Table,Quality Meeting Table,Стол за састанке квалитета +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/templates/pages/help.html,Visit the forums,Посетите форум DocType: Student,Student Mobile Number,Студент Број мобилног телефона DocType: Item,Has Variants,Хас Варијанте @@ -3171,9 +3213,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Назив мје DocType: Quality Procedure Process,Quality Procedure Process,Процес поступка квалитета apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Батцх ИД је обавезна apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Батцх ИД је обавезна +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Прво одаберите купца DocType: Sales Person,Parent Sales Person,Продаја Родитељ Особа apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Ниједна ставка која треба примити није доспела apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Продавац и купац не могу бити исти +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Још увек нема погледа DocType: Project,Collect Progress,Прикупи напредак DocType: Delivery Note,MAT-DN-.YYYY.-,МАТ-ДН-ИИИИ.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Прво изаберите програм @@ -3195,11 +3239,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Постигнута DocType: Student Admission,Application Form Route,Образац за пријаву Рута apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Датум завршетка споразума не може бити мањи од данашњег. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Цтрл + Ентер да бисте послали DocType: Healthcare Settings,Patient Encounters in valid days,Пацијент сусрета у важећим данима apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Оставите Тип {0} не може бити додељена јер је оставити без плате 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,У речи ће бити видљив када сачувате продаје фактуру. DocType: Lead,Follow Up,Пратити +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Центар трошкова: {0} не постоји DocType: Item,Is Sales Item,Да ли продаје артикла apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Ставка Група дрво apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Пункт {0} не установка для мастера серийные номера Проверить товара @@ -3243,9 +3289,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Додатна количина DocType: Clinical Procedure,HLC-CPR-.YYYY.-,ХЛЦ-ЦПР-ИИИИ.- DocType: Purchase Order Item,Material Request Item,Материјал Захтев шифра -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Молим поништите прво куповну потврду {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Дерево товарные группы . DocType: Production Plan,Total Produced Qty,Укупно произведени количина +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Још нема рецензија apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,"Не можете обратиться номер строки , превышающую или равную текущему номеру строки для этого типа зарядки" DocType: Asset,Sold,Продат ,Item-wise Purchase History,Тачка-мудар Историја куповине @@ -3264,7 +3310,7 @@ DocType: Designation,Required Skills,Потребне вештине DocType: Inpatient Record,O Positive,О Позитивно apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,инвестиции DocType: Issue,Resolution Details,Резолуција Детаљи -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,врста трансакције +DocType: Leave Ledger Entry,Transaction Type,врста трансакције DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критеријуми за пријем apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Унесите Материјални захтеве у горњој табели apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Нема враћања за унос дневника @@ -3306,6 +3352,7 @@ DocType: Bank Account,Bank Account No,Банкарски рачун бр DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Поднесак доказа ослобађања од пореза на раднике DocType: Patient,Surgical History,Хируршка историја DocType: Bank Statement Settings Item,Mapped Header,Маппед Хеадер +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Молимо поставите систем именовања запосленика у људским ресурсима> ХР подешавања DocType: Employee,Resignation Letter Date,Оставка Писмо Датум apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Цене Правила се даље филтрира на основу количине. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},Подесите датум приступања за запосленог {0} @@ -3374,7 +3421,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Додај слово 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Укупно издвојена лишће {0} не може бити мањи од већ одобрених лишћа {1} за период DocType: Contract Fulfilment Checklist,Requirement,Услов DocType: Journal Entry,Accounts Receivable,Потраживања DocType: Quality Goal,Objectives,Циљеви @@ -3397,7 +3443,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Појединачн DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ова вриједност се ажурира у листи подразумеваних продајних цијена. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Ваша колица су празна DocType: Email Digest,New Expenses,Нове Трошкови -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,ПДЦ / ЛЦ Износ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Рута не може да се оптимизира јер недостаје адреса возача. DocType: Shareholder,Shareholder,Акционар DocType: Purchase Invoice,Additional Discount Amount,Додатне Износ попуста @@ -3434,6 +3479,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Задатак одржавањ apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Молимо поставите Б2Ц Лимит у ГСТ Сеттингс. 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} теперь используется по умолчанию финансовый год . Пожалуйста, обновите страницу в браузере , чтобы изменения вступили в силу." @@ -3470,6 +3516,7 @@ DocType: Salary Component,Deduction,Одузимање DocType: Item,Retain Sample,Задржи узорак apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Ред {0}: Од времена и времена је обавезно. DocType: Stock Reconciliation Item,Amount Difference,iznos Разлика +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Ова страница прати ствари које желите да купите од продавца. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Ставка Цена додат за {0} у ценовнику {1} DocType: Delivery Stop,Order Information,Информације за наруџбу apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Молимо Вас да унесете Ид радник ове продаје особе @@ -3498,6 +3545,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Фискална година** представља Финансијску годину. Све рачуноводствене уносе и остале главне трансакције се прате наспрам **Фискалне фодине**. DocType: Opportunity,Customer / Lead Address,Кориснички / Олово Адреса DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Поставка Сцорецард Сетуп +DocType: Customer Credit Limit,Customer Credit Limit,Лимит за клијента apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Назив плана процене apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Детаљи циља apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Применљиво ако је компанија СпА, САпА или СРЛ" @@ -3550,7 +3598,6 @@ DocType: Company,Transactions Annual History,Годишња историја т 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,Име банке -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Изнад 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,Флуид @@ -3604,6 +3651,7 @@ 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,Додано у Изабране ставке apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Добит за годину 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,У процесу @@ -3658,12 +3706,10 @@ 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,Дозволите исту ставку више пута -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,За компанију није пронађен ГСТ бр. 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 DocType: Question,Single Correct Answer,Један тачан одговор -DocType: Employee,Contact Details,Контакт Детаљи DocType: C-Form,Received Date,Примљени Датум DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ако сте направили стандардни образац у продаји порези и таксе Темплате, изаберите један и кликните на дугме испод." DocType: BOM Scrap Item,Basic Amount (Company Currency),Основни Износ (Фирма валута) @@ -3693,12 +3739,13 @@ DocType: BOM Website Operation,BOM Website Operation,БОМ Сајт Опера DocType: Bank Statement Transaction Payment Item,outstanding_amount,изузетан износ DocType: Supplier Scorecard,Supplier Score,Проценат добављача apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Распоред пријема +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Укупан износ захтева за плаћање не може бити већи од {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Кумулативни праг трансакције DocType: Promotional Scheme Price Discount,Discount Type,Тип попуста -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Укупно фактурисано Амт DocType: Purchase Invoice Item,Is Free Item,Је бесплатна ставка +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Проценат вам је дозвољено да пренесете више у односу на наручену количину. На пример: Ако сте наручили 100 јединица. а ваш додатак износи 10%, тада вам је дозвољено пренијети 110 јединица." DocType: Supplier,Warn RFQs,Упозоравајте РФКс -apps/erpnext/erpnext/templates/pages/home.html,Explore,истражити +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,истражити DocType: BOM,Conversion Rate,Стопа конверзије apps/erpnext/erpnext/www/all-products/index.html,Product Search,Претрага производа ,Bank Remittance,Банковни дознаци @@ -3710,6 +3757,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Укупан износ плаћен DocType: Asset,Insurance End Date,Крајњи датум осигурања apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Молимо изаберите Студентски пријем који је обавезан за ученику који је платио +DocType: Pick List,STO-PICK-.YYYY.-,СТО-ПИЦК-.ИИИИ.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Буџетска листа DocType: Campaign,Campaign Schedules,Распореди кампање DocType: Job Card Time Log,Completed Qty,Завршен Кол @@ -3732,6 +3780,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Нова DocType: Quality Inspection,Sample Size,Величина узорка apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Молимо унесите документ о пријему apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Све ставке су већ фактурисано +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Леавес Такен apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Наведите тачну 'Од Предмет бр' 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,"Даље трошкова центри могу да буду под групама, али уноса можете извршити над несрпским групама" 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,Укупно додељени листови су више дана од максималне расподеле типа {0} за напуштање запосленог {1} у том периоду @@ -3832,6 +3881,8 @@ 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: Call Log,Received By,Прима 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.,Пратите посебан Приходи и расходи за вертикала производа или подела. @@ -3885,6 +3936,7 @@ DocType: Support Search Source,Result Title Field,Поље резултата р apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Резиме позива DocType: Sample Collection,Collected Time,Скупљено време DocType: Employee Skill Map,Employee Skills,Вештине запослених +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Расходи горива DocType: Company,Sales Monthly History,Месечна историја продаје apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Молимо поставите најмање један ред у Табели о порезима и накнадама DocType: Asset Maintenance Task,Next Due Date,Следећи рок датума @@ -3894,6 +3946,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Вита DocType: Payment Entry,Payment Deductions or Loss,Плаћања Одбици или губитак DocType: Soil Analysis,Soil Analysis Criterias,Критеријуми за анализу земљишта apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Стандартные условия договора для продажи или покупки. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Редови су уклоњени за {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Започните пријаву пре времена почетка смене (у минутама) DocType: BOM Item,Item operation,Операција ставке apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Группа по ваучером @@ -3919,11 +3972,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Плата Слип запосленог {0} већ створен за овај период apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,фармацевтический apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Можете поднијети Леаве Енцасхмент само важећи износ за унос +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Предмети од apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Трошкови Купљено DocType: Employee Separation,Employee Separation Template,Шаблон за раздвајање запослених DocType: Selling Settings,Sales Order Required,Продаја Наручите Обавезно apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Постаните Продавац -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Број појава након којих се извршава последица. ,Procurement Tracker,Праћење набавке DocType: Purchase Invoice,Credit To,Кредит би apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ИТЦ обрнуто @@ -3936,6 +3989,7 @@ DocType: Quality Meeting,Agenda,Дневни ред DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Одржавање Распоред Детаљ DocType: Supplier Scorecard,Warn for new Purchase Orders,Упозорити на нова наруџбина DocType: Quality Inspection Reading,Reading 9,Читање 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Повежите свој Екотел налог са ЕРПНект-ом и пратите евиденцију позива DocType: Supplier,Is Frozen,Је замрзнут DocType: Tally Migration,Processed Files,Обрађене датотеке apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,складиште група чвор није дозвољено да изаберете за трансакције @@ -3944,6 +3998,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,БОМ Но за г DocType: Upload Attendance,Attendance To Date,Присуство Дате 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,Пресцриптионс @@ -3968,7 +4023,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Захтева apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Неважећи референца {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Правила за примену различитих промотивних шема. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може бити већи од планираног куанитити ({2}) у производњи Низ {3} DocType: Shipping Rule,Shipping Rule Label,Достава Правило Лабел DocType: Journal Entry Account,Payroll Entry,Унос плаћања apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Виев Феес Рецордс @@ -3980,6 +4034,7 @@ DocType: Contract,Fulfilment Status,Статус испуне DocType: Lab Test Sample,Lab Test Sample,Узорак за лабораторијско испитивање DocType: Item Variant Settings,Allow Rename Attribute Value,Дозволи преименовати вриједност атрибута apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Брзо Јоурнал Ентри +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Будући износ плаћања apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Не можете променити стопу ако бом помиње агианст било које ставке DocType: Restaurant,Invoice Series Prefix,Префикс серије рачуна DocType: Employee,Previous Work Experience,Претходно радно искуство @@ -4009,6 +4064,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Статус пројекта DocType: UOM,Check this to disallow fractions. (for Nos),Проверите то тако да одбаци фракција. (За НОС) DocType: Student Admission Program,Naming Series (for Student Applicant),Именовање серије (за Студент подносиоца захтева) +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/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,Распоред јединица службе лекара @@ -4024,6 +4080,7 @@ DocType: Fiscal Year,Year End Date,Датум завршетка године 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} је затворен @@ -4032,6 +4089,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Гет тренутним залихама DocType: Purchase Invoice,ineligible,неупотребљив apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Дрво Билл оф Материалс +DocType: BOM,Exploded Items,Експлодирани предмети DocType: Student,Joining Date,Датум приступања ,Employees working on a holiday,Запослени који раде на одмор ,TDS Computation Summary,ТДС обрачунски преглед @@ -4064,6 +4122,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Основни кур DocType: SMS Log,No of Requested SMS,Нема тражених СМС apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Оставите без плате се не слаже са одобреним подацима одсуство примене apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Следећи кораци +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Сачуване ставке DocType: Travel Request,Domestic,Домаћи apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Молимо вас да доставите одређене ставке на најбољи могући стопама apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Трансфер радника не може се поднети пре датума преноса @@ -4137,7 +4196,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Ред # {0} (Табела за плаћање): Износ мора бити позитиван -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете производить больше элемент {0} , чем количество продаж Заказать {1}" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете производить больше элемент {0} , чем количество продаж Заказать {1}" apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Ништа није укључено у бруто apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,За овај документ већ постоји е-Ваи Билл apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Изаберите вриједности атрибута @@ -4172,12 +4231,10 @@ 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,Сетуп Цомпани -DocType: Shift Type,Enable Different Consequence for Early Exit,Омогући различите последице за рани излазак ,Lab Test Report,Извештај лабораторије DocType: Employee Benefit Application,Employee Benefit Application,Апплицатион Емплоиее Бенефит apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Постоје додатне компоненте зараде. DocType: Purchase Invoice,Unregistered,Нерегистровано -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Молимо вас да Достава Напомена прво DocType: Student Applicant,Application Date,Датум апликација DocType: Salary Component,Amount based on formula,Износ на основу формуле DocType: Purchase Invoice,Currency and Price List,Валута и Ценовник @@ -4206,6 +4263,7 @@ DocType: Purchase Receipt,Time at which materials were received,Време у к DocType: Products Settings,Products per Page,Производи по страници 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,Датум обрачуна apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Додијељени износ не може бити негативан DocType: Sales Order,Billing Status,Обрачун статус apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Пријави грешку @@ -4215,6 +4273,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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} или већ упарен против другог ваучера DocType: Supplier Scorecard Criteria,Criteria Weight,Критериј Тежина +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Рачун: {0} није дозвољен уносом плаћања DocType: Production Plan,Ignore Existing Projected Quantity,Занемарите постојећу пројектовану количину apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Оставите одобрење за одобрење DocType: Buying Settings,Default Buying Price List,Уобичајено Куповина Ценовник @@ -4223,6 +4282,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Ред {0}: Унесите локацију за ставку активе {1} DocType: Employee Checkin,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.","Установить значения по умолчанию , как Болгарии, Валюта , текущий финансовый год и т.д." DocType: Payment Entry,Payment Type,Плаћање Тип apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Изаберите Батцх за тачке {0}. Није могуће пронаћи једну групу која испуњава овај услов @@ -4252,6 +4312,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Корпа Подешав DocType: Journal Entry,Accounting Entries,Аццоунтинг уноси 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.","Ако је одабрано одредиште за цене "Рате", он ће преписати ценовник. Стопа прављења цена је коначна стопа, тако да се не би требао користити додатни попуст. Стога, у трансакцијама као што су Наруџбина продаје, Наруџбеница итд., Она ће бити преузета у поље 'Рате', а не на поље 'Прице Лист Рате'." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,Поставите систем именовања инструктора у Образовање> Подешавања образовања DocType: Journal Entry,Paid Loan,Паид Лоан 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,Референтни датум рока @@ -4268,12 +4329,14 @@ DocType: Shopify Settings,Webhooks Details,Вебхоокс Детаилс apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Но Тиме листова DocType: GoCardless Mandate,GoCardless Customer,ГоЦардлесс купац apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Оставите Типе {0} не може носити-прослеђен +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код артикла> Група артикала> Марка apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"График обслуживания не генерируется для всех элементов . Пожалуйста, нажмите на кнопку "" Generate Расписание """ ,To Produce,за производњу DocType: Leave Encashment,Payroll,платни списак 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} морају бити укључени" DocType: Healthcare Service Unit,Parent Service Unit,Јединица за родитеље DocType: Packing Slip,Identification of the package for the delivery (for print),Идентификација пакета за испоруку (за штампу) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Споразум о нивоу услуге је ресетован. DocType: Bin,Reserved Quantity,Резервисани Количина apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Унесите исправну е-маил адресу apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Унесите исправну е-маил адресу @@ -4295,7 +4358,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Цена или попуст на производ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,За ред {0}: Унесите планирани број DocType: Account,Income Account,Приходи рачуна -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Купац> Група купаца> Територија DocType: Payment Request,Amount in customer's currency,Износ у валути купца apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Испорука apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Додела структура ... @@ -4318,6 +4380,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,Реф 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?,Изгубићете податке о претходно генерисаним рачунима. Да ли сте сигурни да желите поново покренути ову претплату? @@ -4373,11 +4436,10 @@ DocType: Additional Salary,HR User,ХР Корисник DocType: Bank Guarantee,Reference Document Name,Референтни назив документа DocType: Purchase Invoice,Taxes and Charges Deducted,Порези и накнаде одузима DocType: Support Settings,Issues,Питања -DocType: Shift Type,Early Exit Consequence after,Рани излазак из последице после DocType: Loyalty Program,Loyalty Program Name,Име програма лојалности apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Статус должен быть одним из {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Подсетник за ажурирање ГСТИН Послато -DocType: Sales Invoice,Debit To,Дебитна Да +DocType: Discounted Invoice,Debit To,Дебитна Да DocType: Restaurant Menu Item,Restaurant Menu Item,Ресторан Ставка менија DocType: Delivery Note,Required only for sample item.,Потребно само за узорак ставку. DocType: Stock Ledger Entry,Actual Qty After Transaction,Стварна Кол Након трансакције @@ -4460,6 +4522,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Име параме apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Остави само Апликације које имају статус "Одобрено" и "Одбијен" могу се доставити apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Стварање димензија ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Студент Име групе је обавезно у реду {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Заобиђите лимит_цхецк кредита DocType: Homepage,Products to be shown on website homepage,Производи који се приказује на интернет страницама DocType: HR Settings,Password Policy,Политика лозинке apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,То јекорен група купац и не може се мењати . @@ -4519,10 +4582,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ак apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Подесите подразумевани купац у подешавањима ресторана ,Salary Register,плата Регистрација DocType: Company,Default warehouse for Sales Return,Подразумевано складиште за повраћај продаје -DocType: Warehouse,Parent Warehouse,родитељ Магацин +DocType: Pick List,Parent Warehouse,родитељ Магацин DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},Стандардно БОМ није пронађен за тачком {0} и пројекат {1} +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}: Молимо вас да подесите Начин плаћања у Распореду плаћања apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Дефинисати различите врсте кредита DocType: Bin,FCFS Rate,Стопа ФЦФС @@ -4559,6 +4622,7 @@ DocType: Travel Itinerary,Lodging Required,Потребно смештање DocType: Promotional Scheme,Price Discount Slabs,Плоче са попустом на цене DocType: Stock Reconciliation Item,Current Serial No,Тренутни серијски бр DocType: Employee,Attendance and Leave Details,Детаљи о посети и одласку +,BOM Comparison Tool,Алат за упоређивање БОМ-а ,Requested,Тражени apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Но Примедбе DocType: Asset,In Maintenance,У одржавању @@ -4581,6 +4645,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Подразумевани уговор о нивоу услуге DocType: SG Creation Tool Course,Course Code,Наравно код apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Више од једног избора за {0} није дозвољено +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Количина сировина ће се одлучивати на основу количине производа DocType: Location,Parent Location,Локација родитеља DocType: POS Settings,Use POS in Offline Mode,Користите ПОС у Оффлине начину apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Приоритет је промењен у {0}. @@ -4599,7 +4664,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Складиште за за DocType: Company,Default Receivable Account,Уобичајено потраживања рачуна apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Пројектирана количина количине DocType: Sales Invoice,Deemed Export,Изгледа извоз -DocType: Stock Entry,Material Transfer for Manufacture,Пренос материјала за Производња +DocType: Pick List,Material Transfer for Manufacture,Пренос материјала за Производња 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.,Попуст Проценат може да се примени било против ценовнику или за све Ценовником. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Рачуноводство Ентри за Деонице DocType: Lab Test,LabTest Approver,ЛабТест Аппровер @@ -4642,7 +4707,6 @@ DocType: Training Event,Theory,теорија apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Упозорење : Материјал Тражени Кол је мање од Минимална количина за поручивање apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Счет {0} заморожен DocType: Quiz Question,Quiz Question,Питање за квиз -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Добављач> врста добављача 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","Храна , пиће и дуван" @@ -4673,6 +4737,7 @@ 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,Објављени предмети DocType: Account,Expense Account,Трошкови налога apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,софтвер apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Боја @@ -4711,6 +4776,7 @@ 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,Све банкарске трансакције су креиране DocType: Fee Validity,Visited yet,Посјећено још +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Можете представити до 8 ставки. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Складишта са постојећим трансакцији не може бити конвертована у групу. DocType: Assessment Result Tool,Result HTML,rezultat ХТМЛ- DocType: Selling Settings,How often should project and company be updated based on Sales Transactions.,Колико често треба ажурирати пројекат и компанију на основу продајних трансакција. @@ -4718,7 +4784,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Екплодед_итемс 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,Температура складиштења @@ -4743,7 +4808,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,УОМ конве DocType: Contract,Signee Details,Сигнее Детаљи apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} тренутно има {1} Сцорецард става и РФКс овог добављача треба издати опрезно. DocType: Certified Consultant,Non Profit Manager,Менаџер непрофитне организације -DocType: BOM,Total Cost(Company Currency),Укупни трошкови (Фирма валута) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Серийный номер {0} создан DocType: Homepage,Company Description for website homepage,Опис Компаније за веб страницу DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","За практичност потрошача, ови кодови могу да се користе у штампаним форматима као што су фактуре и отпремнице" @@ -4772,7 +4836,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Купо DocType: Amazon MWS Settings,Enable Scheduled Synch,Омогућите заказану синхронизацију apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Да датетиме apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Протоколи за одржавање смс статус испоруке -DocType: Shift Type,Early Exit Consequence,Рани излаз из последица DocType: Accounts Settings,Make Payment via Journal Entry,Извршити уплату преко Јоурнал Ентри apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Не стварајте више од 500 предмета одједном apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Штампано на @@ -4829,6 +4892,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,лимит Цр 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,Тајна +DocType: Plaid Settings,Plaid Secret,Плаид Сецрет DocType: Company,Date of Establishment,Датум оснивања apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Вентуре Цапитал apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Академски назив са овим 'школској' {0} и 'Рок име' {1} већ постоји. Молимо Вас да измените ове ставке и покушајте поново. @@ -4891,6 +4955,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Врста купца DocType: Compensatory Leave Request,Leave Allocation,Оставите Алокација DocType: Payment Request,Recipient Message And Payment Details,Прималац поруке и плаћања Детаљи +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Изаберите напомену о достави DocType: Support Search Source,Source DocType,Соурце ДоцТипе apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Отворите нову карту DocType: Training Event,Trainer Email,тренер-маил @@ -5013,6 +5078,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,Царри Форвардед Леавес apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""Од датума"" мора бити након ""До датума""" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Није пронађено планирање кадрова за ову ознаку apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Батцх {0} у ставку {1} је онемогућен. @@ -5034,7 +5100,7 @@ DocType: Clinical Procedure,Patient,Пацијент apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Бипасс кредитна провјера на Продајни налог DocType: Employee Onboarding Activity,Employee Onboarding Activity,Активност на бази радника DocType: Location,Check if it is a hydroponic unit,Проверите да ли је то хидропонска јединица -DocType: Stock Reconciliation Item,Serial No and Batch,Серијски број и партије +DocType: Pick List Item,Serial No and Batch,Серијски број и партије DocType: Warranty Claim,From Company,Из компаније DocType: GSTR 3B Report,January,Јануара apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Збир Сцорес мерила за оцењивање треба да буде {0}. @@ -5059,7 +5125,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Не {0} пронађено за трансакције компаније Интер. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,Цредит_ноте_амт DocType: Travel Itinerary,Rented Car,Рентед Цар apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,О вашој Компанији apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на рачун мора да буде биланса стања @@ -5092,11 +5157,13 @@ apps/erpnext/erpnext/config/accounting.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,ЦРМ 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,Н apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,остали DocType: Appraisal,Appraisal,Процена DocType: Loan,Loan Account,Кредитни рачун apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Важећа и ваљана упто поља обавезна су за кумулатив +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","За ставку {0} у реду {1}, бројање серијских бројева не одговара изабраној количини" DocType: Purchase Invoice,GST Details,ГСТ Детаилс apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Ово се заснива на трансакцијама против овог здравственог лекара. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Емаил који је послат добављачу {0} @@ -5160,6 +5227,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Бруто тежина пакета. Обично нето тежина + амбалаже тежина. (За штампу) DocType: Assessment Plan,Program,програм DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Корисници са овом улогом је дозвољено да подесите замрзнуте рачуне и створити / модификује рачуноводствене уносе против замрзнутим рачунима +DocType: Plaid Settings,Plaid Environment,Плаид Енвиронмент ,Project Billing Summary,Резиме обрачуна пројеката DocType: Vital Signs,Cuts,Рез DocType: Serial No,Is Cancelled,Да ли Отказан @@ -5222,7 +5290,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Примечание: Система не будет проверять по - доставки и избыточного бронирования по пункту {0} как количестве 0 DocType: Issue,Opening Date,Датум отварања apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Молим вас прво спасите пацијента -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Повежите нови контакт apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Присуство је успешно обележен. DocType: Program Enrollment,Public Transport,Јавни превоз DocType: Sales Invoice,GST Vehicle Type,Тип возила ГСТ @@ -5248,6 +5315,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Рачун DocType: POS Profile,Write Off Account,Отпис налог DocType: Patient Appointment,Get prescribed procedures,Добити прописане процедуре DocType: Sales Invoice,Redemption Account,Рачун за откуп +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Прво додајте ставке у табелу Локације предмета DocType: Pricing Rule,Discount Amount,Сумма скидки DocType: Pricing Rule,Period Settings,Подешавања периода DocType: Purchase Invoice,Return Against Purchase Invoice,Повратак против фактури @@ -5280,7 +5348,6 @@ DocType: Assessment Plan,Assessment Plan,Процена план DocType: Travel Request,Fully Sponsored,Потпуно спонзорисани apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Реверсе Јоурнал Ентри apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Креирајте Јоб Цард -DocType: Shift Type,Consequence after,Последица после DocType: Quality Procedure Process,Process Description,Опис процеса apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Клијент {0} је креиран. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Тренутно нема доступних трговина на залихама @@ -5315,6 +5382,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Чишћење Датум DocType: Delivery Settings,Dispatch Notification Template,Шаблон за обавјештење о отпреми apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Извештај процене apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Добијте запослене +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,Адреса Десц @@ -5408,7 +5476,6 @@ DocType: Stock Settings,Use Naming Series,Користите Наминг Сер apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Нема акције apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Тип Процена трошкови не могу означити као инцлусиве DocType: POS Profile,Update Stock,Упдате Стоцк -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Различные Единица измерения для элементов приведет к некорректному (Всего) значение массы нетто . Убедитесь, что вес нетто каждого элемента находится в том же UOM ." DocType: Certification Application,Payment Details,Podaci o plaćanju apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,БОМ курс @@ -5444,7 +5511,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,То јекорен продаје човек и не може се мењати . DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ако је изабран, вредност наведена или израчунати ове компоненте неће допринети зараде или одбитака. Међутим, то је вредност може да се наведени од стране других компоненти које се могу додати или одбити." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ако је изабран, вредност наведена или израчунати ове компоненте неће допринети зараде или одбитака. Међутим, то је вредност може да се наведени од стране других компоненти које се могу додати или одбити." -DocType: Asset Settings,Number of Days in Fiscal Year,Број дана у фискалној години ,Stock Ledger,Берза Леџер DocType: Company,Exchange Gain / Loss Account,Курсне / успеха DocType: Amazon MWS Settings,MWS Credentials,МВС акредитиви @@ -5480,6 +5546,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Ступац у датотеци банке apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Изоставити апликацију {0} већ постоји против ученика {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Очекује се ажурирање најновије цене у свим материјалима. Може потрајати неколико минута. +DocType: Pick List,Get Item Locations,Добивање локација ставки apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Име новог налога. Напомена: Молимо вас да не стварају налоге за купцима и добављачима DocType: POS Profile,Display Items In Stock,Дисплаи Итемс Ин Стоцк apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Земља мудар подразумевана адреса шаблон @@ -5503,6 +5570,7 @@ DocType: Crop,Materials Required,Потребни материјали apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Ниједан студент Фоунд DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Мјесечна ХРА изузећа DocType: Clinical Procedure,Medical Department,Медицински одјел +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Укупни рани излази DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Критеријуми бодовања Сцорецард-а apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Фактура датум постања apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,продати @@ -5514,11 +5582,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Избришите запосленика {0} \ да бисте отказали овај документ" DocType: Program Enrollment,School House,Школа Кућа DocType: Serial No,Out of AMC,Од АМЦ DocType: Opportunity,Opportunity Amount,Могућност Износ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Ваш профил apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Број Амортизација жути картон, не може бити већи од Укупан број Амортизација" DocType: Purchase Order,Order Confirmation Date,Датум потврђивања поруџбине DocType: Driver,HR-DRI-.YYYY.-,ХР-ДРИ-.ИИИИ.- @@ -5612,7 +5679,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Постоје недоследности између стопе, без акција и израчунате количине" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Ви нисте присутни цео дан између захтјева за компензацијски одмор apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Молимо Вас да поново тип цомпани наме да потврди -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Укупно Изванредна Амт DocType: Journal Entry,Printing Settings,Принтинг Подешавања DocType: Payment Order,Payment Order Type,Врста налога за плаћање DocType: Employee Advance,Advance Account,Адванце Аццоунт @@ -5702,7 +5768,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Име године apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,"Есть больше праздников , чем рабочих дней в этом месяце." apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Следеће ставке {0} нису означене као {1} ставка. Можете их омогућити као {1} ставку из главног поглавља -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,ПДЦ / ЛЦ Реф DocType: Production Plan Item,Product Bundle Item,Производ Бундле артикла DocType: Sales Partner,Sales Partner Name,Продаја Име партнера apps/erpnext/erpnext/hooks.py,Request for Quotations,Захтев за Куотатионс @@ -5711,7 +5776,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,Нормални тестови DocType: QuickBooks Migrator,Company Settings,Компанија Подешавања DocType: Additional Salary,Overwrite Salary Structure Amount,Прекорачити износ плата у структури -apps/erpnext/erpnext/config/hr.py,Leaves,Оставља +DocType: Leave Ledger Entry,Leaves,Оставља DocType: Student Language,Student Language,студент Језик DocType: Cash Flow Mapping,Is Working Capital,Је обртни капитал apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Пошаљите доказ @@ -5719,12 +5784,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Ордер / куот% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Снимите витале пацијента DocType: Fee Schedule,Institution,Институција -apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,UOM Conversion factor ({0} -> {1}) not found for item: {2},Фактор конверзије УОМ ({0} -> {1}) није пронађен за ставку: {2} DocType: Asset,Partially Depreciated,делимично амортизује DocType: Issue,Opening Time,Радно време apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,"От и До даты , необходимых" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Хартије од вредности и робним берзама -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Резиме позива до {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Претрага докумената apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Уобичајено Јединица мере за варијанту '{0}' мора бити исти као у темплате '{1}' DocType: Shipping Rule,Calculate Based On,Израчунајте Басед Он @@ -5771,6 +5834,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Максимална дозвољена вредност DocType: Journal Entry Account,Employee Advance,Адванце Емплоиее DocType: Payroll Entry,Payroll Frequency,паиролл Фреквенција +DocType: Plaid Settings,Plaid Client ID,Плаид ИД клијента DocType: Lab Test Template,Sensitivity,Осетљивост DocType: Plaid Settings,Plaid Settings,Плаид Сеттингс apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Синхронизација је привремено онемогућена јер су прекорачени максимални покушаји @@ -5788,6 +5852,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Молимо Вас да изаберете датум постања први apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Датум отварања треба да буде пре затварања Дате DocType: Travel Itinerary,Flight,Лет +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Назад кући DocType: Leave Control Panel,Carry Forward,Пренети apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,МВЗ с существующими сделок не могут быть преобразованы в книге DocType: Budget,Applicable on booking actual expenses,Примењује се приликом резервације стварних трошкова @@ -5844,6 +5909,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Направи п apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Нисте ауторизовани да одобри лишће на блок Датуми apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Захтев за {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Все эти предметы уже выставлен счет +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Нису пронађене неизмирене фактуре за {0} {1} који квалификују филтере које сте навели. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Подесите нови датум издања DocType: Company,Monthly Sales Target,Месечна продајна мета apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Нису пронађени неизмирени рачуни @@ -5891,6 +5957,7 @@ DocType: Batch,Source Document Name,Извор Име документа DocType: Batch,Source Document Name,Извор Име документа DocType: Production Plan,Get Raw Materials For Production,Узмите сировине за производњу DocType: Job Opening,Job Title,Звање +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Будуће плаћање Реф apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} означава да {1} неће дати цитат, али су сви ставци \ цитирани. Ажурирање статуса РФК куоте." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максимални узорци - {0} већ су задржани за Батцх {1} и Итем {2} у Батцх {3}. @@ -5901,12 +5968,10 @@ 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: Company,Product Code,Шифра производа DocType: Quality Review Table,Objective,објективан DocType: Supplier Scorecard,Per Month,Месечно DocType: Education Settings,Make Academic Term Mandatory,Направите академски термин обавезан -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Количина да Производња мора бити већи од 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Израчунајте пропорционалну амортизацију на основу фискалне године +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Количина да Производња мора бити већи од 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Посетите извештаја за одржавање разговора. DocType: Stock Entry,Update Rate and Availability,Ажурирање курс и доступност 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 јединица. @@ -5918,7 +5983,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Датум изласка мора бити у будућности DocType: BOM,Website Description,Вебсајт Опис apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Нето промена у капиталу -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Откажите фактури {0} први apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Није дозвољено. Молим вас искључите Типе Сервице Сервице Унит apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Е-маил адреса мора бити јединствена, већ постоји за {0}" DocType: Serial No,AMC Expiry Date,АМЦ Датум истека @@ -5962,6 +6026,7 @@ DocType: Pricing Rule,Price Discount Scheme,Схема попуста на це apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Статус одржавања мора бити поништен или завршен за достављање DocType: Amazon MWS Settings,US,САД DocType: Holiday List,Add Weekly Holidays,Додај недељни празник +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Извештај DocType: Staffing Plan Detail,Vacancies,Радна места DocType: Hotel Room,Hotel Room,Хотелска соба apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Рачун {0} не припада компанији {1} @@ -6013,12 +6078,15 @@ DocType: Email Digest,Open Quotations,Опен Куотатионс 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Избришите запосленика {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,Основни Износ @@ -6032,6 +6100,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Празан DocType: Patient,Alcohol Past Use,Употреба алкохола у прошлости DocType: Fertilizer Content,Fertilizer Content,Садржај ђубрива +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Нема описа apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Кр DocType: Tax Rule,Billing State,Тецх Стате DocType: Quality Goal,Monitoring Frequency,Мониторинг фреквенције @@ -6049,6 +6118,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Завршава Датум не може бити пре Следећег датума контакта. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Батцх Ентриес DocType: Journal Entry,Pay To / Recd From,Плати Да / Рецд Од +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Откажите ставку DocType: Naming Series,Setup Series,Подешавање Серија DocType: Payment Reconciliation,To Invoice Date,За датум фактуре DocType: Bank Account,Contact HTML,Контакт ХТМЛ @@ -6070,6 +6140,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Малопродаја DocType: Student Attendance,Absent,Одсутан DocType: Staffing Plan,Staffing Plan Detail,Детаљи особља плана DocType: Employee Promotion,Promotion Date,Датум промоције +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Додјела одмора% с повезана је са апликацијом за допуст% с 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} @@ -6104,9 +6175,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Рачун {0} више не постоји DocType: Guardian Interest,Guardian Interest,гуардиан камата DocType: Volunteer,Availability,Доступност +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Пријава за одлазак повезана је са издвајањем одсуства {0}. Апликација за одлазак не може се поставити као допуст без плаћања apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Подеси подразумеване вредности за ПОС Рачуне DocType: Employee Training,Training,тренинг DocType: Project,Time to send,Време за слање +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Ова страница прати ваше предмете за које су купци показали неко интересовање. DocType: Timesheet,Employee Detail,zaposleni Детаљи 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 маил ИД @@ -6207,12 +6280,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Отварање Вредност DocType: Salary Component,Formula,формула apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Сериал # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Молимо поставите систем именовања запосленика у људским ресурсима> ХР подешавања 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/setup/doctype/company/company.py,Sales Account,Рачун продаје DocType: Purchase Invoice Item,Total Weight,Укупна маса +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}" @@ -6236,6 +6309,7 @@ DocType: Company,Default Employee Advance Account,Подразумевани п apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Претрага ставке (Цтрл + и) DocType: C-Form,ACC-CF-.YYYY.-,АЦЦ-ЦФ-.ИИИИ.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Счет с существующей сделки не могут быть удалены +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Зашто мислите да би овај предмет требало уклонити? DocType: Vehicle,Last Carbon Check,Последња Угљен Одлазак apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,судебные издержки apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Молимо одаберите количину на реду @@ -6255,6 +6329,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Слом DocType: Travel Itinerary,Vegetarian,Вегетаријанац DocType: Patient Encounter,Encounter Date,Датум сусрета +DocType: Work Order,Update Consumed Material Cost In Project,Ажурирајте потрошене трошкове материјала у пројекту apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Рачун: {0} са валутом: {1} не може бити изабран DocType: Bank Statement Transaction Settings Item,Bank Data,Подаци банке DocType: Purchase Receipt Item,Sample Quantity,Количина узорка @@ -6309,7 +6384,7 @@ DocType: GSTR 3B Report,April,Април DocType: Plant Analysis,Collection Datetime,Колекција Датетиме DocType: Asset Repair,ACC-ASR-.YYYY.-,АЦЦ-АСР-.ИИИИ.- DocType: Work Order,Total Operating Cost,Укупни оперативни трошкови -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Примечание: Пункт {0} вошли несколько раз +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Примечание: Пункт {0} вошли несколько раз apps/erpnext/erpnext/config/buying.py,All Contacts.,Сви контакти. DocType: Accounting Period,Closed Documents,Затворени документи DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Управљање именовањем Фактура подноси и отказати аутоматски за сусрет пацијента @@ -6391,9 +6466,7 @@ DocType: Member,Membership Type,Тип чланства ,Reqd By Date,Рекд по датуму apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Повериоци DocType: Assessment Plan,Assessment Name,Процена Име -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Покажите ПДЦ у Штампање apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Ред # {0}: Серијски број је обавезан -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Није пронађена ниједна фактура за {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Пункт Мудрый Налоговый Подробно DocType: Employee Onboarding,Job Offer,Понуда за посао apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Институт држава @@ -6453,6 +6526,7 @@ DocType: Serial No,Out of Warranty,Од гаранције DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Маппед Дата Типе DocType: BOM Update Tool,Replace,Заменити apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Нема нађених производа. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Објавите још предмета apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Овај Уговор о нивоу услуге је специфичан за купца {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} против продаје фактуре {1} DocType: Antibiotic,Laboratory User,Лабораторијски корисник @@ -6475,7 +6549,6 @@ DocType: Payment Order Reference,Bank Account Details,Детаљи банков DocType: Purchase Order Item,Blanket Order,Бланкет Ордер 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,налоговые активы -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Производња Ред је био {0} DocType: BOM Item,BOM No,БОМ Нема 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,Мовинг Авераге @@ -6549,6 +6622,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Потрошачке залихе које су опорезоване (нула) DocType: BOM,Materials Required (Exploded),Материјали Обавезно (Екплодед) 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/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,Датум постања не може бити будућност датум @@ -6606,7 +6680,6 @@ DocType: Pricing Rule,Same Item,Иста ставка DocType: Stock Ledger Entry,Stock Ledger Entry,Берза Леџер Ентри DocType: Quality Action Resolution,Quality Action Resolution,Квалитетна резолуција акције apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} на пола дана Оставите на {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Исто ставка је ушла више пута DocType: Department,Leave Block List,Оставите Блоцк Лист DocType: Purchase Invoice,Tax ID,ПИБ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не установка для серийные номера колонке должно быть пустым @@ -6644,7 +6717,7 @@ 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} је онемогућена или не постоји DocType: Purchase Invoice,Return,Повратак -DocType: Accounting Dimension,Disable,запрещать +DocType: Account,Disable,запрещать apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Начин плаћања је обавезан да изврши уплату DocType: Task,Pending Review,Чека критику apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Измените на целој страници за више опција као што су имовина, серијски нос, серије итд." @@ -6757,7 +6830,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,АЦЦ-СХ-.ИИИИ.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Комбиновани део рачуна мора бити 100% DocType: Item Default,Default Expense Account,Уобичајено Трошкови налога DocType: GST Account,CGST Account,ЦГСТ налог -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код артикла> Група артикала> Марка apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Студент-маил ИД DocType: Employee,Notice (days),Обавештење ( дана ) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,ПОС закључавање ваучера @@ -6768,6 +6840,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Изабрали ставке да спасе фактуру DocType: Employee,Encashment Date,Датум Енцасхмент DocType: Training Event,Internet,Интернет +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Информације о продавцу DocType: Special Test Template,Special Test Template,Специјални тест шаблон DocType: Account,Stock Adjustment,Фото со Регулировка apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Уобичајено активност Трошкови постоји за тип активности - {0} @@ -6779,7 +6852,6 @@ 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,Морају се подесити датум почетка пробног периода и датум завршетка пробног периода -DocType: Company,Bank Remittance Settings,Подешавања банковних дознака apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Просечна стопа 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",„Предмет који пружа клијент“ не може имати стопу вредновања @@ -6807,6 +6879,7 @@ DocType: Grading Scale Interval,Threshold,праг apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Филтрирајте запослене према (необавезно) DocType: BOM Update Tool,Current BOM,Тренутни БОМ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Баланс (Др - Цр) +DocType: Pick List,Qty of Finished Goods Item,Количина производа готове робе apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Додај сериал но DocType: Work Order Item,Available Qty at Source Warehouse,Доступно Количина на извору Варехоусе apps/erpnext/erpnext/config/support.py,Warranty,гаранција @@ -6885,7 +6958,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Овде можете одржавати висина, тежина, алергија, медицинску забринутост сл" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Прављење налога ... DocType: Leave Block List,Applies to Company,Примењује се на предузећа -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить , потому что представляется со Вступление {0} существует" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить , потому что представляется со Вступление {0} существует" DocType: Loan,Disbursement Date,isplata Датум DocType: Service Level Agreement,Agreement Details,Детаљи споразума apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Датум почетка уговора не може бити већи или једнак Крајњем датуму. @@ -6894,6 +6967,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Медицински запис DocType: Vehicle,Vehicle,Возило DocType: Purchase Invoice,In Words,У Вордс +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Датум мора бити раније од датума apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Пре подношења наведите назив банке или кредитне институције. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} морају бити поднети DocType: POS Profile,Item Groups,итем Групе @@ -6966,7 +7040,6 @@ DocType: Customer,Sales Team Details,Продајни тим Детаљи apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Обриши трајно? DocType: Expense Claim,Total Claimed Amount,Укупан износ полаже apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Потенцијалне могућности за продају. -DocType: Plaid Settings,Link a new bank account,Повежите нови банковни рачун apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} је неважећи статус посете. DocType: Shareholder,Folio no.,Фолио бр. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Неважећи {0} @@ -6982,7 +7055,6 @@ DocType: Production Plan,Material Requested,Захтевани материја DocType: Warehouse,PIN,ПИН- DocType: Bin,Reserved Qty for sub contract,Резервисана количина за подзаконски уговор DocType: Patient Service Unit,Patinet Service Unit,Патинет сервисна јединица -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Генерисање текстуалне датотеке DocType: Sales Invoice,Base Change Amount (Company Currency),База Промена Износ (Фирма валута) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Нет учетной записи для следующих складов apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Само {0} у залихи за ставку {1} @@ -6996,6 +7068,7 @@ DocType: Item,No of Months,Број месеци DocType: Item,Max Discount (%),Максимална Попуст (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Кредитни дани не могу бити негативни број apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Пошаљите изјаву +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Пријави ову ставку DocType: Purchase Invoice Item,Service Stop Date,Датум заустављања услуге apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Последњи Наручи Количина DocType: Cash Flow Mapper,e.g Adjustments for:,нпр. прилагођавања за: @@ -7089,16 +7162,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Категорија ослобађања од пореза на запослене apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Износ не сме бити мањи од нуле. DocType: Sales Invoice,C-Form Applicable,Ц-примењује -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Операција време мора бити већи од 0 за операцију {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Операција време мора бити већи од 0 за операцију {0} DocType: Support Search Source,Post Route String,Пост Стринг низ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Складиште је обавезно apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Неуспело је направити веб страницу DocType: Soil Analysis,Mg/K,Мг / К DocType: UOM Conversion Detail,UOM Conversion Detail,УОМ Конверзија Детаљ apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Упис и упис -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Већ створени унос задржавања залиха или количина узорка нису обезбеђени +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Већ створени унос задржавања залиха или количина узорка нису обезбеђени DocType: Program,Program Abbreviation,програм држава -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Производња поредак не може бити подигнута против тачка Темплате apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Група по ваучерима (обједињени) DocType: HR Settings,Encrypt Salary Slips in Emails,Шифрирајте камате за плаће у е-порукама DocType: Question,Multiple Correct Answer,Више тачан одговор @@ -7145,7 +7217,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Није нил оцењ DocType: Employee,Educational Qualification,Образовни Квалификације DocType: Workstation,Operating Costs,Оперативни трошкови apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Валута за {0} мора бити {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Последица периода уноса Граце DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Означите присуство на основу „Цхецкинге Емплоиее Цхецкин“ за запослене додељене овој смени. DocType: Asset,Disposal Date,odlaganje Датум DocType: Service Level,Response and Resoution Time,Време одзива и одзива @@ -7194,6 +7265,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Завршетак датум DocType: Purchase Invoice Item,Amount (Company Currency),Износ (Друштво валута) DocType: Program,Is Featured,Представља се +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Дохваћање ... DocType: Agriculture Analysis Criteria,Agriculture User,Корисник пољопривреде apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Валид до датума не може бити пре датума трансакције 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} довршите ову трансакцију. @@ -7226,7 +7298,6 @@ DocType: Student,B+,Б + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Укупно Плаћени Амт 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,ПДВ ставкама продаје Регистрација @@ -7250,6 +7321,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Аноним apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Primio od DocType: Lead,Converted,Претворено DocType: Item,Has Serial No,Има Серијски број +DocType: Stock Entry Detail,PO Supplied Item,ПО испоручени артикал 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} @@ -7364,7 +7436,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Синцх Такес ан 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Уобичајено БОМ за {0} није пронађен +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}: Молим вас сет количину преусмеравање apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Додирните ставке да их додати @@ -7400,7 +7472,6 @@ DocType: Purchase Invoice,Y,И DocType: Maintenance Visit,Maintenance Date,Одржавање Датум DocType: Purchase Invoice Item,Rejected Serial No,Одбијен Серијски број apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Године датум почетка или датум завршетка се преклапа са {0}. Да бисте избегли молим поставили компанију -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо вас да подесите серију нумерирања за Аттенданце путем Подешавање> Серија нумерирања apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Молим вас да наведете Леад Леад у Леад-у {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Дата начала должна быть меньше даты окончания для Пункт {0} DocType: Shift Type,Auto Attendance Settings,Подешавања аутоматске посете @@ -7411,9 +7482,11 @@ DocType: Upload Attendance,Upload Attendance,Уплоад присуствова apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,БОМ и Производња Количина се тражи apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Старење Опсег 2 DocType: SG Creation Tool Course,Max Strength,мак Снага +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Рачун {0} већ постоји у дечијем предузећу {1}. Следећа поља имају различите вредности, треба да буду иста:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Инсталирање подешавања DocType: Fee Schedule,EDU-FSH-.YYYY.-,ЕДУ-ФСХ-ИИИИ.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Није одабрана белешка за испоруку за купца {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Редови су додани у {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Службеник {0} нема максимални износ накнаде apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Изаберите ставке на основу датума испоруке DocType: Grant Application,Has any past Grant Record,Има било какав прошли Грант Рецорд @@ -7458,6 +7531,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Студент Детаилс DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Ово је задани УОМ који се користи за артикле и продајне налоге. Резервни УОМ је „Нос“. DocType: Purchase Invoice Item,Stock Qty,стоцк ком +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,Цтрл + Ентер да бисте послали DocType: Contract,Requires Fulfilment,Захтева испуњење DocType: QuickBooks Migrator,Default Shipping Account,Уобичајени налог за испоруку DocType: Loan,Repayment Period in Months,Период отплате у месецима @@ -7486,6 +7560,7 @@ DocType: Authorization Rule,Customerwise Discount,Цустомервисе По apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Тимесхеет за послове. DocType: Purchase Invoice,Against Expense Account,Против трошковником налог apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Установка Примечание {0} уже представлен +DocType: BOM,Raw Material Cost (Company Currency),Трошкови сировина (Компанија валута) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Дневни најам куће који се плаћа преклапају са {0} DocType: GSTR 3B Report,October,Октобар DocType: Bank Reconciliation,Get Payment Entries,Гет плаћања уносе @@ -7533,15 +7608,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Потребан је датум употребе DocType: Request for Quotation,Supplier Detail,добављач Детаљ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Грешка у формули или стања: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Фактурисани износ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Фактурисани износ apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Тегови критеријума морају додати до 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Похађање apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,залихама DocType: Sales Invoice,Update Billed Amount in Sales Order,Ажурирајте фактурисани износ у продајном налогу +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Контакт продавац 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,Пријавите се као корисник Маркетплаце-а да бисте пријавили ову ставку. ,Sales Partner Commission Summary,Резиме Комисије за продајне партнере ,Item Prices,Итем Цене DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,У речи ће бити видљив када сачувате поруџбеницу. @@ -7555,6 +7632,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Мастер Прайс-лист . DocType: Task,Review Date,Прегледајте Дате DocType: BOM,Allow Alternative Item,Дозволи алтернативу +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Потврда о куповини нема ставку за коју је омогућен задржати узорак. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Фактура Гранд Тотал DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Серија за унос евиденције имовине (дневник уноса) DocType: Membership,Member Since,Члан од @@ -7564,6 +7642,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Он Нет Укупно 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: Pricing Rule,Product Discount Scheme,Схема попуста на производе +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Позиватељ није покренуо ниједан проблем. DocType: Restaurant Reservation,Waitlisted,Ваитлистед DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категорија изузећа apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Валута не може да се промени након што уносе користите неки други валуте @@ -7577,7 +7656,6 @@ DocType: Customer Group,Parent Customer Group,Родитељ групу потр apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,е-Ваи Билл ЈСОН може се добити само из фактуре продаје apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Достигнути максимални покушаји овог квиза! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Претплата -DocType: Purchase Invoice,Contact Email,Контакт Емаил apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Пендинг Цреатион Фее DocType: Project Template Task,Duration (Days),Трајање (дани) DocType: Appraisal Goal,Score Earned,Оцена Еарнед @@ -7602,7 +7680,6 @@ DocType: Landed Cost Item,Landed Cost Item,Слетео Цена артикла 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Износ за једну трансакцију премашује максимални дозвољени износ, креирајте засебан налог за плаћање дељењем трансакција" DocType: Service Level Agreement,Entity,Ентитет DocType: Payment Reconciliation,Receivable / Payable Account,Примања / обавезе налог DocType: Delivery Note Item,Against Sales Order Item,Против продаје Ордер тачком @@ -7772,6 +7849,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,До DocType: Quality Inspection Reading,Reading 3,Читање 3 DocType: Stock Entry,Source Warehouse Address,Адреса складишта извора DocType: GL Entry,Voucher Type,Тип ваучера +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Будуће исплате 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 ,Последња активност @@ -7798,6 +7876,7 @@ 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,Кориснички ГСТИН DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Списак откривених болести на терену. Када је изабран, аутоматски ће додати листу задатака који ће се бавити болести" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,БОМ 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Ово је коренска служба здравствене заштите и не може се уређивати. DocType: Asset Repair,Repair Status,Статус поправке apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Тражени Кол : Количина тражио за куповину , али не нареди ." @@ -7812,6 +7891,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Рачун за промене Износ DocType: QuickBooks Migrator,Connecting to QuickBooks,Повезивање на КуицкБоокс DocType: Exchange Rate Revaluation,Total Gain/Loss,Тотал Гаин / Губитак +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Направите листу одабира apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ред {0}: Партија / налог не подудара са {1} / {2} {3} у {4} DocType: Employee Promotion,Employee Promotion,Промоција запослених DocType: Maintenance Team Member,Maintenance Team Member,Члан тима за одржавање @@ -7895,6 +7975,7 @@ 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,средство Категорија apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Чистая зарплата не может быть отрицательным @@ -7926,7 +8007,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Циљ квалитета DocType: BOM,Item to be manufactured or repacked,Ставка да буду произведени или препакује apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Синтаксна грешка у стању: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Клијент није покренуо проблем. DocType: Fee Structure,EDU-FST-.YYYY.-,ЕДУ-ФСТ-.ИИИИ.- DocType: Employee Education,Major/Optional Subjects,Мајор / Опциони предмети apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Молимо поставите групу добављача у Подешавања куповине. @@ -8019,8 +8099,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Кредитни Дана apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Молимо изаберите Пацијент да бисте добили лабораторијске тестове DocType: Exotel Settings,Exotel Settings,Екотел Сеттингс -DocType: Leave Type,Is Carry Forward,Је напред Царри +DocType: Leave Ledger Entry,Is Carry Forward,Је напред Царри DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Радно време испод којег је обележен Абсент. (Нула за онемогућавање) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Пошаљи поруку apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Се ставке из БОМ 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,Да ли је порез на доходак diff --git a/erpnext/translations/sr_ba.csv b/erpnext/translations/sr_ba.csv new file mode 100644 index 0000000000..e69de29bb2 diff --git a/erpnext/translations/sr_sp.csv b/erpnext/translations/sr_sp.csv index af130af189..fa21ea0ed6 100644 --- a/erpnext/translations/sr_sp.csv +++ b/erpnext/translations/sr_sp.csv @@ -81,7 +81,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Delivery Note {0 apps/erpnext/erpnext/buying/utils.py,{0} {1} status is {2},{0} {1} status je {2} DocType: BOM,Item Image (if not slideshow),Slika artikla (ako nije prezentacija) apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Amount {0} {1} transferred from {2} to {3},Iznos {0} {1} prebačen iz {2} u {3} -apps/erpnext/erpnext/templates/pages/home.html,Explore,Istraži +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Istraži apps/erpnext/erpnext/stock/doctype/item/item.py," {0} Retain Sample is based on batch, please check Has Batch No to retain sample of item","{0} Zadrži Uzorak je zasnovano na serijama, molimo označite Ima Broj Serije da bi zadržali uzorak stavke." apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment_dashboard.py,Consultations,Pregledi DocType: Territory,Classification of Customers by region,Klasifikacija kupaca po regiji @@ -132,7 +132,6 @@ DocType: C-Form,Total Invoiced Amount,Ukupno fakturisano DocType: Purchase Invoice,Supplier Invoice Date,Datum fakture dobavljača apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Journal Entry {0} does not have account {1} or already matched against other voucher,Knjiženje {0} nema nalog {1} ili je već povezan sa drugim izvodom DocType: Lab Test,Lab Test,Lab test -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,- Iznad 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 @@ -226,7 +225,7 @@ apps/erpnext/erpnext/config/buying.py,All Contacts.,Svi kontakti apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py,Sales Person,Prodajni agent DocType: QuickBooks Migrator,Default Warehouse,Podrazumijevano skladište apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Тренутно не постоје залихе у складишту -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Prodajni nalog {0} nije validan +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Sales Order {0} is not valid,Prodajni nalog {0} nije validan apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Датум почетка или краја године се преклапа са {0}. Да бисте избегли молимо поставите компанију DocType: Account,Credit,Potražuje DocType: C-Form Invoice Detail,Grand Total,Za plaćanje @@ -347,7 +346,6 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js,Reserved for sale DocType: POS Item Group,Item Group,Vrste artikala apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Age (Days),Starost (Dani) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Opening (Dr),Početno stanje (Du) -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Preostalo za plaćanje apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Go to the Desktop and start using ERPNext,Idite na radnu površinu i krenite sa radom u programu apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Сви Планови у Претплати морају имати исти циклус наплате DocType: Sales Person,Name and Employee ID,Ime i ID Zaposlenog @@ -378,7 +376,6 @@ DocType: Project,Project will be accessible on the website to these users,Projek DocType: Upload Attendance,Upload HTML,Priloži HTML apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Usluge apps/erpnext/erpnext/public/js/pos/pos.html,Item Cart,Korpa sa artiklima -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Ukupno plaćeno DocType: Warehouse,Warehouse Detail,Detalji o skldištu DocType: Quotation Item,Quotation Item,Stavka sa ponude DocType: Journal Entry Account,Employee Advance,Napredak Zaposlenog @@ -389,7 +386,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Re DocType: Purchase Invoice,Taxes and Charges Deducted,Umanjeni porezi i naknade DocType: Sales Invoice,Include Payment (POS),Uključi POS plaćanje DocType: Sales Invoice,Customer PO Details,Pregled porudžbine kupca -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Ukupno fakturisano apps/erpnext/erpnext/public/js/stock_analytics.js,Select Brand...,Izaberite brend DocType: Item,Default Unit of Measure,Podrazumijevana jedinica mjere DocType: Purchase Invoice Item,Serial No,Serijski broj @@ -469,7 +465,7 @@ DocType: Pricing Rule,Pricing Rule Help,Pravilnik za cijene pomoć apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Opseg dospijeća 2 DocType: Employee Benefit Application,Employee Benefits,Primanja Zaposlenih DocType: POS Item Group,POS Item Group,POS Vrsta artikala -DocType: Email Campaign,Lead,Lead +DocType: Call Log,Lead,Lead DocType: HR Settings,Employee Settings,Podešavanja zaposlenih DocType: Patient Medical Record,Patient Medical Record,Medicinski karton pacijenta DocType: Student Attendance Tool,Batch,Serija @@ -515,7 +511,6 @@ DocType: Employee Attendance Tool,Unmarked Attendance,Neobilježeno prisustvo apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Sales Order {0} is not submitted,Prodajni nalog {0} nije potvrđen DocType: Item,Default Material Request Type,Podrazumijevani zahtjev za tip materijala apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.js,Sales Pipeline,Prodajna linija -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Već završen DocType: Production Plan Item,Ordered Qty,Poručena kol DocType: Item,Sales Details,Detalji prodaje apps/erpnext/erpnext/config/help.py,Navigating,Navigacija @@ -618,7 +613,7 @@ DocType: Sales Invoice Item,Brand Name,Naziv brenda DocType: Account,Stock,Zalihe DocType: Customer Group,Customer Group Name,Naziv grupe kupca DocType: Item,Is Sales Item,Da li je prodajni artikal -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Fakturisano +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Fakturisano DocType: Purchase Invoice,Edit Posting Date and Time,Izmijeni datum i vrijeme dokumenta ,Inactive Customers,Neaktivni kupci DocType: Stock Entry Detail,Stock Entry Detail,Detalji unosa zaliha @@ -668,7 +663,6 @@ DocType: Account,Is Group,Je grupa DocType: Purchase Invoice,Contact Person,Kontakt osoba apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Return / Debit Note,Povraćaj / knjižno zaduženje DocType: Request for Quotation Supplier,Request for Quotation Supplier,Zahtjev za ponudu dobavljača -,LeaderBoard,Tabla 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 @@ -692,7 +686,7 @@ DocType: Purchase Invoice,Items,Artikli apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Allocate Payment Amount,Poveži uplaćeni iznos DocType: Patient,Patient ID,ID pacijenta apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Datum i vrijeme štampe -DocType: Sales Invoice,Debit To,Zaduženje za +DocType: Discounted Invoice,Debit To,Zaduženje za apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Atleast one warehouse is mandatory,Minimum jedno skladište je obavezno DocType: Price List,Price List Name,Naziv cjenovnika DocType: Asset,Journal Entry for Scrap,Knjiženje rastura i loma @@ -846,7 +840,7 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html,New Contact,Novi kont DocType: Cashier Closing,Returns,Povraćaj DocType: Delivery Note,Delivery To,Isporuka za apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Project Value,Vrijednost Projekta -DocType: Warehouse,Parent Warehouse,Nadređeno skladište +DocType: Pick List,Parent Warehouse,Nadređeno skladište DocType: Payment Request,Make Sales Invoice,Kreiraj fakturu prodaje apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Del,Obriši apps/erpnext/erpnext/public/js/stock_analytics.js,Select Warehouse...,Izaberite skladište... @@ -882,7 +876,6 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only pla 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 DocType: Employee External Work History,Employee External Work History,Istorijat o radu van preduzeća za Zaposlenog -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Otpremite robu prvo DocType: Lead,From Customer,Od kupca DocType: Item,Maintain Stock,Vođenje zalihe DocType: Sales Invoice Item,Sales Order Item,Pozicija prodajnog naloga @@ -931,7 +924,7 @@ apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please set a default Holida apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py,Pending Amount,Iznos na čekanju DocType: Payment Entry Reference,Supplier Invoice No,Broj fakture dobavljača apps/erpnext/erpnext/config/manufacturing.py,Global settings for all manufacturing processes.,Globalna podešavanja za cjelokupan proces proizvodnje. -DocType: Stock Entry,Material Transfer for Manufacture,Пренос robe za proizvodnju +DocType: Pick List,Material Transfer for Manufacture,Пренос robe za proizvodnju apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Detalji o primarnom kontaktu apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Vezni dokument DocType: Account,Accounts,Računi @@ -940,7 +933,6 @@ apps/erpnext/erpnext/controllers/selling_controller.py,{0} {1} is cancelled or c DocType: Request for Quotation Item,Request for Quotation Item,Zahtjev za stavku sa ponude DocType: Homepage,Products,Proizvodi DocType: Patient Appointment,Check availability,Provjeri dostupnost -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Potrošeno vrijeme je kreirano: apps/erpnext/erpnext/utilities/activation.py,Create Employee Records,Kreirati izvještaj o Zaposlenom apps/erpnext/erpnext/public/js/setup_wizard.js,"e.g. ""Build tools for builders""","npr. ""Izrada alata za profesionalce""" apps/erpnext/erpnext/public/js/utils.js,Total Unpaid: {0},Ukupno neplaćeno: {0} diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv index 90d026f65f..bd7005a424 100644 --- a/erpnext/translations/sv.csv +++ b/erpnext/translations/sv.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Meddela Leverantör apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Välj Partityp först DocType: Item,Customer Items,Kundartiklar +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Skulder DocType: Project,Costing and Billing,Kostnadsberäkning och fakturering apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Förskottsvaluta ska vara samma som företagsvaluta {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Standard mätenhet DocType: SMS Center,All Sales Partner Contact,Alla försäljningspartners kontakter DocType: Department,Leave Approvers,Ledighetsgodkännare DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Sök efter objekt ... DocType: Patient Encounter,Investigations,undersökningar DocType: Restaurant Order Entry,Click Enter To Add,Klicka på Enter för att lägga till apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Saknar värde för lösenord, API-nyckel eller Shopify-URL" DocType: Employee,Rented,Hyrda apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Alla konton apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Kan inte överföra Medarbetare med status Vänster -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Stoppad produktionsorder kan inte återkallas, unstop det första att avbryta" DocType: Vehicle Service,Mileage,Miltal apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Vill du verkligen att skrota denna tillgång? DocType: Drug Prescription,Update Schedule,Uppdateringsschema @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Kunden DocType: Purchase Receipt Item,Required By,Krävs av DocType: Delivery Note,Return Against Delivery Note,Återgå mot Följesedel DocType: Asset Category,Finance Book Detail,Finans bok detaljer +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Alla avskrivningar har bokats DocType: Purchase Order,% Billed,% Fakturerad apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Lönenummer apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Växelkurs måste vara samma som {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Batch Punkt Utgångs Status apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bankväxel DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Totalt sent inlägg DocType: Mode of Payment Account,Mode of Payment Account,Betalningssätt konto apps/erpnext/erpnext/config/healthcare.py,Consultation,Samråd DocType: Accounts Settings,Show Payment Schedule in Print,Visa betalningsplan i utskrift @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,I apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Primär kontaktuppgifter apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,öppna frågor DocType: Production Plan Item,Production Plan Item,Produktionsplan för artikel +DocType: Leave Ledger Entry,Leave Ledger Entry,Lämna Ledger Entry 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} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} fältet är begränsat till storlek {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Max DocType: Purchase Invoice Item,Item Weight Details,Produkt Vikt detaljer DocType: Asset Maintenance Log,Periodicity,Periodicitet apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Räkenskapsårets {0} krävs +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Nettovinst / förlust DocType: Employee Group Table,ERPNext User ID,ERPNext användar-ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Minsta avstånd mellan rader av växter för optimal tillväxt apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Välj patient för att få föreskriven procedur @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Försäljningsprislista DocType: Patient,Tobacco Current Use,Tobaks nuvarande användning apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Försäljningsfrekvens -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Spara ditt dokument innan du lägger till ett nytt konto 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 ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Pens DocType: Exchange Rate Revaluation Account,Gain/Loss,Vinst / förlust DocType: Crop,Perennial,Perenn DocType: Program,Is Published,Publiceras +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Visa leveransanteckningar apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",För att tillåta överfakturering uppdaterar du "Över faktureringsbidrag" i Kontoinställningar eller artikeln. DocType: Patient Appointment,Procedure,Procedur DocType: Accounts Settings,Use Custom Cash Flow Format,Använd anpassat kassaflödesformat @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Lämna policy detaljer DocType: BOM,Item Image (if not slideshow),Produktbild (om inte bildspel) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Rad # {0}: Drift {1} är inte slutfört för {2} antal färdigvaror i arbetsordern {3}. Uppdatera driftsstatus via Jobbkort {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} är obligatoriskt för att generera betalningsbetalningar, ställ in fältet och försök igen" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Timkostnad/60) * Faktisk produktionstid apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Referensdokumenttyp måste vara ett av kostnadskrav eller journalinmatning apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Välj BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Repay Över Antal perioder apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Antalet att producera kan inte vara mindre än noll DocType: Stock Entry,Additional Costs,Merkostnader +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Konto med befintlig transaktioner kan inte omvandlas till grupp. DocType: Lead,Product Enquiry,Produkt Förfrågan DocType: Education Settings,Validate Batch for Students in Student Group,Validera batch för studenter i studentgruppen @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Enligt Graduate apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Vänligen ange standardmall för meddelandet om status för vänsterstatus i HR-inställningar. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Mål på DocType: BOM,Total Cost,Total Kostnad +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Tilldelningen har gått ut! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maximala framåtriktade löv DocType: Salary Slip,Employee Loan,Employee Loan DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Skicka betalningsförfrågan via e-post @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Fastig apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Kontoutdrag apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Läkemedel DocType: Purchase Invoice Item,Is Fixed Asset,Är anläggningstillgång +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Visa framtida betalningar DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Detta bankkonto är redan synkroniserat DocType: Homepage,Homepage Section,Hemsidan avsnitt @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Fertilizer apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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 -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Minst ett läge av betalning krävs för POS faktura. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Bunt nr krävs för batchföremål {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bankräkning Transaktionsfaktura @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,Välj Villkor apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,ut Värde DocType: Bank Statement Settings Item,Bank Statement Settings Item,Inställningsinställningar för bankräkning DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce-inställningar +DocType: Leave Ledger Entry,Transaction Name,Transaktionsnamn DocType: Production Plan,Sales Orders,Kundorder apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Flera lojalitetsprogram som finns för kunden. Var god välj manuellt. DocType: Purchase Taxes and Charges,Valuation,Värdering @@ -461,6 +469,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Visa endast kund för dessa kundgrupper DocType: Sales Invoice,Is Opening Entry,Är öppen anteckning @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Nämn om icke-standard mottagningskonto tillämpat 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 DocType: Supplier Scorecard,Criteria Setup,Kriterier Setup -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,För Lagerkrävs innan du kan skicka +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 DocType: Codification Table,Medical Code,Medicinsk kod apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Anslut Amazon med ERPNext @@ -486,7 +496,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bankkonton tillagda -DocType: Delivery Stop,Contact Name,Kontaktnamn +DocType: Call Log,Contact Name,Kontaktnamn DocType: Plaid Settings,Synchronize all accounts every hour,Synkronisera alla konton varje timme DocType: Course Assessment Criteria,Course Assessment Criteria,Kriterier för bedömning Course DocType: Pricing Rule Detail,Rule Applied,Tillämpad regel @@ -530,7 +540,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Okänt nummer DocType: Website Filter Field,Website Filter Field,Fält för webbplatsfilter apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Tillförsel Typ DocType: Material Request Item,Min Order Qty,Min Order kvantitet @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,Summa huvudbelopp DocType: Student Guardian,Relation,Förhållande DocType: Quiz Result,Correct,Korrekt DocType: Student Guardian,Mother,Mor -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Lägg till giltiga Plaid-api-nycklar först i site_config.json DocType: Restaurant Reservation,Reservation End Time,Bokning Sluttid DocType: Crop,Biennial,Tvåårig ,BOM Variance Report,BOM-variansrapport @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Betalning mot {0} {1} inte kan vara större än utestående beloppet {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,Offline POS-inställningar DocType: Stock Entry Detail,Reference Purchase Receipt,Referensköpskvitto DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variant av -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Avslutade Antal kan inte vara större än ""antal för Tillverkning '" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Avslutade Antal kan inte vara större än ""antal för Tillverkning '" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Period baserat på DocType: Period Closing Voucher,Closing Account Head,Stänger Konto Huvud DocType: Employee,External Work History,Extern Arbetserfarenhet apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Cirkelreferens fel apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Studentrapportkort apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Från Pin-kod +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Visa säljare DocType: Appointment Type,Is Inpatient,Är inpatient apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Namn DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,I ord (Export) kommer att vara synlig när du sparar följesedel. @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Dimension Namn apps/erpnext/erpnext/healthcare/setup.py,Resistant,Resistent apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Ange hotellets rumspris på {} +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: Journal Entry,Multi Currency,Flera valutor DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktura Typ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Giltigt från datum måste vara mindre än giltigt fram till datum @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,medgav DocType: Workstation,Rent Cost,Hyr Kostnad 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Kommande kalenderhändelser apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variant attribut @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,Offertförfrågan 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Visa säljare i tryck 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 @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Skapa en ny kund apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Förfaller på apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Om flera prissättningsregler fortsätta att gälla, kan användarna uppmanas att ställa Prioritet manuellt för att lösa konflikten." -DocType: Purchase Invoice,Scan Barcode,Skanna streckkod apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Skapa inköpsorder ,Purchase Register,Inköpsregistret apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Patienten hittades inte @@ -816,6 +827,7 @@ DocType: Lead,Channel Partner,Kanalpartner DocType: Account,Old Parent,Gammalt mål apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Obligatoriskt fält - Academic Year apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} är inte associerad med {2} {3} +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} @@ -859,6 +871,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Lönedel för tidrapport baserad lönelistan. DocType: Driver,Applicable for external driver,Gäller för extern drivrutin DocType: Sales Order Item,Used for Production Plan,Används för produktionsplan +DocType: BOM,Total Cost (Company Currency),Total kostnad (företagsvaluta) DocType: Loan,Total Payment,Total betalning apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Kan inte avbryta transaktionen för slutförd arbetsorder. DocType: Manufacturing Settings,Time Between Operations (in mins),Time Between Operations (i minuter) @@ -880,6 +893,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Meddela Annan DocType: Vital Signs,Blood Pressure (systolic),Blodtryck (systolisk) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} är {2} DocType: Item Price,Valid Upto,Giltig upp till +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. @@ -898,6 +912,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Förändringar i {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Välj Företag DocType: Employee Skill,Employee Skill,Anställdas skicklighet apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Differenskonto @@ -942,6 +957,7 @@ DocType: Patient,Risk Factors,Riskfaktorer DocType: Patient,Occupational Hazards and Environmental Factors,Arbetsrisker och miljöfaktorer apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Lagerinmatningar som redan har skapats för arbetsorder apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Se tidigare order +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} konversationer DocType: Vital Signs,Respiratory rate,Andningsfrekvens apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Hantera Underleverantörer DocType: Vital Signs,Body Temperature,Kroppstemperatur @@ -983,6 +999,7 @@ DocType: Purchase Invoice,Registered Composition,Registrerad sammansättning apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Hallå apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Flytta objekt DocType: Employee Incentive,Incentive Amount,Incitamentsbelopp +,Employee Leave Balance Summary,Sammanfattning av anställdas ledighet DocType: Serial No,Warranty Period (Days),Garantiperiod (dagar) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Totalt kredit- / debiteringsbelopp ska vara samma som länkad journalinmatning DocType: Installation Note Item,Installation Note Item,Installeringsnotis objekt @@ -996,6 +1013,7 @@ DocType: Vital Signs,Bloated,Uppsvälld DocType: Salary Slip,Salary Slip Timesheet,Lön Slip Tidrapport apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverantör Warehouse obligatorisk för underleverantörer inköpskvitto DocType: Item Price,Valid From,Giltig Från +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Ditt betyg: DocType: Sales Invoice,Total Commission,Totalt kommissionen DocType: Tax Withholding Account,Tax Withholding Account,Skatteavdragskonto DocType: Pricing Rule,Sales Partner,Försäljnings Partner @@ -1003,6 +1021,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Alla leverantörs 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 +DocType: Item,Website Image,Webbplatsbild apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Mållager i rad {0} måste vara samma som Arbetsorder apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Värderingskurs är obligatoriskt om ingående lager angivits apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Inga träffar i Faktura tabellen @@ -1037,8 +1056,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},L 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Fyll i din Plaid API-konfiguration innan du synkroniserar ditt konto 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 DocType: Job Applicant,Resume Attachment,CV Attachment @@ -1050,7 +1069,6 @@ DocType: Production Plan,Production Plan,Produktionsplan DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Öppnande av fakturaverktyg DocType: Salary Component,Round to the Nearest Integer,Runda till närmaste heltal apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Sales Return -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Obs: Totala antalet allokerade blad {0} inte bör vara mindre än vad som redan har godkänts blad {1} för perioden DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Ange antal i transaktioner baserat på serienummeringång ,Total Stock Summary,Total lageröversikt apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1078,6 +1096,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Ett apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Kapitalbelopp DocType: Loan Application,Total Payable Interest,Totalt betalas ränta apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Totalt utestående: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Öppen kontakt DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Fakturan Tidrapport 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} @@ -1087,6 +1106,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Standard Faktura Naming Se 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 DocType: Restaurant Reservation,Restaurant Reservation,Restaurangbokning +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Dina artiklar apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Förslagsskrivning DocType: Payment Entry Deduction,Payment Entry Deduction,Betalning Entry Avdrag DocType: Service Level Priority,Service Level Priority,Servicenivåprioritet @@ -1095,6 +1115,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Batch Number Series apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,En annan säljare {0} finns med samma anställningsid DocType: Employee Advance,Claimed Amount,Skyldigt belopp +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Utgå tilldelning 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 @@ -1164,7 +1185,6 @@ DocType: Student Batch Name,Batch Name,batch Namn DocType: Fee Validity,Max number of visit,Max antal besök DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Obligatoriskt för resultaträkningskonto ,Hotel Room Occupancy,Hotellrumsboende -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Tidrapport skapat: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Ställ in standard Kontant eller bankkonto i betalningssätt {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Skriva in DocType: GST Settings,GST Settings,GST-inställningar @@ -1298,6 +1318,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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 DocType: Request for Quotation,Link to material requests,Länk till material förfrågningar +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Publicera apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerospace ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Kreditkorts logg @@ -1324,6 +1345,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Nuvarande Tillgångar apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} är inte en lagervara apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Vänligen dela din feedback till träningen genom att klicka på "Träningsreaktion" och sedan "Ny" +DocType: Call Log,Caller Information,Information om uppringare DocType: Mode of Payment Account,Default Account,Standard konto apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Var god välj Sample Retention Warehouse i Lagerinställningar först apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Var god välj flerprograms-programtypen för mer än en insamlingsregler. @@ -1348,6 +1370,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Automaterial Framställningar Generated DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Arbetstider under vilka Half Day markeras. (Noll att inaktivera) DocType: Job Card,Total Completed Qty,Totalt slutfört antal +DocType: HR Settings,Auto Leave Encashment,Automatisk lämna kabinett apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Förlorade apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Du kan inte ange aktuell kupong i 'Mot Journalposter' kolumnen DocType: Employee Benefit Application Detail,Max Benefit Amount,Max förmånsbelopp @@ -1377,9 +1400,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Abonnent DocType: Item Attribute Value,Item Attribute Value,Produkt Attribut Värde apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valutaväxling måste vara tillämplig för köp eller försäljning. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Endast tilldelad tilldelning kan avbrytas DocType: Item,Maximum sample quantity that can be retained,Maximal provkvantitet som kan behållas apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Rad {0} # Artikel {1} kan inte överföras mer än {2} mot inköpsorder {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Säljkampanjer. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Okänd uppringare DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1411,6 +1436,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Sjukvård S apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Namn DocType: Expense Claim Detail,Expense Claim Type,Räknings Typ DocType: Shopping Cart Settings,Default settings for Shopping Cart,Standardinställningarna för Varukorgen +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Spara objekt apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Ny kostnad apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ignorera befintligt beställt antal apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Lägg till Timeslots @@ -1423,6 +1449,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Granska inbjudan skickad DocType: Shift Assignment,Shift Assignment,Shift-uppgift DocType: Employee Transfer Property,Employee Transfer Property,Anställningsöverföringsfastighet +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Fältet Kapital / ansvarskonto kan inte vara tomt apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Från tiden borde vara mindre än till tiden apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotechnology apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1504,11 +1531,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Från sta 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kursschema DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B-rapport DocType: Request for Quotation Supplier,Quote Status,Citatstatus DocType: GoCardless Settings,Webhooks Secret,Webbooks Secret DocType: Maintenance Visit,Completion Status,Slutförande Status +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Det totala betalningsbeloppet kan inte vara större än {} DocType: Daily Work Summary Group,Select Users,Välj användare DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Hotellrumsprispost DocType: Loyalty Program Collection,Tier Name,Tier Name @@ -1546,6 +1575,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST-bel DocType: Lab Test Template,Result Format,Resultatformat DocType: Expense Claim,Expenses,Kostnader DocType: Service Level,Support Hours,Stödtimmar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Följesedlar DocType: Item Variant Attribute,Item Variant Attribute,Punkt Variant Attribut ,Purchase Receipt Trends,Kvitto Trender DocType: Payroll Entry,Bimonthly,Varannan månad @@ -1568,7 +1598,6 @@ DocType: Sales Team,Incentives,Sporen DocType: SMS Log,Requested Numbers,Begärda nummer DocType: Volunteer,Evening,Kväll DocType: Quiz,Quiz Configuration,Quizkonfiguration -DocType: Customer,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 @@ -1615,7 +1644,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Valutak ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Det går inte att hitta tidslucka i de närmaste {0} dagar för Operation {1} DocType: Work Order,Plan material for sub-assemblies,Planera material för underenheter 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 @@ -1630,9 +1658,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Du måste aktivera automatisk ombeställning i lagerinställningar för att upprätthålla ombeställningsnivåer. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Avbryt Material {0} innan du avbryter detta Underhållsbesök DocType: Pricing Rule,Rate or Discount,Betygsätt eller rabatt +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bankuppgifter DocType: Vital Signs,One Sided,Ensidig apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Löpnummer {0} inte tillhör punkt {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Obligatorisk Antal +DocType: Purchase Order Item Supplied,Required Qty,Obligatorisk Antal DocType: Marketplace Settings,Custom Data,Anpassade data apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Lager med befintlig transaktion kan inte konverteras till redovisningen. DocType: Service Day,Service Day,Servicedag @@ -1660,7 +1689,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Konto Valuta DocType: Lab Test,Sample ID,Prov ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Ango Avrundningskonto i bolaget -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Intervall DocType: Supplier,Default Payable Accounts,Standard avgiftskonton apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Medarbetare {0} är inte aktiv eller existerar inte @@ -1701,8 +1729,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Begäran om upplysningar DocType: Course Activity,Activity Date,Aktivitetsdatum apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} av {} -,LeaderBoard,leaderboard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Betygsätt med marginal (Företagsvaluta) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,kategorier apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Synkroniserings Offline fakturor DocType: Payment Request,Paid,Betalats DocType: Service Level,Default Priority,Standardprioritet @@ -1737,11 +1765,11 @@ DocType: Agriculture Task,Agriculture Task,Jordbruksuppgift apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Indirekt inkomst DocType: Student Attendance Tool,Student Attendance Tool,Student Närvaro Tool DocType: Restaurant Menu,Price List (Auto created),Prislista (automatiskt skapad) +DocType: Pick List Item,Picked Qty,Plockad antal DocType: Cheque Print Template,Date Settings,Datum Inställningar 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 -,Company Name,Företagsnamn 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. @@ -1760,7 +1788,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Senaste försök DocType: Quiz Result,Quiz Result,Frågesport Resultat 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} -DocType: BOM,Raw Material Cost(Company Currency),Råvarukostnaden (Företaget valuta) 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 @@ -1829,6 +1856,7 @@ DocType: Travel Itinerary,Train,Tåg ,Delayed Item Report,Försenad artikelrapport apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Kvalificerad ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Inpatient Occupancy +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Publicera dina första artiklar DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Tid efter avslutad skift under vilken utcheckning övervägs för närvaro. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Specificera en {0} @@ -1947,6 +1975,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,alla stycklistor apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Skapa intresse för företagets dagbok DocType: Company,Parent Company,Moderbolag apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Hotellrum av typen {0} är inte tillgängliga på {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Jämför BOM: er för ändringar i råmaterial och operationer apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Dokument {0} är oklart DocType: Healthcare Practitioner,Default Currency,Standard Valuta apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Förena det här kontot @@ -1981,6 +2010,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form faktura Detalj DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalning Avstämning Faktura DocType: Clinical Procedure,Procedure Template,Procedurmall +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Publicera artiklar apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Bidrag% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",Enligt Köpinställningarna om beställning krävs == 'JA' och sedan för att skapa Köpfaktura måste användaren skapa Köporder först för objektet {0} ,HSN-wise-summary of outward supplies,HSN-vis-sammanfattning av utåtriktade varor @@ -1993,7 +2023,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Ställ in "tillämpa ytterligare rabatt på" DocType: Party Tax Withholding Config,Applicable Percent,Gällande procentsats ,Ordered Items To Be Billed,Beställda varor att faktureras -DocType: Employee Checkin,Exit Grace Period Consequence,Utgång Grace Period Konsekvens apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Från Range måste vara mindre än ligga DocType: Global Defaults,Global Defaults,Globala standardinställningar apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Projektsamarbete Inbjudan @@ -2001,13 +2030,11 @@ DocType: Salary Slip,Deductions,Avdrag DocType: Setup Progress Action,Action Name,Åtgärdsnamn apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Start Year apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Skapa lån -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Startdatum för aktuell faktura period DocType: Shift Type,Process Attendance After,Process Deltagande efter ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Lämna utan lön DocType: Payment Request,Outward,Utåt -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Kapacitetsplanering Error apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Stat / UT-skatt ,Trial Balance for Party,Trial Balance för Party ,Gross and Net Profit Report,Brutto- och nettovinstrapport @@ -2026,7 +2053,6 @@ DocType: Payroll Entry,Employee Details,Anställdas detaljer 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} -DocType: Setup Progress Action,Domains,Domäner 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} @@ -2069,7 +2095,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Totalt fö 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.","Betalning läget är inte konfigurerad. Kontrollera, om kontot har satts på läge av betalningar eller på POS profil." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Samma post kan inte anges flera gånger. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ytterligare konton kan göras inom ramen för grupper, men poster kan göras mot icke-grupper" -DocType: Email Campaign,Lead,Prospekt +DocType: Call Log,Lead,Prospekt DocType: Email Digest,Payables,Skulder DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,E-postkampanj för @@ -2081,6 +2107,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Inköpsorder Artiklar att faktureras 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 DocType: Purchase Invoice Item,Net Rate,Netto kostnad apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Var god välj en kund DocType: Leave Policy,Leave Allocations,Lämna tilldelningar @@ -2094,6 +2121,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Nära Problem Efter dagar ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Du måste vara användare med systemhanteraren och objekthanterarens roller för att lägga till användare på Marketplace. +DocType: Attendance,Early Exit,Tidig utgång DocType: Job Opening,Staffing Plan,Personalplan apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON kan endast genereras från ett inlämnat dokument apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Arbetstagarskatt och förmåner @@ -2116,6 +2144,7 @@ DocType: Maintenance Team Member,Maintenance Role,Underhålls roll apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Duplicate raden {0} med samma {1} DocType: Marketplace Settings,Disable Marketplace,Inaktivera Marketplace DocType: Quality Meeting,Minutes,Minuter +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Dina presenterade artiklar ,Trial Balance,Trial Balans apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Visa klar apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Räkenskapsårets {0} hittades inte @@ -2125,8 +2154,8 @@ 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 DocType: Contract,Fulfilment Deadline,Uppfyllnadsfristen +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Nära dig DocType: Student,O-,O- -DocType: Shift Type,Consequence,Följd DocType: Subscription Settings,Subscription Settings,Prenumerationsinställningar DocType: Purchase Invoice,Update Auto Repeat Reference,Uppdatera automatisk repeteringsreferens apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Valfri semesterlista inte inställd för ledighet {0} @@ -2137,7 +2166,6 @@ DocType: Maintenance Visit Purpose,Work Done,Arbete Gjort apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Ange minst ett attribut i tabellen attribut DocType: Announcement,All Students,Alla studenter apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Objektet {0} måste vara en icke-lagervara -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bankdeatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Se journal DocType: Grading Scale,Intervals,intervaller DocType: Bank Statement Transaction Entry,Reconciled Transactions,Avstämda transaktioner @@ -2173,6 +2201,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Möjlighet Punkt DocType: Quality Action,Quality Review,Kvalitetsgranskning @@ -2199,7 +2228,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Hämta utestående fakturor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Kundorder {0} är inte giltig +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Inköpsorder hjälpa dig att planera och följa upp dina inköp apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab Test Prescriptions @@ -2224,6 +2253,7 @@ DocType: Employee Onboarding,Notify users by email,Meddela användare via e-post DocType: Travel Request,International,Internationell DocType: Training Event,Training Event,utbildning Händelse DocType: Item,Auto re-order,Auto återbeställning +DocType: Attendance,Late Entry,Sen inresa apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Totalt Uppnått DocType: Employee,Place of Issue,Utgivningsplats DocType: Promotional Scheme,Promotional Scheme Price Discount,Kampanjschema Prisrabatt @@ -2270,6 +2300,7 @@ DocType: Serial No,Serial No Details,Serial Inga detaljer DocType: Purchase Invoice Item,Item Tax Rate,Produkt Skattesats apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Från partnamn apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Nettolönsmängd +DocType: Pick List,Delivery against Sales Order,Leverans mot försäljningsorder DocType: Student Group Student,Group Roll Number,Grupprullnummer apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",För {0} kan endast kreditkonton länkas mot en annan debitering apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Följesedel {0} är inte lämnad @@ -2342,7 +2373,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Detta värde används för pro rata temporis beräkning apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Du måste aktivera Varukorgen DocType: Payment Entry,Writeoff,nedskrivning DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2356,6 +2386,7 @@ DocType: Delivery Trip,Total Estimated Distance,Totalt beräknat avstånd DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Kundfordringar Obetalt konto DocType: Tally Migration,Tally Company,Tally Company apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM läsare +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Det är inte tillåtet att skapa bokföringsdimension för {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Vänligen uppdatera din status för den här träningsevenemanget DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Lägg till eller dra av @@ -2365,7 +2396,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Inaktiva försäljningsartiklar DocType: Quality Review,Additional Information,ytterligare information apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Totalt ordervärde -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Servicenivåavtal återställs. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Mat apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Åldringsräckvidd 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS-slutkupongdetaljer @@ -2412,6 +2442,7 @@ 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 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""" DocType: Healthcare Practitioner,Contacts and Address,Kontakter och adress DocType: Shift Type,Determine Check-in and Check-out,Bestäm incheckning och utcheckning @@ -2431,7 +2462,6 @@ DocType: Student Admission,Eligibility and Details,Behörighet och detaljer apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Ingår i bruttovinsten apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Netto Förändring av anläggningstillgång apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Antal -DocType: Company,Client Code,Klientkod apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Avgift av typ ""faktiska"" i raden {0} kan inte ingå i artikelomsättningen" apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Från Daterad tid @@ -2499,6 +2529,7 @@ DocType: Journal Entry Account,Account Balance,Balanskonto apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Kunden är skyldig mot fordrans konto {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totala skatter och avgifter (Företags valuta) DocType: Weather,Weather Parameter,Väderparameter @@ -2561,6 +2592,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Tröskel för arbetstid f apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Det kan vara en multipelbaserad insamlingsfaktor baserat på den totala spenderingen. Men konverteringsfaktorn för inlösen kommer alltid att vara densamma för alla nivåer. apps/erpnext/erpnext/config/help.py,Item Variants,Produkt Varianter apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Tjänster +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,E-lönebesked till anställd DocType: Cost Center,Parent Cost Center,Överordnat kostnadsställe @@ -2571,7 +2603,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","V DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Importera leveransanmärkningar från Shopify vid leverans apps/erpnext/erpnext/templates/pages/projects.html,Show closed,show stängd DocType: Issue Priority,Issue Priority,Utgåva prioritet -DocType: Leave Type,Is Leave Without Pay,Är ledighet utan lön +DocType: Leave Ledger Entry,Is Leave Without Pay,Är ledighet utan lön apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,Gstin apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset Kategori är obligatorisk för fast tillgångsposten DocType: Fee Validity,Fee Validity,Avgift Giltighet @@ -2620,6 +2652,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Tillgänglig Batch apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Uppdatera utskriftsformat DocType: Bank Account,Is Company Account,Är företagskonto apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Lämna typ {0} är inte inkashable +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Kreditgränsen är redan definierad för företaget {0} DocType: Landed Cost Voucher,Landed Cost Help,Landad kostnad Hjälp DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Välj leveransadress @@ -2644,6 +2677,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Tvåvägs DocType: Item,Manufacturers,tillverkare @@ -2681,7 +2715,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Bank Avstämning Uttalande DocType: Patient Encounter,Medical Coding,Medicinsk kodning DocType: Healthcare Settings,Reminder Message,Påminnelsemeddelande -,Lead Name,Prospekt Namn +DocType: Call Log,Lead Name,Prospekt Namn ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,prospektering @@ -2713,12 +2747,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Leverantör Lager DocType: Opportunity,Contact Mobile No,Kontakt Mobil nr apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Välj företag ,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: 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 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.,Användaren {0} har ingen standard POS-profil. Kontrollera standard i rad {1} för den här användaren. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Mötesprotokoll av kvalitet +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverantör> Leverantörstyp apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Anställningsreferens DocType: Student Group,Set 0 for no limit,Set 0 för ingen begränsning apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dagen (s) som du ansöker om ledighet är helgdagar. Du behöver inte ansöka om tjänstledighet. @@ -2752,12 +2788,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Nettoförändring i Cash DocType: Assessment Plan,Grading Scale,Betygsskala apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mätenhet {0} har angetts mer än en gång i Omvandlingsfaktor Tabell -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,redan avslutat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Lager i handen apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Lägg till de övriga fördelarna {0} till programmet som \ pro-rata-komponent apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Vänligen ange skattekod för den offentliga förvaltningen '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Betalning förfrågan finns redan {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Kostnad för utfärdade artiklar DocType: Healthcare Practitioner,Hospital,Sjukhus apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Antal får inte vara mer än {0} @@ -2802,6 +2836,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Personal Resurser apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Övre inkomst DocType: Item Manufacturer,Item Manufacturer,Punkt Tillverkare +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Skapa ny bly DocType: BOM Operation,Batch Size,Satsstorlek apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Avvisa DocType: Journal Entry Account,Debit in Company Currency,Debet i bolaget Valuta @@ -2822,9 +2857,11 @@ DocType: Bank Transaction,Reconciled,förenas DocType: Expense Claim,Total Amount Reimbursed,Totala belopp som ersatts apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Detta grundar sig på stockar mot detta fordon. Se tidslinje nedan för mer information apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Lönedatum kan inte vara mindre än anställdes anslutningsdatum +DocType: Pick List,Item Locations,Objektplatser apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} skapad apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Jobbmöjligheten för beteckning {0} redan öppen \ eller anställning slutförd enligt anställningsplan {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Du kan publicera upp till 200 objekt. DocType: Vital Signs,Constipated,toppad apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Mot leverantörsfakturor {0} den {1} DocType: Customer,Default Price List,Standard Prislista @@ -2918,6 +2955,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Skift faktisk start DocType: Tally Migration,Is Day Book Data Imported,Är dagbokdata importerade apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Marknadsföringskostnader +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} enheter på {1} är inte tillgängliga. ,Item Shortage Report,Produkt Brist Rapportera 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 @@ -2941,6 +2979,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 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 DocType: Material Request,Transferred,Överförd DocType: Vehicle,Doors,dörrar @@ -3021,7 +3060,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Kundens Artikelkod DocType: Stock Reconciliation,Stock Reconciliation,Lager Avstämning DocType: Territory,Territory Name,Territorium Namn DocType: Email Digest,Purchase Orders to Receive,Inköpsorder att ta emot -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Pågående Arbete - Lager krävs innan du kan Skicka +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Pågående Arbete - Lager krävs innan du kan Skicka apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Du kan bara ha planer med samma faktureringsperiod i en prenumeration DocType: Bank Statement Transaction Settings Item,Mapped Data,Mappad data DocType: Purchase Order Item,Warehouse and Reference,Lager och referens @@ -3097,6 +3136,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Leveransinställningar apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Hämta data apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Max tillåten semester i ledighetstyp {0} är {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Publicera en artikel DocType: SMS Center,Create Receiver List,Skapa Mottagare Lista DocType: Student Applicant,LMS Only,Endast LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Tillgänglig för användning Datum ska vara efter inköpsdatum @@ -3130,6 +3170,7 @@ 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 DocType: Vital Signs,Furry,furry apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ställ "Vinst / Förlust konto på Asset Avfallshantering 'i sällskap {0} +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} @@ -3141,6 +3182,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Visa alla utgåvor från {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Mötesbord för kvalitet +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/templates/pages/help.html,Visit the forums,Besök forumet DocType: Student,Student Mobile Number,Student Mobilnummer DocType: Item,Has Variants,Har Varianter @@ -3152,9 +3194,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Namn på månaden DocType: Quality Procedure Process,Quality Procedure Process,Kvalitetsprocessprocess apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch-ID är obligatoriskt apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch-ID är obligatoriskt +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Välj kund först DocType: Sales Person,Parent Sales Person,Överordnad Försäljningsperson apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Inga objekt som ska tas emot är försenade apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Säljaren och köparen kan inte vara samma +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Inga visningar än DocType: Project,Collect Progress,Samla framsteg DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Välj programmet först @@ -3176,11 +3220,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Uppnått DocType: Student Admission,Application Form Route,Ansökningsblankett Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Slutdatum för avtalet kan inte vara mindre än idag. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter för att skicka DocType: Healthcare Settings,Patient Encounters in valid days,Patientmöten i giltiga dagar apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Lämna typ {0} kan inte tilldelas eftersom det lämnar utan lön 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},Rad {0}: Tilldelad mängd {1} måste vara mindre än eller lika med att fakturerat utestående belopp {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,I Ord kommer att synas när du sparar fakturan. DocType: Lead,Follow Up,Uppföljning +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Kostnadscentrum: {0} finns inte DocType: Item,Is Sales Item,Är Försäljningsobjekt apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Produktgruppträdet apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Produkt {0} är inte inställt för Serial Nos. Kontrollera huvudprodukt @@ -3224,9 +3270,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Medföljande Antal DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Material Begäran Produkt -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Avbryt köps kvitto {0} först apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Träd artikelgrupper. DocType: Production Plan,Total Produced Qty,Totalt producerad mängd +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Inga recensioner än apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Det går inte att hänvisa till radnr större än eller lika med aktuell rad nummer för denna avgiftstyp DocType: Asset,Sold,Såld ,Item-wise Purchase History,Produktvis Köphistorik @@ -3245,7 +3291,7 @@ DocType: Designation,Required Skills,Erforderliga färdigheter DocType: Inpatient Record,O Positive,O Positiv apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investeringarna DocType: Issue,Resolution Details,Åtgärds Detaljer -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Överföringstyp +DocType: Leave Ledger Entry,Transaction Type,Överföringstyp DocType: Item Quality Inspection Parameter,Acceptance Criteria,Acceptanskriterier apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Ange Material Begäran i ovanstående tabell apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Inga återbetalningar är tillgängliga för Journal Entry @@ -3286,6 +3332,7 @@ DocType: Bank Account,Bank Account No,Bankkontonummer DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Anmälan om anställningsskattbefrielse DocType: Patient,Surgical History,Kirurgisk historia DocType: Bank Statement Settings Item,Mapped Header,Mapped Header +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: 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. 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} @@ -3354,7 +3401,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Lägg till brevpapper DocType: Program Enrollment,Self-Driving Vehicle,Självkörande fordon 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totalt tilldelade blad {0} kan inte vara mindre än redan godkända blad {1} för perioden DocType: Contract Fulfilment Checklist,Requirement,Krav DocType: Journal Entry,Accounts Receivable,Kundreskontra DocType: Quality Goal,Objectives,mål @@ -3377,7 +3423,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Enda transaktionströ DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Detta värde uppdateras i standardförsäljningsprislistan. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Din vagn är tom DocType: Email Digest,New Expenses,nya kostnader -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC-belopp apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Kan inte optimera rutten eftersom förarens adress saknas. DocType: Shareholder,Shareholder,Aktieägare DocType: Purchase Invoice,Additional Discount Amount,Ytterligare rabatt Belopp @@ -3414,6 +3459,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Underhållsuppgift apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Ange B2C-gränsvärden i GST-inställningar. DocType: Marketplace Settings,Marketplace Settings,Marketplaceinställningar DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Lager där du hanterar lager av avvisade föremål +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Publicera {0} artiklar 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,Det gick inte att hitta växelkursen för {0} till {1} för nyckeldatum {2}. Var god skapa en valutautbyteslista manuellt DocType: POS Profile,Price List,Prislista 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. @@ -3450,6 +3496,7 @@ DocType: Salary Component,Deduction,Avdrag DocType: Item,Retain Sample,Behåll provet apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Rad {0}: Från tid och till tid är obligatorisk. DocType: Stock Reconciliation Item,Amount Difference,mängd Skillnad +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Denna sida håller reda på artiklar du vill köpa från säljare. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Artikel Pris till för {0} i prislista {1} DocType: Delivery Stop,Order Information,Beställningsinformation apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Ange anställnings Id för denna säljare @@ -3478,6 +3525,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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**. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Bedömningsplan Namn apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Måldetaljer apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Tillämpligt om företaget är SpA, SApA eller SRL" @@ -3530,7 +3578,6 @@ DocType: Company,Transactions Annual History,Transaktioner Årshistoria 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Ovan 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 @@ -3584,6 +3631,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,årets vinst 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 @@ -3638,12 +3686,10 @@ DocType: Supplier Scorecard,Scoring Setup,Scoring Setup apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronik 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Inget GST-nummer hittades för företaget. 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 DocType: Question,Single Correct Answer,Enstaka korrekt svar -DocType: Employee,Contact Details,Kontaktuppgifter DocType: C-Form,Received Date,Mottaget Datum DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Om du har skapat en standardmall i skatter och avgifter Mall, välj en och klicka på knappen nedan." DocType: BOM Scrap Item,Basic Amount (Company Currency),Grundbelopp (Company valuta) @@ -3673,12 +3719,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Webbplats Operation DocType: Bank Statement Transaction Payment Item,outstanding_amount,utestående belopp DocType: Supplier Scorecard,Supplier Score,Leverantörspoäng apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Schema Entré +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Det totala betalningsbegäran kan inte överstiga {0} belopp DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kumulativ transaktionströskel DocType: Promotional Scheme Price Discount,Discount Type,Rabatttyp -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Sammanlagt fakturerat Amt DocType: Purchase Invoice Item,Is Free Item,Är gratis artikel +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Procentandel du får överföra mer mot den beställda kvantiteten. Till exempel: Om du har beställt 100 enheter. och din ersättning är 10%, då får du överföra 110 enheter." DocType: Supplier,Warn RFQs,Varna RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,Utforska +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Utforska DocType: BOM,Conversion Rate,Omvandlingsfrekvens apps/erpnext/erpnext/www/all-products/index.html,Product Search,Sök produkt ,Bank Remittance,Banköverföring @@ -3690,6 +3737,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Summa Betald Betalning DocType: Asset,Insurance End Date,Försäkrings slutdatum apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Vänligen välj Studenttillträde, vilket är obligatoriskt för den studerande som betalas" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Budgetlista DocType: Campaign,Campaign Schedules,Kampanjscheman DocType: Job Card Time Log,Completed Qty,Avslutat Antal @@ -3712,6 +3760,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Ny adress DocType: Quality Inspection,Sample Size,Provstorlek apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Ange Kvitto Dokument apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Alla objekt har redan fakturerats +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Löv tagna apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Ange ett giltigt Från ärende nr " 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,Ytterligare kostnadsställen kan göras i grupperna men poster kan göras mot icke-grupper 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,Summa tilldelade löv är flera dagar än maximal fördelning av {0} ledighetstyp för anställd {1} under perioden @@ -3812,6 +3861,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Inkludera a 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 DocType: Leave Block List,Allow Users,Tillåt användare 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: 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. @@ -3865,6 +3916,7 @@ DocType: Support Search Source,Result Title Field,Resultat Titel Fält apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Sammanfattning av samtal DocType: Sample Collection,Collected Time,Samlad tid DocType: Employee Skill Map,Employee Skills,Medarbetares färdigheter +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Bränsleutgifter DocType: Company,Sales Monthly History,Försäljning månadshistoria apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Ange minst en rad i tabellen Skatter och avgifter DocType: Asset Maintenance Task,Next Due Date,Nästa Förfallodatum @@ -3874,6 +3926,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Vitala te DocType: Payment Entry,Payment Deductions or Loss,Betalnings Avdrag eller förlust DocType: Soil Analysis,Soil Analysis Criterias,Kriterier för markanalys apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Standard avtalsvillkor för försäljning eller köp. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Rader tas bort i {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Börja incheckningen innan skiftets starttid (i minuter) DocType: BOM Item,Item operation,Artikeloperation apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Grupp av Voucher @@ -3899,11 +3952,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Lönebesked av personal {0} redan skapats för denna period apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Farmaceutiska apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Du kan bara skicka lämna kollaps för ett giltigt inkasseringsbelopp +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Artiklar av apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Kostnad för köpta varor DocType: Employee Separation,Employee Separation Template,Medarbetarens separationsmall DocType: Selling Settings,Sales Order Required,Kundorder krävs apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Bli en säljare -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Antalet händelser varefter konsekvensen utförs. ,Procurement Tracker,Upphandlingsspårare DocType: Purchase Invoice,Credit To,Kredit till apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Reversed @@ -3916,6 +3969,7 @@ DocType: Quality Meeting,Agenda,Dagordning DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Underhållsschema Detalj DocType: Supplier Scorecard,Warn for new Purchase Orders,Varning för nya inköpsorder DocType: Quality Inspection Reading,Reading 9,Avläsning 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Anslut ditt Exotel-konto till ERPNext och spåra samtalsloggar DocType: Supplier,Is Frozen,Är Frozen DocType: Tally Migration,Processed Files,Bearbetade filer apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Grupp nod lager är inte tillåtet att välja för transaktioner @@ -3925,6 +3979,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM nr för ett Fä DocType: Upload Attendance,Attendance To Date,Närvaro Till Datum 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 @@ -3950,7 +4005,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,beställaren apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Ogiltig referens {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Regler för tillämpning av olika kampanjprogram. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan inte vara större än planerad kvantitet ({2}) i produktionsorder {3} DocType: Shipping Rule,Shipping Rule Label,Frakt Regel Etikett DocType: Journal Entry Account,Payroll Entry,Löneinmatning apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Visa avgifter @@ -3962,6 +4016,7 @@ DocType: Contract,Fulfilment Status,Uppfyllningsstatus DocType: Lab Test Sample,Lab Test Sample,Lab Test Prov DocType: Item Variant Settings,Allow Rename Attribute Value,Tillåt Byt namn på attributvärde apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Quick Journal Entry +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Framtida betalningsbelopp apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Du kan inte ändra kurs om BOM nämnts mot någon artikel DocType: Restaurant,Invoice Series Prefix,Faktura Serie Prefix DocType: Employee,Previous Work Experience,Tidigare Arbetslivserfarenhet @@ -3991,6 +4046,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Projektstatus DocType: UOM,Check this to disallow fractions. (for Nos),Markera att tillåta bråkdelar. (För NOS) DocType: Student Admission Program,Naming Series (for Student Applicant),Naming Series (för Student Sökande) +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/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 @@ -4006,6 +4062,7 @@ DocType: Fiscal Year,Year End Date,År Slutdatum DocType: Task Depends On,Task Depends On,Uppgift Beror på apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Möjlighet DocType: Options,Option,Alternativ +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Du kan inte skapa bokföringsposter under den stängda bokföringsperioden {0} DocType: Operation,Default Workstation,Standard arbetsstation DocType: Payment Entry,Deductions or Loss,Avdrag eller förlust apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} är stängd @@ -4014,6 +4071,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Få Nuvarande lager DocType: Purchase Invoice,ineligible,berättigade apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Tree of Bill of Materials +DocType: BOM,Exploded Items,Exploderade artiklar DocType: Student,Joining Date,Registreringsdatum ,Employees working on a holiday,Anställda som arbetar på en semester ,TDS Computation Summary,TDS-beräkningsöversikt @@ -4046,6 +4104,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (enligt Sto DocType: SMS Log,No of Requested SMS,Antal Begärd SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Lämna utan lön inte stämmer överens med godkända Lämna ansökan registrerar apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Nästa steg +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Sparade objekt DocType: Travel Request,Domestic,Inhemsk apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Ange de specificerade poster till bästa möjliga pris apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Anställningsöverföring kan inte lämnas in före överlämningsdatum @@ -4099,7 +4158,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Tillgångsslag konto apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Värdet {0} tilldelas redan en befintlig artikel {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Rad # {0} (Betalnings tabell): Beloppet måste vara positivt -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Det går inte att producera mer artiklar {0} än kundorderns mängd {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Det går inte att producera mer artiklar {0} än kundorderns mängd {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Ingenting ingår i brutto apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill finns redan för det här dokumentet apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Välj Attributvärden @@ -4134,12 +4193,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Aktivera olika konsekvenser för tidig utgång ,Lab Test Report,Lab Test Report DocType: Employee Benefit Application,Employee Benefit Application,Anställningsförmånsansökan apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Det finns ytterligare lönekomponenter. DocType: Purchase Invoice,Unregistered,Oregistrerad -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Vänligen Följesedel först DocType: Student Applicant,Application Date,Ansökningsdatum DocType: Salary Component,Amount based on formula,Belopp baserat på formel DocType: Purchase Invoice,Currency and Price List,Valuta och prislista @@ -4168,6 +4225,7 @@ DocType: Purchase Receipt,Time at which materials were received,Tidpunkt för ma DocType: Products Settings,Products per Page,Produkter per sida 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Tilldelat belopp kan inte vara negativt DocType: Sales Order,Billing Status,Faktureringsstatus apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Rapportera ett problem @@ -4177,6 +4235,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-Högre 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,Rad # {0}: Journal Entry {1} har inte hänsyn {2} eller redan matchas mot en annan kupong DocType: Supplier Scorecard Criteria,Criteria Weight,Kriterier Vikt +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Konto: {0} är inte tillåtet enligt betalningsinmatning DocType: Production Plan,Ignore Existing Projected Quantity,Ignorera befintligt beräknat antal apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Lämna godkännandemeddelande DocType: Buying Settings,Default Buying Price List,Standard Inköpslista @@ -4185,6 +4244,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,Betalning Typ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Var god välj en sats för objekt {0}. Det går inte att hitta en enda sats som uppfyller detta krav @@ -4214,6 +4274,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Varukorgen Inställningar DocType: Journal Entry,Accounting Entries,Bokföringsposter 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." +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: Journal Entry,Paid Loan,Betalt lån 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 @@ -4230,12 +4291,14 @@ DocType: Shopify Settings,Webhooks Details,Webbooks detaljer apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Inga tidrapporter DocType: GoCardless Mandate,GoCardless Customer,GoCardless kund apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Lämna typ {0} kan inte bära vidarebefordrade +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Produktkod> Produktgrupp> Märke apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Underhållsschema genereras inte för alla objekt. Klicka på ""Generera Schema '" ,To Produce,Att Producera DocType: Leave Encashment,Payroll,Löner 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","För rad {0} i {1}. Om du vill inkludera {2} i punkt hastighet, rader {3} måste också inkluderas" DocType: Healthcare Service Unit,Parent Service Unit,Föräldra serviceenhet DocType: Packing Slip,Identification of the package for the delivery (for print),Identifiering av paketet för leverans (för utskrift) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Servicenivåavtalet återställdes. DocType: Bin,Reserved Quantity,Reserverad Kvantitet apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Ange giltig e-postadress apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Ange giltig e-postadress @@ -4257,7 +4320,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Pris eller produktrabatt apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,För rad {0}: Ange planerad mängd DocType: Account,Income Account,Inkomst konto -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium DocType: Payment Request,Amount in customer's currency,Belopp i kundens valuta apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Leverans apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Tilldelandestrukturer... @@ -4280,6 +4342,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Du kommer att förlora register över tidigare genererade fakturor. Är du säker på att du vill starta om den här prenumerationen? @@ -4335,11 +4398,10 @@ DocType: Additional Salary,HR User,HR-Konto DocType: Bank Guarantee,Reference Document Name,Referensdokumentnamn DocType: Purchase Invoice,Taxes and Charges Deducted,Skatter och avgifter Avdragen DocType: Support Settings,Issues,Frågor -DocType: Shift Type,Early Exit Consequence after,Konsekvens för tidig utgång efter DocType: Loyalty Program,Loyalty Program Name,Lojalitetsprogramnamn apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Status måste vara en av {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Påminnelse om att uppdatera GSTIN Skickat -DocType: Sales Invoice,Debit To,Debitering +DocType: Discounted Invoice,Debit To,Debitering DocType: Restaurant Menu Item,Restaurant Menu Item,Restaurang menyobjekt DocType: Delivery Note,Required only for sample item.,Krävs endast för provobjekt. DocType: Stock Ledger Entry,Actual Qty After Transaction,Faktiska Antal Efter transaktion @@ -4422,6 +4484,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Parameternamn apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Endast Lämna applikationer med status 'Godkänd' och 'Avvisad' kan lämnas in apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Skapar dimensioner ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Student gruppnamn är obligatorisk i rad {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Omkoppla kreditgräns_check DocType: Homepage,Products to be shown on website homepage,Produkter som ska visas på startsidan för webbplatsen DocType: HR Settings,Password Policy,Lösenordspolicy apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Detta är en rot kundgrupp och kan inte ändras. @@ -4469,10 +4532,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Om m apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Ange standardkund i Restauranginställningar ,Salary Register,lön Register DocType: Company,Default warehouse for Sales Return,Standardlager för återförsäljning -DocType: Warehouse,Parent Warehouse,moderLager +DocType: Pick List,Parent Warehouse,moderLager DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Definiera olika lån typer DocType: Bin,FCFS Rate,FCFS betyg @@ -4509,6 +4572,7 @@ DocType: Travel Itinerary,Lodging Required,Logi krävs DocType: Promotional Scheme,Price Discount Slabs,Prisrabattplattor DocType: Stock Reconciliation Item,Current Serial No,Aktuellt serienummer DocType: Employee,Attendance and Leave Details,Information om närvaro och lämna +,BOM Comparison Tool,BOM-jämförelseverktyg ,Requested,Begärd apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Anmärkningar DocType: Asset,In Maintenance,Under underhåll @@ -4531,6 +4595,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Standardavtal om servicenivå DocType: SG Creation Tool Course,Course Code,Kurskod apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Mer än ett val för {0} är inte tillåtet +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Antal råvaror kommer att bestämmas utifrån antalet färdigvaror DocType: Location,Parent Location,Parent Location DocType: POS Settings,Use POS in Offline Mode,Använd POS i offline-läge apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Prioritet har ändrats till {0}. @@ -4549,7 +4614,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Provhållningslager DocType: Company,Default Receivable Account,Standard Mottagarkonto apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Projekterad kvantitetsformel DocType: Sales Invoice,Deemed Export,Fördjupad export -DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer för Tillverkning +DocType: Pick List,Material Transfer for Manufacture,Material Transfer för Tillverkning 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.,Rabatt Procent kan appliceras antingen mot en prislista eller för alla prislistor. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Kontering för lager DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4592,7 +4657,6 @@ DocType: Training Event,Theory,Teori apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Varning: Material Begärt Antal är mindre än Minimum Antal apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Kontot {0} är fruset DocType: Quiz Question,Quiz Question,Frågesportfråga -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Leverantör> Leverantörstyp 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" @@ -4623,6 +4687,7 @@ 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 DocType: Account,Expense Account,Utgiftskonto apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Programvara apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Färg @@ -4661,6 +4726,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Hantera Försäljn 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 DocType: Fee Validity,Visited yet,Besökt ännu +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Du kan ha upp till 8 artiklar. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Lager med befintlig transaktion kan inte konverteras till gruppen. 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. @@ -4668,7 +4734,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Vidgade_artiklar 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 @@ -4693,7 +4758,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM Konvertering i DocType: Contract,Signee Details,Signee Detaljer apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} har för närvarande {1} leverantörsanmärkning och offertförfrågan bör ställas med försiktighet! DocType: Certified Consultant,Non Profit Manager,Non Profit Manager -DocType: BOM,Total Cost(Company Currency),Totalkostnad (Company valuta) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Löpnummer {0} skapades DocType: Homepage,Company Description for website homepage,Beskrivning av företaget för webbplats hemsida DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","För att underlätta för kunderna, kan dessa koder användas i utskriftsformat som fakturor och följesedlar" @@ -4722,7 +4786,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Inköpskv DocType: Amazon MWS Settings,Enable Scheduled Synch,Aktivera schemalagd synkronisering apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Till Datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Loggar för att upprätthålla sms leveransstatus -DocType: Shift Type,Early Exit Consequence,Konsekvens av tidig utgång DocType: Accounts Settings,Make Payment via Journal Entry,Gör betalning via Journal Entry apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Skapa inte mer än 500 objekt åt gången apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Tryckt på @@ -4779,6 +4842,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,gräns Korsade 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 +DocType: Plaid Settings,Plaid Secret,Plädhemlighet DocType: Company,Date of Establishment,Datum för etablering apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Tilldelningskapital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,En termin med detta "Academic Year '{0} och" Term Name "{1} finns redan. Ändra dessa poster och försök igen. @@ -4841,6 +4905,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,kundtyp DocType: Compensatory Leave Request,Leave Allocation,Ledighet tilldelad DocType: Payment Request,Recipient Message And Payment Details,Mottagare Meddelande och betalningsuppgifter +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Välj en leveransanteckning DocType: Support Search Source,Source DocType,Källa DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Öppna en ny biljett DocType: Training Event,Trainer Email,Trainer E @@ -4963,6 +5028,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"Från datum" måste vara efter "Till datum" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Inga personalplaner hittades för denna beteckning apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Batch {0} av Objekt {1} är inaktiverat. @@ -4984,7 +5050,7 @@ DocType: Clinical Procedure,Patient,Patient apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Bypass kreditkontroll vid Försäljningsorder DocType: Employee Onboarding Activity,Employee Onboarding Activity,Anställd ombordstigningsaktivitet DocType: Location,Check if it is a hydroponic unit,Kontrollera om det är en hydroponisk enhet -DocType: Stock Reconciliation Item,Serial No and Batch,Löpnummer och Batch +DocType: Pick List Item,Serial No and Batch,Löpnummer och Batch DocType: Warranty Claim,From Company,Från Företag DocType: GSTR 3B Report,January,januari apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Summan av Mängder av bedömningskriterier måste vara {0}. @@ -5009,7 +5075,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabatt ( 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Nej {0} hittades för Inter Company Transactions. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Tack till kontot måste vara ett balanskonto @@ -5042,11 +5107,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kostnadscent 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Återstående DocType: Appraisal,Appraisal,Värdering DocType: Loan,Loan Account,Lånekonto apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Giltiga från och giltiga upp till fält är obligatoriska för det kumulativa +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",För artikel {0} i rad {1} stämmer inte serienumret med det utvalda antalet DocType: Purchase Invoice,GST Details,GST-detaljer apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Detta bygger på transaktioner mot denna vårdgivare. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},E-post som skickas till leverantören {0} @@ -5110,6 +5177,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Bruttovikten på paketet. Vanligtvis nettovikt + förpackningsmaterial vikt. (För utskrift) DocType: Assessment Plan,Program,Program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Användare med den här rollen får ställa frysta konton och skapa / ändra bokföringsposter mot frysta konton +DocType: Plaid Settings,Plaid Environment,Plädmiljö ,Project Billing Summary,Projekt faktureringsöversikt DocType: Vital Signs,Cuts,Cuts DocType: Serial No,Is Cancelled,Är Inställd @@ -5172,7 +5240,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Obs: Systemet kommer inte att kontrollera över leverans och överbokning till punkt {0} då kvantitet eller belopp är 0 DocType: Issue,Opening Date,Öppningsdatum apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Spara patienten först -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Skapa ny kontakt apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Närvaro har markerats med framgång. DocType: Program Enrollment,Public Transport,Kollektivtrafik DocType: Sales Invoice,GST Vehicle Type,GST fordonstyp @@ -5199,6 +5266,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Räkningar 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Lägg först till objekt i tabellen Objektplatser DocType: Pricing Rule,Discount Amount,Rabattbelopp DocType: Pricing Rule,Period Settings,Periodinställningar DocType: Purchase Invoice,Return Against Purchase Invoice,Återgå mot inköpsfaktura @@ -5231,7 +5299,6 @@ DocType: Assessment Plan,Assessment Plan,Bedömningsplan DocType: Travel Request,Fully Sponsored,Fullt sponsrad apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Reverse Journal Entry apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Skapa jobbkort -DocType: Shift Type,Consequence after,Konsekvens efter DocType: Quality Procedure Process,Process Description,Metodbeskrivning apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Kund {0} är skapad. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,För närvarande finns inget på lager i något lager. @@ -5266,6 +5333,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Clearance Datum DocType: Delivery Settings,Dispatch Notification Template,Dispatch Notification Template apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Utvärderingsrapport apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Få anställda +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 @@ -5359,7 +5427,6 @@ DocType: Stock Settings,Use Naming Series,Använd Naming Series apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Ingen action apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Värderingsavgifter kan inte markerats som inklusive DocType: POS Profile,Update Stock,Uppdatera lager -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Olika UOM för produkter kommer att leda till felaktiga (Total) Nettovikts värden. Se till att Nettovikt för varje post är i samma UOM. DocType: Certification Application,Payment Details,Betalningsinformation apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM betyg @@ -5395,7 +5462,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Detta är en rot säljare och kan inte ändras. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Om det är valt, kommer det angivna eller beräknade värdet i denna komponent inte att bidra till vinst eller avdrag. Men det är värdet kan hänvisas till av andra komponenter som kan läggas till eller dras av." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Om det är valt, kommer det angivna eller beräknade värdet i denna komponent inte att bidra till vinst eller avdrag. Det är dock värdet kan hänvisas till av andra komponenter som kan läggas till eller dras av." -DocType: Asset Settings,Number of Days in Fiscal Year,Antal dagar i skattår ,Stock Ledger,Stock Ledger DocType: Company,Exchange Gain / Loss Account,Exchange vinst / förlust konto DocType: Amazon MWS Settings,MWS Credentials,MWS Credentials @@ -5431,6 +5497,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Kolumn i bankfil apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Lämna ansökan {0} finns redan mot studenten {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Köpt för uppdatering av senaste priset i allt material. Det kan ta några minuter. +DocType: Pick List,Get Item Locations,Hämta objektplatser apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Namn på ett nytt konto. Obs: Vänligen inte skapa konton för kunder och leverantörer DocType: POS Profile,Display Items In Stock,Visa artiklar i lager apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Landsvis standard adressmallar @@ -5454,6 +5521,7 @@ DocType: Crop,Materials Required,Material krävs apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Inga studenter Funnet DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Månadlig HRA-undantag DocType: Clinical Procedure,Medical Department,Medicinska avdelningen +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Totala tidiga utgångar DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Leverantör Scorecard Scoring Criteria apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Fakturabokningsdatum apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Sälja @@ -5465,11 +5533,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Radera anställden {0} \ för att avbryta detta dokument" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,Slut på AMC DocType: Opportunity,Opportunity Amount,Opportunity Amount +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Din profil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Antal Avskrivningar bokat kan inte vara större än Totalt antal Avskrivningar DocType: Purchase Order,Order Confirmation Date,Orderbekräftelsedatum DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5563,7 +5630,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Det finns inkonsekvenser mellan räntan, antal aktier och beräknat belopp" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Du är inte närvarande hela dagen mellan utbetalningsdagar apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Vänligen ange företagsnamn igen för att bekräfta -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Totalt Utestående Amt DocType: Journal Entry,Printing Settings,Utskriftsinställningar DocType: Payment Order,Payment Order Type,Betalningsorder Typ DocType: Employee Advance,Advance Account,Förskottskonto @@ -5653,7 +5719,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,År namn apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Det finns mer semester än arbetsdagar denna månad. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Följande poster {0} är inte markerade som {1} objekt. Du kan aktivera dem som {1} -objekt från dess objektmastern -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Produktpaket Punkt DocType: Sales Partner,Sales Partner Name,Försäljnings Partner Namn apps/erpnext/erpnext/hooks.py,Request for Quotations,Begäran om Citat @@ -5662,7 +5727,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Löv +DocType: Leave Ledger Entry,Leaves,Löv DocType: Student Language,Student Language,Student Språk DocType: Cash Flow Mapping,Is Working Capital,Är Arbetskapital apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Skicka in bevis @@ -5670,12 +5735,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Order / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Spela in Patient Vitals DocType: Fee Schedule,Institution,Institution -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: Asset,Partially Depreciated,delvis avskrivna DocType: Issue,Opening Time,Öppnings Tid apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Från och Till datum krävs apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Värdepapper och råvarubörserna -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Sammanfattning av samtal av {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Dokumentsökning apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard mätenhet för Variant "{0}" måste vara samma som i Mall "{1}" DocType: Shipping Rule,Calculate Based On,Beräkna baserad på @@ -5721,6 +5784,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maximalt tillåtet värde 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 DocType: Lab Test Template,Sensitivity,Känslighet DocType: Plaid Settings,Plaid Settings,Plädinställningar apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Synkroniseringen har avaktiverats tillfälligt eftersom högsta försök har överskridits @@ -5738,6 +5802,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Välj Publiceringsdatum först apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Öppningsdatum ska vara innan Slutdatum DocType: Travel Itinerary,Flight,Flyg +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Tillbaka till hemmet DocType: Leave Control Panel,Carry Forward,Skicka Vidare apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Kostnadsställe med befintliga transaktioner kan inte omvandlas till liggaren DocType: Budget,Applicable on booking actual expenses,Gäller vid bokning av faktiska utgifter @@ -5794,6 +5859,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Skapa offert apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Du har inte behörighet att godkänna löv på Block Datum apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Begäran om {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Alla dessa punkter har redan fakturerats +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Inga utestående fakturor hittades för {0} {1} som uppfyller de filter du har angett. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Ange ny frisläppningsdatum DocType: Company,Monthly Sales Target,Månadsförsäljningsmål apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Inga utestående fakturor hittades @@ -5841,6 +5907,7 @@ DocType: Batch,Source Document Name,Källdokumentnamn DocType: Batch,Source Document Name,Källdokumentnamn DocType: Production Plan,Get Raw Materials For Production,Få råmaterial för produktion DocType: Job Opening,Job Title,Jobbtitel +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Framtida betalning ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} indikerar att {1} inte kommer att ge en offert, men alla artiklar \ har offererats. Uppdaterar status för offertförfrågan." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Maximala prov - {0} har redan behållits för Batch {1} och Item {2} i Batch {3}. @@ -5851,12 +5918,10 @@ 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: Company,Product Code,Produktkod DocType: Quality Review Table,Objective,Mål DocType: Supplier Scorecard,Per Month,Per månad DocType: Education Settings,Make Academic Term Mandatory,Gör akademisk termin Obligatorisk -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Kvantitet som Tillverkning måste vara större än 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Beräkna fördröjd avskrivningsplan baserat på räkenskapsår +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Kvantitet som Tillverkning måste vara större än 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Besöksrapport för service samtal. DocType: Stock Entry,Update Rate and Availability,Uppdateringsfrekvens och tillgänglighet 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.,Andel som är tillåtet att ta emot eller leverera mer mot beställt antal. Till exempel: Om du har beställt 100 enheter. och din ersättning är 10% då du får ta emot 110 enheter. @@ -5868,7 +5933,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Släppdatum måste vara i framtiden DocType: BOM,Website Description,Webbplats Beskrivning apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Nettoförändringen i eget kapital -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Vänligen avbryta inköpsfaktura {0} först apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Inte tillåten. Avaktivera serviceenhetstypen apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-postadress måste vara unikt, redan för {0}" DocType: Serial No,AMC Expiry Date,AMC Förfallodatum @@ -5912,6 +5976,7 @@ DocType: Pricing Rule,Price Discount Scheme,Prisrabatt apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Underhållsstatus måste avbrytas eller slutförts för att skicka in DocType: Amazon MWS Settings,US,oss DocType: Holiday List,Add Weekly Holidays,Lägg till veckovisa helgdagar +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Rapportera objekt DocType: Staffing Plan Detail,Vacancies,Lediga platser DocType: Hotel Room,Hotel Room,Hotellrum apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Kontot {0} till inte företaget {1} @@ -5963,12 +6028,15 @@ DocType: Email Digest,Open Quotations,Öppna citat 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Radera anställden {0} \ för att avbryta detta dokument" 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 @@ -5982,6 +6050,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Ledig DocType: Patient,Alcohol Past Use,Alkohol tidigare användning DocType: Fertilizer Content,Fertilizer Content,Gödselinnehåll +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Ingen beskrivning apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Faktureringsstaten DocType: Quality Goal,Monitoring Frequency,Övervaka frekvens @@ -5999,6 +6068,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Slutdatum På datum kan inte vara före nästa kontaktdatum. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Batchposter DocType: Journal Entry,Pay To / Recd From,Betala Till / RECD Från +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Ta bort publicering av artikeln DocType: Naming Series,Setup Series,Inställnings Serie DocType: Payment Reconciliation,To Invoice Date,Att fakturadatum DocType: Bank Account,Contact HTML,Kontakta HTML @@ -6020,6 +6090,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Detaljhandeln DocType: Student Attendance,Absent,Frånvarande DocType: Staffing Plan,Staffing Plan Detail,Bemanningsplandetaljer DocType: Employee Promotion,Promotion Date,Kampanjdatum +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Ledighetstilldelning% s är kopplad till ledighetsansökan% s 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} @@ -6054,9 +6125,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Faktura {0} existerar inte längre DocType: Guardian Interest,Guardian Interest,Guardian intresse DocType: Volunteer,Availability,Tillgänglighet +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Lämnadsansökan är kopplad till ledighetstilldelningar {0}. Permissionsansökan kan inte ställas in som ledighet utan lön apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Ange standardvärden för POS-fakturor DocType: Employee Training,Training,Utbildning DocType: Project,Time to send,Tid att skicka +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Denna sida håller reda på dina artiklar där köpare har visat ett intresse. DocType: Timesheet,Employee Detail,anställd Detalj apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Ställ lager fö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 @@ -6157,12 +6230,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,öppnings Värde DocType: Salary Component,Formula,Formel apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Seriell # -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: 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/setup/doctype/company/company.py,Sales Account,Försäljningskonto DocType: Purchase Invoice Item,Total Weight,Totalvikt +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}" @@ -6186,6 +6259,7 @@ DocType: Company,Default Employee Advance Account,Standardansvarig förskottskon apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Sökningsartikel (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Konto med befintlig transaktioner kan inte tas bort +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Varför tror jag att denna artikel ska tas bort? DocType: Vehicle,Last Carbon Check,Sista Carbon Check apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Rättsskydds apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Var god välj antal på rad @@ -6205,6 +6279,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Nedbrytning DocType: Travel Itinerary,Vegetarian,Vegetarian DocType: Patient Encounter,Encounter Date,Mötesdatum +DocType: Work Order,Update Consumed Material Cost In Project,Uppdatera förbrukat materialkostnad i projektet apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan inte väljas {1} DocType: Bank Statement Transaction Settings Item,Bank Data,Bankuppgifter DocType: Purchase Receipt Item,Sample Quantity,Provkvantitet @@ -6259,7 +6334,7 @@ DocType: GSTR 3B Report,April,april DocType: Plant Analysis,Collection Datetime,Samling Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Totala driftskostnaderna -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Obs: Punkt {0} inlagd flera gånger +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Obs: Punkt {0} inlagd flera gånger apps/erpnext/erpnext/config/buying.py,All Contacts.,Alla kontakter. DocType: Accounting Period,Closed Documents,Stängda dokument DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Hantera avtalsfaktura skickar och avbryter automatiskt för patientmottagning @@ -6341,9 +6416,7 @@ DocType: Member,Membership Type,typ av medlemskap ,Reqd By Date,Reqd Efter datum apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Borgenärer DocType: Assessment Plan,Assessment Name,bedömning Namn -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Visa PDC i Print apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Rad # {0}: Löpnummer är obligatorisk -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Inga utestående fakturor hittades för {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Produktvis Skatte Detalj DocType: Employee Onboarding,Job Offer,Jobberbjudande apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institute Förkortning @@ -6402,6 +6475,7 @@ DocType: Serial No,Out of Warranty,Ingen garanti DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Mappad datatyp DocType: BOM Update Tool,Replace,Ersätt apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Inga produkter hittades. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Publicera fler artiklar apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Detta servicenivåavtal är specifikt för kund {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} mot faktura {1} DocType: Antibiotic,Laboratory User,Laboratorieanvändare @@ -6424,7 +6498,6 @@ DocType: Payment Order Reference,Bank Account Details,Bankkontouppgifter DocType: Purchase Order Item,Blanket Order,Blankett Order 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Produktionsorder har varit {0} DocType: BOM Item,BOM No,BOM nr 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 @@ -6498,6 +6571,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Utgående beskattningsbara leveranser (noll betyg) DocType: BOM,Materials Required (Exploded),Material som krävs (Expanderad) 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/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 @@ -6555,7 +6629,6 @@ DocType: Pricing Rule,Same Item,Samma artikel DocType: Stock Ledger Entry,Stock Ledger Entry,Lager Ledger Entry DocType: Quality Action Resolution,Quality Action Resolution,Kvalitetsåtgärd upplösning apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} på halvdags ledighet på {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Samma objekt har angetts flera gånger DocType: Department,Leave Block List,Lämna Block List DocType: Purchase Invoice,Tax ID,Skatte ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Produkt {0} är inte inställt för Serial Nos. Kolumn måste vara tom @@ -6593,7 +6666,7 @@ DocType: Cheque Print Template,Distance from top edge,Avståndet från den övre 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 DocType: Purchase Invoice,Return,Återgå -DocType: Accounting Dimension,Disable,Inaktivera +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 DocType: Task,Pending Review,Väntar På Granskning apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Redigera i hel sida för fler alternativ som tillgångar, serienummer, partier etc." @@ -6707,7 +6780,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Kombinerad fakturahandel måste vara lika med 100% DocType: Item Default,Default Expense Account,Standardutgiftskonto DocType: GST Account,CGST Account,CGST-konto -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Produktkod> Produktgrupp> Märke apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student E ID DocType: Employee,Notice (days),Observera (dagar) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS Closing Voucher Fakturor @@ -6718,6 +6790,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Välj objekt för att spara fakturan DocType: Employee,Encashment Date,Inlösnings Datum DocType: Training Event,Internet,internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Säljarinformation DocType: Special Test Template,Special Test Template,Särskild testmall DocType: Account,Stock Adjustment,Lager för justering apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Standard Aktivitetskostnad existerar för Aktivitetstyp - {0} @@ -6729,7 +6802,6 @@ 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 -DocType: Company,Bank Remittance Settings,Inställningar för banköverföring apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Genomsnitt 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" @@ -6757,6 +6829,7 @@ DocType: Grading Scale Interval,Threshold,Tröskel apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filtrera anställda efter (valfritt) DocType: BOM Update Tool,Current BOM,Aktuell BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Balans (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Antal färdigvaror apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Lägg till Serienr DocType: Work Order Item,Available Qty at Source Warehouse,Tillgänglig kvantitet vid källlagret apps/erpnext/erpnext/config/support.py,Warranty,Garanti @@ -6835,7 +6908,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Här kan du behålla längd, vikt, allergier, medicinska problem etc" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Skapa konton ... DocType: Leave Block List,Applies to Company,Gäller Företag -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Det går inte att avbryta eftersom lämnad Lagernotering {0} existerar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Det går inte att avbryta eftersom lämnad Lagernotering {0} existerar DocType: Loan,Disbursement Date,utbetalning Datum DocType: Service Level Agreement,Agreement Details,Avtal detaljer apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Startdatum för avtal kan inte vara större än eller lika med slutdatum. @@ -6844,6 +6917,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Vårdjournal DocType: Vehicle,Vehicle,Fordon DocType: Purchase Invoice,In Words,I Ord +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Hittills måste vara före från datum apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Ange bankens eller utlåningsinstitutets namn innan du skickar in. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} måste skickas in DocType: POS Profile,Item Groups,artikelgrupper @@ -6915,7 +6989,6 @@ DocType: Customer,Sales Team Details,Försäljnings Team Detaljer apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Ta bort permanent? DocType: Expense Claim,Total Claimed Amount,Totalt yrkade beloppet apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Potentiella möjligheter för att sälja. -DocType: Plaid Settings,Link a new bank account,Länka ett nytt bankkonto apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} är en ogiltig närvarostatus. DocType: Shareholder,Folio no.,Folio nr. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Ogiltigt {0} @@ -6931,7 +7004,6 @@ DocType: Production Plan,Material Requested,Material som begärs DocType: Warehouse,PIN,STIFT DocType: Bin,Reserved Qty for sub contract,Reserverad Antal för delkontrakt DocType: Patient Service Unit,Patinet Service Unit,Patinet Service Unit -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Generera textfil DocType: Sales Invoice,Base Change Amount (Company Currency),Basförändring Belopp (Company valuta) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Inga bokföringsposter för följande lager apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Endast {0} i lager för artikel {1} @@ -6945,6 +7017,7 @@ DocType: Item,No of Months,Antal månader DocType: Item,Max Discount (%),Max rabatt (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Kreditdagar kan inte vara ett negativt tal apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Ladda upp ett uttalande +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Rapportera det här objektet DocType: Purchase Invoice Item,Service Stop Date,Servicestoppdatum apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Sista beställningsmängd DocType: Cash Flow Mapper,e.g Adjustments for:,t.ex. justeringar för: @@ -7038,16 +7111,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Anställningsskatt undantagskategori apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Beloppet bör inte vara mindre än noll. DocType: Sales Invoice,C-Form Applicable,C-Form Tillämplig -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Operation Time måste vara större än 0 för drift {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Operation Time måste vara större än 0 för drift {0} DocType: Support Search Source,Post Route String,Skriv ruttsträng apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Warehouse är obligatoriskt apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Misslyckades med att skapa webbplats DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Omvandlings Detalj apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Antagning och registrering -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry redan skapad eller Provkvantitet ej angiven +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Retention Stock Entry redan skapad eller Provkvantitet ej angiven DocType: Program,Program Abbreviation,program Förkortning -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Produktionsorder kan inte skickas till en objektmall apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Group by Voucher (Consolidated) DocType: HR Settings,Encrypt Salary Slips in Emails,Kryptera lönesedlar i e-postmeddelanden DocType: Question,Multiple Correct Answer,Flera korrekt svar @@ -7094,7 +7166,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Är noll klassificerad e DocType: Employee,Educational Qualification,Utbildnings Kvalificering DocType: Workstation,Operating Costs,Operations Kostnader apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Valuta för {0} måste vara {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Konsekvens av inträdesperiod DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Markera närvaro baserat på "Personal Checkin" för anställda som tilldelats detta skift. DocType: Asset,Disposal Date,bortskaffande Datum DocType: Service Level,Response and Resoution Time,Svarstid och avgångstid @@ -7142,6 +7213,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Slutförande Datum DocType: Purchase Invoice Item,Amount (Company Currency),Belopp (Företagsvaluta) DocType: Program,Is Featured,Visas +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Hämtar ... DocType: Agriculture Analysis Criteria,Agriculture User,Jordbrukare apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Giltigt till datum kan inte vara före transaktionsdatum apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} enheter av {1} behövs i {2} på {3} {4} för {5} för att slutföra denna transaktion. @@ -7174,7 +7246,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Totalt betalade Amt 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 @@ -7198,6 +7269,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonym apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Mottagen från DocType: Lead,Converted,Konverterad DocType: Item,Has Serial No,Har Löpnummer +DocType: Stock Entry Detail,PO Supplied Item,PO medlevererad artikel 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} @@ -7312,7 +7384,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Synchskatter och avgifter 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,Standard BOM för {0} hittades inte +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Tryck på objekt för att lägga till dem här @@ -7348,7 +7420,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Underhållsdatum DocType: Purchase Invoice Item,Rejected Serial No,Avvisat Serienummer apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,År startdatum eller slutdatum överlappar med {0}. För att undvika ställ företag -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 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Vänligen ange lednamnet i bly {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Startdatum bör vara mindre än slutdatumet för punkt {0} DocType: Shift Type,Auto Attendance Settings,Inställningar för automatisk deltagande @@ -7358,9 +7429,11 @@ DocType: Upload Attendance,Upload Attendance,Ladda upp Närvaro apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM och tillverkningskvantitet krävs apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Åldringsräckvidd 2 DocType: SG Creation Tool Course,Max Strength,max Styrka +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Kontot {0} finns redan i barnföretaget {1}. Följande fält har olika värden, de bör vara samma:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Installera förinställningar DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Ingen leveransnotering vald för kund {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Rader tillagda i {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Anställd {0} har inget maximalt förmånsbelopp apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Välj objekt baserat på leveransdatum DocType: Grant Application,Has any past Grant Record,Har någon tidigare Grant Record @@ -7406,6 +7479,7 @@ DocType: Fees,Student Details,Studentuppgifter DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Detta är standard UOM som används för artiklar och försäljningsorder. Fallback UOM är "Nos". DocType: Purchase Invoice Item,Stock Qty,Lager Antal DocType: Purchase Invoice Item,Stock Qty,Lager Antal +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 DocType: Loan,Repayment Period in Months,Återbetalning i månader @@ -7434,6 +7508,7 @@ DocType: Authorization Rule,Customerwise Discount,Kundrabatt apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Tidrapport för uppgifter. DocType: Purchase Invoice,Against Expense Account,Mot utgiftskonto apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Installeringsnotis {0} har redan lämnats in +DocType: BOM,Raw Material Cost (Company Currency),Råvarukostnad (företagets valuta) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Hus hyra betalade dagar överlappande med {0} DocType: GSTR 3B Report,October,oktober DocType: Bank Reconciliation,Get Payment Entries,Få Betalnings Inlägg @@ -7481,15 +7556,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Tillgängligt för användning datum krävs DocType: Request for Quotation,Supplier Detail,leverantör Detalj apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Fel i formel eller ett tillstånd: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Fakturerade belopp +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Fakturerade belopp apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Kriterievikter måste lägga till upp till 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Närvaro apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,lager DocType: Sales Invoice,Update Billed Amount in Sales Order,Uppdatera fakturerat belopp i försäljningsorder +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Kontakta säljaren 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,I Ord kommer att synas när du sparar beställningen. @@ -7503,6 +7580,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Huvudprislista. DocType: Task,Review Date,Kontroll Datum DocType: BOM,Allow Alternative Item,Tillåt alternativ artikel +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Köpskvitto har inget objekt som behåller provet är aktiverat för. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Fakturor Grand Total DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Serie för tillgångsavskrivning (Journal Entry) DocType: Membership,Member Since,Medlem sedan @@ -7512,6 +7590,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,På Net Totalt 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},Värde för Attribut {0} måste vara inom intervallet {1} till {2} i steg om {3} till punkt {4} DocType: Pricing Rule,Product Discount Scheme,Produktrabatt +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Ingen fråga har tagits upp av den som ringer. DocType: Restaurant Reservation,Waitlisted,väntelistan DocType: Employee Tax Exemption Declaration Category,Exemption Category,Undantagskategori apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valuta kan inte ändras efter att ha gjort poster med någon annan valuta @@ -7525,7 +7604,6 @@ DocType: Customer Group,Parent Customer Group,Överordnad kundgrupp apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON kan endast genereras från försäljningsfaktura apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Maximala försök för denna frågesport uppnåddes! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Prenumeration -DocType: Purchase Invoice,Contact Email,Kontakt E-Post apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Avgift skapande väntar DocType: Project Template Task,Duration (Days),Varaktighet (dagar) DocType: Appraisal Goal,Score Earned,Betyg förtjänat @@ -7551,7 +7629,6 @@ DocType: Landed Cost Item,Landed Cost Item,Landad kostnadspost 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Beloppet för en enda transaktion överstiger maximalt tillåtet belopp, skapa en separat betalningsorder genom att dela upp transaktionerna" 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 @@ -7722,6 +7799,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Tillg DocType: Quality Inspection Reading,Reading 3,Avläsning 3 DocType: Stock Entry,Source Warehouse Address,Källa lageradress DocType: GL Entry,Voucher Type,Rabatt Typ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Framtida betalningar 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 @@ -7748,6 +7826,7 @@ DocType: Travel Request,Identification Document Number,Identifikationsdokumentnu 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." DocType: Sales Invoice,Customer GSTIN,Kund GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Lista över sjukdomar som upptäckts på fältet. När den väljs kommer den automatiskt att lägga till en lista över uppgifter för att hantera sjukdomen +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Detta är en root healthcare service enhet och kan inte redigeras. DocType: Asset Repair,Repair Status,Reparationsstatus 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." @@ -7762,6 +7841,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Konto för förändring Belopp DocType: QuickBooks Migrator,Connecting to QuickBooks,Anslutning till QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Totala vinst / förlust +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Skapa plocklista apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rad {0}: Party / konto stämmer inte med {1} / {2} i {3} {4} DocType: Employee Promotion,Employee Promotion,Medarbetarreklam DocType: Maintenance Team Member,Maintenance Team Member,Underhållspersonal @@ -7845,6 +7925,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Nettolön kan inte vara negativ @@ -7876,7 +7957,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Kvalitetsmål DocType: BOM,Item to be manufactured or repacked,Produkt som skall tillverkas eller packas apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Syntaxfel i skick: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Ingen fråga tas upp av kunden. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Stora / valfria ämnen apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Ange leverantörsgrupp i köpinställningar. @@ -7969,8 +8049,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Kreditdagar apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Var god välj Patient för att få Lab Test DocType: Exotel Settings,Exotel Settings,Exotel-inställningar -DocType: Leave Type,Is Carry Forward,Är Överförd +DocType: Leave Ledger Entry,Is Carry Forward,Är Överförd DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Arbetstid under vilka frånvaro markeras. (Noll att inaktivera) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Skicka ett meddelande apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Hämta artiklar från BOM 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 diff --git a/erpnext/translations/sw.csv b/erpnext/translations/sw.csv index 6890b2721c..e4a6361e98 100644 --- a/erpnext/translations/sw.csv +++ b/erpnext/translations/sw.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Arifaza Wasambazaji apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Tafadhali chagua Aina ya Chama kwanza DocType: Item,Customer Items,Vitu vya Wateja +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Madeni DocType: Project,Costing and Billing,Gharama na Ulipaji apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Fedha ya awali ya akaunti lazima iwe sawa na sarafu ya kampuni {0} DocType: QuickBooks Migrator,Token Endpoint,Mwisho wa Tokeni @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Kitengo cha Kupima chaguo-msingi DocType: SMS Center,All Sales Partner Contact,Mawasiliano Yote ya Mshirika wa Mauzo DocType: Department,Leave Approvers,Acha vibali DocType: Employee,Bio / Cover Letter,Barua ya Bio / Jalada +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Vitu vya Kutafuta ... DocType: Patient Encounter,Investigations,Uchunguzi DocType: Restaurant Order Entry,Click Enter To Add,Bonyeza Ingia Kuongeza apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Thamani ya Hifadhi ya Nenosiri, Muhimu wa API au Duka la Duka" DocType: Employee,Rented,Ilipangwa apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Akaunti zote apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Haiwezi kuhamisha Mfanyakazi na hali ya kushoto -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Amri ya Utayarisho haiwezi kufutwa, Fungua kwanza kufuta" DocType: Vehicle Service,Mileage,Mileage apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Je! Kweli unataka kugawa kipengee hiki? DocType: Drug Prescription,Update Schedule,Sasisha Ratiba @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Wateja DocType: Purchase Receipt Item,Required By,Inahitajika DocType: Delivery Note,Return Against Delivery Note,Kurudi dhidi ya Kumbuka utoaji DocType: Asset Category,Finance Book Detail,Maelezo ya Kitabu cha Fedha +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Uchakavu wote umehifadhiwa DocType: Purchase Order,% Billed,Imelipwa apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Nambari ya malipo apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Kiwango cha Exchange lazima iwe sawa na {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Kipengee cha Muhtasari wa Kipengee Hali apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Rasimu ya Benki DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV -YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Jumla ya Marekebisho ya Marehemu DocType: Mode of Payment Account,Mode of Payment Account,Akaunti ya Akaunti ya Malipo apps/erpnext/erpnext/config/healthcare.py,Consultation,Ushauri DocType: Accounts Settings,Show Payment Schedule in Print,Onyesha Ratiba ya Malipo katika Chapisha @@ -123,6 +126,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Ka apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Maelezo ya Mawasiliano ya Msingi apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Masuala ya Fungua DocType: Production Plan Item,Production Plan Item,Kipengee cha Mpango wa Uzalishaji +DocType: Leave Ledger Entry,Leave Ledger Entry,Acha Kuingia kwa Ledger 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 @@ -141,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Kia DocType: Purchase Invoice Item,Item Weight Details,Kipengee Maelezo ya Uzito DocType: Asset Maintenance Log,Periodicity,Periodicity apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Mwaka wa Fedha {0} inahitajika +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Faida / Upotezaji wa jumla DocType: Employee Group Table,ERPNext User ID,Kitambulisho cha Mtumiaji cha ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Umbali wa chini kati ya safu ya mimea kwa ukuaji bora apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Tafadhali chagua Mgonjwa kupata utaratibu uliowekwa @@ -168,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Orodha ya Bei ya Kuuza DocType: Patient,Tobacco Current Use,Tabibu Matumizi ya Sasa apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Kiwango cha Mauzo -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Tafadhali hifadhi hati yako kabla ya kuongeza akaunti mpya 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 ... 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 @@ -233,6 +238,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Mfuk DocType: Exchange Rate Revaluation Account,Gain/Loss,Kupata / Kupoteza DocType: Crop,Perennial,Kudumu DocType: Program,Is Published,Imechapishwa +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Onyesha Vidokezo vya Uwasilishaji apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Ili kuruhusu malipo zaidi, sasisha "Idhini ya malipo ya juu ya bili" katika Mipangilio ya Akaunti au Bidhaa." DocType: Patient Appointment,Procedure,Utaratibu DocType: Accounts Settings,Use Custom Cash Flow Format,Tumia Format ya Msajili wa Fedha ya Desturi @@ -263,7 +269,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Acha maelezo ya Sera DocType: BOM,Item Image (if not slideshow),Image Image (kama si slideshow) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Njia # {0}: Operesheni {1} haijakamilika kwa {2} qty ya bidhaa kumaliza katika Agizo la Kazi {3}. Tafadhali sasisha hali ya operesheni kupitia Kadi ya kazi {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} ni ya lazima kwa ajili ya kutoa malipo ya malipo, kuweka shamba na ujaribu tena" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Kiwango cha Saa / 60) * Muda halisi wa Uendeshaji apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Row # {0}: Aina ya Kumbukumbu ya Kumbukumbu lazima iwe moja ya Madai ya Madai au Ingia ya Jarida apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Chagua BOM @@ -283,6 +288,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Rejesha Zaidi ya Kipindi cha Kipindi apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Wingi wa Kutengeneza hauwezi kuwa chini ya Zero DocType: Stock Entry,Additional Costs,Gharama za ziada +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mteja> Kikundi cha Wateja> Wilaya apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Akaunti na shughuli zilizopo haziwezi kubadilishwa kuwa kikundi. DocType: Lead,Product Enquiry,Utafutaji wa Bidhaa DocType: Education Settings,Validate Batch for Students in Student Group,Thibitisha Batch kwa Wanafunzi katika Kikundi cha Wanafunzi @@ -294,7 +300,9 @@ DocType: Employee Education,Under Graduate,Chini ya Uhitimu apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Tafadhali weka template default kwa Taarifa ya Hali ya Kuacha katika Mipangilio ya HR. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Target On DocType: BOM,Total Cost,Gharama ya jumla +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Ugawaji Umemalizika! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Upeo Kubeba majani yaliyosafishwa DocType: Salary Slip,Employee Loan,Mkopo wa Wafanyakazi DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Tuma Email Request Request @@ -304,6 +312,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Real E apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Taarifa ya Akaunti apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Madawa DocType: Purchase Invoice Item,Is Fixed Asset,"Je, ni Mali isiyohamishika" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Onyesha Malipo ya Baadaye DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT -YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Akaunti hii ya benki tayari imesawazishwa DocType: Homepage,Homepage Section,Sehemu ya ukurasa @@ -349,7 +358,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Mbolea apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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 -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Angalau mode moja ya malipo inahitajika kwa ankara za POS. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Batch hapana inahitajika kwa bidhaa iliyopigwa {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Taarifa ya Benki ya Invoice Item @@ -424,6 +432,7 @@ DocType: Job Offer,Select Terms and Conditions,Chagua Masharti na Masharti apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Thamani ya nje DocType: Bank Statement Settings Item,Bank Statement Settings Item,Mipangilio ya Taarifa ya Benki DocType: Woocommerce Settings,Woocommerce Settings,Mipangilio ya Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Jina la manunuzi DocType: Production Plan,Sales Orders,Maagizo ya Mauzo apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Mpango wa Uaminifu Mingi uliopatikana kwa Wateja. Tafadhali chagua manually. DocType: Purchase Taxes and Charges,Valuation,Vigezo @@ -458,6 +467,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Onyesha tu Mteja wa Makundi haya ya Wateja DocType: Sales Invoice,Is Opening Entry,"Je, unafungua kuingia" @@ -466,8 +476,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Eleza ikiwa akaunti isiyo ya kawaida inayotumika inatumika 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 DocType: Supplier Scorecard,Criteria Setup,Uwekaji wa Kanuni -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Kwa Ghala inahitajika kabla ya Wasilisha +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 DocType: Codification Table,Medical Code,Kanuni ya Matibabu apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Unganisha Amazon na ERPNext @@ -483,7 +494,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Akaunti za benki ziliongezwa -DocType: Delivery Stop,Contact Name,Jina la Mawasiliano +DocType: Call Log,Contact Name,Jina la Mawasiliano DocType: Plaid Settings,Synchronize all accounts every hour,Sawazisha akaunti zote kila saa DocType: Course Assessment Criteria,Course Assessment Criteria,Vigezo vya Tathmini ya Kozi DocType: Pricing Rule Detail,Rule Applied,Sheria Imetumika @@ -527,7 +538,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Nambari isiyojulikana DocType: Website Filter Field,Website Filter Field,Uwanja wa Kichujio cha Wavuti apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Aina ya Ugavi DocType: Material Request Item,Min Order Qty,Uchina wa Uchina @@ -555,7 +565,6 @@ DocType: Salary Slip,Total Principal Amount,Jumla ya Kiasi Kikubwa DocType: Student Guardian,Relation,Uhusiano DocType: Quiz Result,Correct,Sahihi DocType: Student Guardian,Mother,Mama -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Tafadhali ongeza funguo halali za Plaid katika tovuti_config.json kwanza DocType: Restaurant Reservation,Reservation End Time,Muda wa Mwisho wa Uhifadhi DocType: Crop,Biennial,Biennial ,BOM Variance Report,Ripoti ya kutofautiana ya BOM @@ -571,6 +580,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Malipo dhidi ya {0} {1} haiwezi kuwa kubwa zaidi kuliko Kiasi Kikubwa {2} @@ -618,12 +628,14 @@ DocType: POS Profile,Offline POS Settings,Mipangilio ya POS ya nje ya mtandao DocType: Stock Entry Detail,Reference Purchase Receipt,Risiti ya Ununuzi wa Marejeo DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO -YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Tofauti Ya -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Uchina uliokamilika hauwezi kuwa mkubwa kuliko 'Uchina kwa Utengenezaji' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Uchina uliokamilika hauwezi kuwa mkubwa kuliko 'Uchina kwa Utengenezaji' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Kipindi kinachozingatia DocType: Period Closing Voucher,Closing Account Head,Kufunga kichwa cha Akaunti DocType: Employee,External Work History,Historia ya Kazi ya Kazi apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Hitilafu ya Kumbukumbu ya Circular apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Kadi ya Ripoti ya Wanafunzi apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Kutoka kwa Kanuni ya Pin +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Onyesha Mtu wa Uuzaji DocType: Appointment Type,Is Inpatient,"Je, ni mgonjwa" apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Jina la Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Katika Maneno (Kuhamisha) itaonekana wakati unapohifadhi Kumbuka Utoaji. @@ -637,6 +649,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Jina la Vipimo apps/erpnext/erpnext/healthcare/setup.py,Resistant,Wanakabiliwa apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Tafadhali weka Kiwango cha Chumba cha Hoteli kwenye {} +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: Journal Entry,Multi Currency,Fedha nyingi DocType: Bank Statement Transaction Invoice Item,Invoice Type,Aina ya ankara apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Inayotumika kutoka tarehe lazima iwe chini ya tarehe halali halali @@ -656,6 +669,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Imekubaliwa DocType: Workstation,Rent Cost,Gharama ya Kodi 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Matukio ya kalenda ijayo apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Tabia za aina tofauti @@ -743,7 +757,6 @@ DocType: Request for Quotation,Request for Quotation,Ombi la Nukuu 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Onyesha Mtu wa Uuzaji kwenye Printa 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 @@ -751,7 +764,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Unda Wateja wapya apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Kuzimia apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ikiwa Sheria nyingi za bei zinaendelea kushinda, watumiaji wanaombwa kuweka Kipaumbele kwa mikono ili kutatua migogoro." -DocType: Purchase Invoice,Scan Barcode,Scan Barcode apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Unda Amri ya Ununuzi ,Purchase Register,Daftari ya Ununuzi apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Mgonjwa haipatikani @@ -810,6 +822,7 @@ DocType: Lead,Channel Partner,Mshiriki wa Channel DocType: Account,Old Parent,Mzazi wa Kale apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Sehemu ya lazima - Mwaka wa Elimu apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} haihusiani na {2} {3} +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} @@ -852,6 +865,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Kipengele cha Mshahara kwa malipo ya nyakati ya maraheet. DocType: Driver,Applicable for external driver,Inahitajika kwa dereva wa nje DocType: Sales Order Item,Used for Production Plan,Kutumika kwa Mpango wa Uzalishaji +DocType: BOM,Total Cost (Company Currency),Gharama ya Jumla (Fedha ya Kampuni) DocType: Loan,Total Payment,Malipo ya Jumla apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Haiwezi kufuta manunuzi ya Amri ya Kazi Iliyokamilishwa. DocType: Manufacturing Settings,Time Between Operations (in mins),Muda Kati ya Uendeshaji (kwa muda mfupi) @@ -873,6 +887,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Arifa nyingine DocType: Vital Signs,Blood Pressure (systolic),Shinikizo la damu (systolic) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} ni {2} DocType: Item Price,Valid Upto,Halafu Upto +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. @@ -890,6 +905,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Mabadiliko katika {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Tafadhali chagua Kampuni DocType: Employee Skill,Employee Skill,Ujuzi wa Mfanyikazi apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Akaunti ya Tofauti @@ -974,6 +990,7 @@ DocType: Purchase Invoice,Registered Composition,Muundo uliosajiliwa apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Sawa apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Hoja Item DocType: Employee Incentive,Incentive Amount,Kiasi cha Mshawishi +,Employee Leave Balance Summary,Muhtasari wa Akiba ya Mfanyikazi DocType: Serial No,Warranty Period (Days),Kipindi cha udhamini (Siku) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Kiwango cha Mikopo / Kiwango cha Debit kinapaswa kuwa sawa na Kuingizwa kwa Journal DocType: Installation Note Item,Installation Note Item,Kitu cha Kumbuka cha Ufungaji @@ -987,6 +1004,7 @@ DocType: Vital Signs,Bloated,Imezuiwa DocType: Salary Slip,Salary Slip Timesheet,Timesheet ya Mshahara Mshahara apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Ghala la Wafanyabiashara lazima kwa Receipt ya Ununuzi wa chini ya mkataba DocType: Item Price,Valid From,Halali Kutoka +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Ukadiriaji wako: DocType: Sales Invoice,Total Commission,Jumla ya Tume DocType: Tax Withholding Account,Tax Withholding Account,Akaunti ya Kuzuia Ushuru DocType: Pricing Rule,Sales Partner,Mshirika wa Mauzo @@ -994,6 +1012,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Mapendekezo yote 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 +DocType: Item,Website Image,Picha ya Wavuti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Ghala muhimu katika mstari {0} lazima iwe sawa na Kazi ya Kazi apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Kiwango cha Vigeo ni lazima ikiwa Stock Inapoingia apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Hakuna kumbukumbu zilizopatikana kwenye meza ya ankara @@ -1028,8 +1047,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},I 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Tafadhali kamilisha usanidi wako wa API ya Plaid kabla ya kusawazisha akaunti yako 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 DocType: Job Applicant,Resume Attachment,Pitia kiambatisho @@ -1041,7 +1060,6 @@ DocType: Production Plan,Production Plan,Mpango wa Uzalishaji DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Kufungua Chombo cha Uumbaji wa Invoice DocType: Salary Component,Round to the Nearest Integer,Kuzunguka kwa Inayo Karibu apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Kurudi kwa Mauzo -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Kumbuka: Majani yote yaliyotengwa {0} hayapaswi kuwa chini ya majani yaliyoidhinishwa tayari {1} kwa muda DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Weka Uchina katika Shughuli kulingana na Serial No Input ,Total Stock Summary,Jumla ya muhtasari wa hisa apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1069,6 +1087,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Gha apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Kiasi kikubwa DocType: Loan Application,Total Payable Interest,Jumla ya Maslahi ya kulipa apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Jumla ya Kipaumbele: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Fungua Mawasiliano DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Timesheet ya Mauzo ya Mauzo 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} @@ -1078,6 +1097,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Mfululizo wa Majina ya Kut 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 DocType: Restaurant Reservation,Restaurant Reservation,Uhifadhi wa Mkahawa +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Vitu vyako apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Kuandika Proposal DocType: Payment Entry Deduction,Payment Entry Deduction,Utoaji wa Kuingia kwa Malipo DocType: Service Level Priority,Service Level Priority,Kipaumbele cha Kiwango cha Huduma @@ -1086,6 +1106,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Orodha ya Batch Number apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Mtu mwingine wa Mauzo {0} yupo na id idumu ya mfanyakazi DocType: Employee Advance,Claimed Amount,Kiasi kilichodaiwa +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Kugawanya Mgao 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 @@ -1154,7 +1175,6 @@ DocType: Student Batch Name,Batch Name,Jina la Kundi DocType: Fee Validity,Max number of visit,Idadi kubwa ya ziara DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Lazima kwa Faida na Upotezaji Akaunti ,Hotel Room Occupancy,Kazi ya chumba cha Hoteli -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet iliunda: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Tafadhali weka Akaunti ya Fedha au Benki ya Mkopo katika Mfumo wa Malipo {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Ingia DocType: GST Settings,GST Settings,Mipangilio ya GST @@ -1285,6 +1305,7 @@ DocType: Sales Invoice,Commission Rate (%),Kiwango cha Tume (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,Tafadhali chagua Programu DocType: Project,Estimated Cost,Gharama zilizohesabiwa DocType: Request for Quotation,Link to material requests,Unganisha maombi ya vifaa +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Kuchapisha apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Mazingira ,Fichier des Ecritures Comptables [FEC],Faili la Maandiko ya Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Kuingia Kadi ya Mikopo @@ -1311,6 +1332,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Malipo ya sasa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} si kitu cha hisa apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Tafadhali shiriki maoni yako kwenye mafunzo kwa kubonyeza 'Mafunzo ya Maoni' na kisha 'Mpya' +DocType: Call Log,Caller Information,Habari ya mpiga simu DocType: Mode of Payment Account,Default Account,Akaunti ya Akaunti apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Tafadhali chagua Ghala la Wafanyakazi Kuhifadhiwa katika Mipangilio ya Hifadhi kwanza apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Tafadhali chagua aina ya Programu ya Mipango ya Multiple kwa sheria zaidi ya moja ya ukusanyaji. @@ -1335,6 +1357,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Maombi ya Nyenzo za Auto yanayotokana DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Kufanya kazi masaa chini ambayo Half Day imewekwa alama. (Zero ya kuzima) DocType: Job Card,Total Completed Qty,Jumla ya Qty iliyokamilishwa +DocType: HR Settings,Auto Leave Encashment,Auto Acha Shtaka apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Potea apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Huwezi kuingia hati ya sasa katika safu ya 'Against Journal Entry' DocType: Employee Benefit Application Detail,Max Benefit Amount,Kiwango cha Faida Max @@ -1364,9 +1387,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Msajili DocType: Item Attribute Value,Item Attribute Value,Thamani ya Thamani ya Bidhaa apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Kubadilisha Fedha lazima iwezekanavyo kwa Ununuzi au kwa Ununuzi. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Ugawaji uliomalizika tu ndio unaweza kufutwa DocType: Item,Maximum sample quantity that can be retained,Upeo wa kiwango cha sampuli ambacho kinaweza kuhifadhiwa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Row {0} # Item {1} haiwezi kuhamishiwa zaidi ya {2} dhidi ya Ununuzi wa Order {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Kampeni za mauzo. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Mpiga simu asiyejulikana DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1398,6 +1423,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Muda wa Rat apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Jina la Hati DocType: Expense Claim Detail,Expense Claim Type,Aina ya kudai ya gharama DocType: Shopping Cart Settings,Default settings for Shopping Cart,Mipangilio ya mipangilio ya Kifaa cha Ununuzi +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Hifadhi kipengee apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Gharama Mpya apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Puuza agizo lililopo la Qty apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Ongeza Timeslots @@ -1410,6 +1436,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Kagua Mwaliko uliotumwa DocType: Shift Assignment,Shift Assignment,Kazi ya Shift DocType: Employee Transfer Property,Employee Transfer Property,Mali ya Uhamisho wa Wafanyakazi +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Akaunti ya Usawa / Dhima ya uwanja haiwezi kuwa wazi apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Kutoka Wakati Unapaswa Kuwa Chini Zaidi ya Muda apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Bioteknolojia apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1491,11 +1518,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Kutoka Nc 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Ratiba ya Kozi DocType: GSTR 3B Report,GSTR 3B Report,Ripoti ya GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Hali ya Quote DocType: GoCardless Settings,Webhooks Secret,Mtandao wa siri DocType: Maintenance Visit,Completion Status,Hali ya kukamilisha +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Jumla ya malipo ya jumla hayawezi kuwa kubwa kuliko {} DocType: Daily Work Summary Group,Select Users,Chagua Watumiaji 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 @@ -1533,6 +1562,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Kiwango DocType: Lab Test Template,Result Format,Fomu ya matokeo DocType: Expense Claim,Expenses,Gharama DocType: Service Level,Support Hours,Saa za Msaada +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Vidokezo vya utoaji DocType: Item Variant Attribute,Item Variant Attribute,Kipengee cha Tofauti cha Tofauti ,Purchase Receipt Trends,Ununuzi Mwelekeo wa Receipt DocType: Payroll Entry,Bimonthly,Bimonthly @@ -1555,7 +1585,6 @@ DocType: Sales Team,Incentives,Vidokezo DocType: SMS Log,Requested Numbers,Hesabu zilizoombwa DocType: Volunteer,Evening,Jioni DocType: Quiz,Quiz Configuration,Usanidi wa Quiz -DocType: Customer,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 @@ -1602,7 +1631,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Kiwango ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Haiwezi kupata Muda wa Slot katika siku zifuatazo {0} kwa Uendeshaji {1} DocType: Work Order,Plan material for sub-assemblies,Panga nyenzo kwa makusanyiko ndogo 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 @@ -1617,9 +1645,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Lazima uwezeshe kuagiza upya kiotomatiki katika Mipangilio ya Hisa ili kudumisha viwango vya kuagiza upya. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Futa Ziara Nyenzo {0} kabla ya kufuta Kutembelea Utunzaji huu DocType: Pricing Rule,Rate or Discount,Kiwango au Punguzo +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Taarifa za benki DocType: Vital Signs,One Sided,Mmoja mmoja apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Serial Hakuna {0} si ya Bidhaa {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Uliohitajika Uchina +DocType: Purchase Order Item Supplied,Required Qty,Uliohitajika Uchina DocType: Marketplace Settings,Custom Data,Takwimu za Desturi apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Maghala na shughuli zilizopo haziwezi kubadilishwa kwenye kiwanja. DocType: Service Day,Service Day,Siku ya Huduma @@ -1647,7 +1676,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Fedha za Akaunti DocType: Lab Test,Sample ID,Kitambulisho cha Mfano apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Tafadhali tuma Akaunti ya Pande zote katika Kampuni -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Rangi DocType: Supplier,Default Payable Accounts,Akaunti ya malipo yenye malipo apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Mfanyakazi {0} haifanyi kazi au haipo @@ -1688,8 +1716,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Ombi la Taarifa DocType: Course Activity,Activity Date,Tarehe ya shughuli apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} ya {} -,LeaderBoard,Kiongozi wa Viongozi DocType: Sales Invoice Item,Rate With Margin (Company Currency),Kiwango na Margin (Kampuni ya Fedha) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Jamii apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Sawazisha ankara zisizo kwenye mtandao DocType: Payment Request,Paid,Ilipwa DocType: Service Level,Default Priority,Kipaumbele Cha msingi @@ -1724,11 +1752,11 @@ DocType: Agriculture Task,Agriculture Task,Kazi ya Kilimo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Mapato ya moja kwa moja DocType: Student Attendance Tool,Student Attendance Tool,Chombo cha Kuhudhuria Wanafunzi DocType: Restaurant Menu,Price List (Auto created),Orodha ya Bei (Iliundwa kwa Auto) +DocType: Pick List Item,Picked Qty,Aliyemaliza Qty DocType: Cheque Print Template,Date Settings,Mpangilio wa Tarehe 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 -,Company Name,jina la kampuni 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. @@ -1747,7 +1775,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Jaribio la hivi karibuni 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} -DocType: BOM,Raw Material Cost(Company Currency),Gharama za Nyenzo za Raw (Fedha la Kampuni) 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 @@ -1814,6 +1841,7 @@ DocType: Travel Itinerary,Train,Treni ,Delayed Item Report,Imechelewa Ripoti ya jambo apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Inastahili ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Uzoefu wa wagonjwa +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Chapisha Vitu Vya Kwanza DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Wakati baada ya kumalizika kwa mabadiliko ambayo wakati wa kuondoka unazingatiwa kwa mahudhurio. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Tafadhali taja {0} @@ -1929,6 +1957,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,BOM zote apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Unda Kiingilio cha Kijarida cha Kampuni DocType: Company,Parent Company,Kampuni mama apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Vyumba vya aina ya aina {0} hazipatikani kwa {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Linganisha BOMs za mabadiliko katika Malighafi na Uendeshaji apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Hati {0} haijafanikiwa DocType: Healthcare Practitioner,Default Currency,Fedha ya Default apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Patanisha akaunti hii @@ -1963,6 +1992,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,Maelezo ya Nambari ya Invoice ya Fomu DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Malipo ya Upatanisho wa Malipo DocType: Clinical Procedure,Procedure Template,Kigezo cha Utaratibu +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Chapisha Vitu apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Mchango% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kwa mujibu wa Mipangilio ya Ununuzi ikiwa Utaratibu wa Ununuzi Unahitajika == 'Ndiyo', kisha kwa Kuunda Invoice ya Ununuzi, mtumiaji anahitaji kuunda Utaratibu wa Ununuzi kwanza kwa kipengee {0}" ,HSN-wise-summary of outward supplies,Sura ya HSN-hekima ya vifaa vya nje @@ -1975,7 +2005,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Tafadhali weka 'Weka Kutoa Kinga ya ziada' DocType: Party Tax Withholding Config,Applicable Percent,Asilimia inayofaa ,Ordered Items To Be Billed,Vipengele vya Amri vinavyopigwa -DocType: Employee Checkin,Exit Grace Period Consequence,Toka kwa Matokeo ya kipindi cha Neema apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Kutoka kwa Range lazima iwe chini ya Kupanga DocType: Global Defaults,Global Defaults,Ufafanuzi wa Global apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Mwaliko wa Ushirikiano wa Mradi @@ -1983,13 +2012,11 @@ DocType: Salary Slip,Deductions,Kupunguza DocType: Setup Progress Action,Action Name,Jina la Hatua apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Mwaka wa Mwanzo apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Unda Mkopo -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Tarehe ya mwanzo wa kipindi cha ankara ya sasa DocType: Shift Type,Process Attendance After,Mchakato wa Kuhudhuria Baada ya ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Acha bila Bila Kulipa DocType: Payment Request,Outward,Nje -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Hitilafu ya Kupanga Uwezo apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Ushuru wa Jimbo / UT ,Trial Balance for Party,Mizani ya majaribio kwa Chama ,Gross and Net Profit Report,Pato la jumla na faida ya Net @@ -2008,7 +2035,6 @@ DocType: Payroll Entry,Employee Details,Maelezo ya Waajiri 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} -DocType: Setup Progress Action,Domains,Domains 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} @@ -2051,7 +2077,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Jumla ya M 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.","Njia ya Malipo haijasanidiwa. Tafadhali angalia, kama akaunti imewekwa kwenye Mfumo wa Malipo au kwenye POS Profile." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Kitu kimoja hawezi kuingizwa mara nyingi. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Akaunti zaidi zinaweza kufanywa chini ya Vikundi, lakini viingilio vinaweza kufanywa dhidi ya wasio Vikundi" -DocType: Email Campaign,Lead,Cheza +DocType: Call Log,Lead,Cheza DocType: Email Digest,Payables,Malipo DocType: Amazon MWS Settings,MWS Auth Token,Kitambulisho cha MWS Auth DocType: Email Campaign,Email Campaign For ,Kampeni ya barua pepe kwa @@ -2063,6 +2089,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Vitu vya Utaratibu wa Ununuzi Ili Kulipwa 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 DocType: Purchase Invoice Item,Net Rate,Kiwango cha Nambari apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Tafadhali chagua mteja DocType: Leave Policy,Leave Allocations,Acha Ugawaji @@ -2076,6 +2103,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Funga Suala Baada ya Siku ,Eway Bill,Bunge Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Unahitaji kuwa mtumiaji na Meneja wa Mfumo na majukumu ya Meneja wa Bidhaa ili kuongeza watumiaji kwenye Marketplace. +DocType: Attendance,Early Exit,Toka mapema DocType: Job Opening,Staffing Plan,Mpango wa Utumishi apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,E-Way Bill JSON inaweza tu kutolewa kutoka hati iliyowasilishwa apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Kodi ya Wafanyakazi na Faida @@ -2096,6 +2124,7 @@ DocType: Maintenance Team Member,Maintenance Role,Dhamana ya Matengenezo apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Mstari wa Duplicate {0} na sawa {1} DocType: Marketplace Settings,Disable Marketplace,Lemaza mahali pa Marketplace DocType: Quality Meeting,Minutes,Dakika +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Vitu vyako vilivyotambuliwa ,Trial Balance,Mizani ya majaribio apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Onyesha imekamilishwa apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Mwaka wa Fedha {0} haukupatikana @@ -2105,8 +2134,8 @@ 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 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- -DocType: Shift Type,Consequence,Matokeo DocType: Subscription Settings,Subscription Settings,Mipangilio ya usajili DocType: Purchase Invoice,Update Auto Repeat Reference,Sasisha Nambari ya Repeat ya Rejea apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Orodha ya Likizo ya Hiari haipatikani wakati wa kuondoka {0} @@ -2117,7 +2146,6 @@ DocType: Maintenance Visit Purpose,Work Done,Kazi Imefanyika apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Tafadhali taja angalau sifa moja katika meza ya Tabia DocType: Announcement,All Students,Wanafunzi wote apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Kipengee {0} lazima iwe kipengee cha hisa -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Maelezo ya Benki apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Tazama kizuizi DocType: Grading Scale,Intervals,Mapumziko DocType: Bank Statement Transaction Entry,Reconciled Transactions,Shughuli zilizounganishwa @@ -2153,6 +2181,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Kitu cha Fursa DocType: Quality Action,Quality Review,Mapitio ya Ubora @@ -2179,7 +2208,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Pata ankara bora -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Uagizaji wa Mauzo {0} halali +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Amri za ununuzi husaidia kupanga na kufuatilia ununuzi wako apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Maagizo ya Majaribio ya Lab @@ -2204,6 +2233,7 @@ DocType: Employee Onboarding,Notify users by email,Waarifu watumiaji kwa barua p DocType: Travel Request,International,Kimataifa DocType: Training Event,Training Event,Tukio la Mafunzo DocType: Item,Auto re-order,Rejesha upya +DocType: Attendance,Late Entry,Kuingia kwa Marehemu apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Jumla imefikia DocType: Employee,Place of Issue,Pahali pa kupewa DocType: Promotional Scheme,Promotional Scheme Price Discount,Punguzo la Bei ya Uendelezaji @@ -2250,6 +2280,7 @@ DocType: Serial No,Serial No Details,Serial Hakuna Maelezo DocType: Purchase Invoice Item,Item Tax Rate,Kiwango cha Kodi ya Kodi apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Kutoka Jina la Chama apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Kiasi cha Mshahara wa Net +DocType: Pick List,Delivery against Sales Order,Uwasilishaji dhidi ya Agizo la Uuzaji DocType: Student Group Student,Group Roll Number,Nambari ya Roll ya Kikundi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Kwa {0}, akaunti za mikopo tu zinaweza kuunganishwa dhidi ya kuingia mwingine kwa debit" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Kumbuka Utoaji {0} haujawasilishwa @@ -2321,7 +2352,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Thamani hii hutumiwa kwa hesabu ya pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Unahitaji kuwezesha Kifaa cha Ununuzi DocType: Payment Entry,Writeoff,Andika DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS -YYYY.- @@ -2335,6 +2365,7 @@ DocType: Delivery Trip,Total Estimated Distance,Jumla ya Umbali uliohesabiwa DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Akaunti zinazopatikana Akaunti isiyolipwa DocType: Tally Migration,Tally Company,Kampuni ya Tally apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM Browser +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Hairuhusiwi kuunda upeo wa uhasibu kwa {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Tafadhali sasisha hali yako ya tukio hili la mafunzo DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Ongeza au Deduct @@ -2344,7 +2375,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Vitu vya Uuzaji visivyotumika DocType: Quality Review,Additional Information,Taarifa za ziada apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Thamani ya Udhibiti wa Jumla -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Mpangilio wa Mkataba wa Kiwango cha Huduma. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Chakula apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Kipindi cha kuzeeka 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Maelezo ya Voucher ya Kufungwa @@ -2389,6 +2419,7 @@ 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 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' DocType: Healthcare Practitioner,Contacts and Address,Mawasiliano na Anwani DocType: Shift Type,Determine Check-in and Check-out,Amua Kuingia na Kuangalia @@ -2408,7 +2439,6 @@ DocType: Student Admission,Eligibility and Details,Uhalali na Maelezo apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Pamoja na Faida ya Jumla apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Mabadiliko ya Net katika Mali isiyohamishika apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Kiasi -DocType: Company,Client Code,Nambari ya mteja apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Malipo ya aina ya 'Kweli' katika mstari {0} haiwezi kuingizwa katika Kiwango cha Bidhaa apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Kutoka wakati wa Tarehe @@ -2476,6 +2506,7 @@ 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. 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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Wateja anatakiwa dhidi ya akaunti ya kupokea {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Jumla ya Kodi na Malipo (Kampuni ya Fedha) DocType: Weather,Weather Parameter,Parameter ya hali ya hewa @@ -2538,6 +2569,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Kufanya kazi masaa ya kiz apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Kunaweza kuwepo kwa sababu nyingi za kukusanya kulingana na jumla ya matumizi. Lakini sababu ya uongofu ya ukombozi daima itakuwa sawa kwa tier yote. apps/erpnext/erpnext/config/help.py,Item Variants,Tofauti ya Tofauti apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Huduma +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Mshahara wa Salari ya barua pepe kwa Mfanyakazi DocType: Cost Center,Parent Cost Center,Kituo cha Gharama ya Mzazi @@ -2548,7 +2580,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","C DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Weka Vidokezo vya Utoaji kutoka Shopify kwenye Uhamisho apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Onyesha imefungwa DocType: Issue Priority,Issue Priority,Kipaumbele cha Hoja -DocType: Leave Type,Is Leave Without Pay,Anatoka bila Kulipa +DocType: Leave Ledger Entry,Is Leave Without Pay,Anatoka bila Kulipa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Jamii ya Mali ni ya lazima kwa kipengee cha Mali isiyohamishika DocType: Fee Validity,Fee Validity,Uhalali wa ada @@ -2597,6 +2629,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Inapatikana Chini y apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Sasisha Format ya Kuchapa DocType: Bank Account,Is Company Account,Ni Akaunti ya Kampuni apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Toka Aina {0} haipatikani +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Kikomo cha mkopo tayari kimefafanuliwa kwa Kampuni {0} DocType: Landed Cost Voucher,Landed Cost Help,Msaada wa Gharama za Utoaji DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG -YYYY.- DocType: Purchase Invoice,Select Shipping Address,Chagua Anwani ya Meli @@ -2621,6 +2654,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Njia mbili DocType: Item,Manufacturers,Watengenezaji @@ -2657,7 +2691,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Taarifa ya Upatanisho wa Benki DocType: Patient Encounter,Medical Coding,Coding ya matibabu DocType: Healthcare Settings,Reminder Message,Ujumbe wa Ukumbusho -,Lead Name,Jina la Kiongozi +DocType: Call Log,Lead Name,Jina la Kiongozi ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Matarajio @@ -2689,12 +2723,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Ghala la Wafanyabiashara DocType: Opportunity,Contact Mobile No,Wasiliana No Simu ya Simu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Chagua Kampuni ,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: 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- 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.,Mtumiaji {0} hana Profaili ya POS ya default. Angalia Default kwa Row {1} kwa Mtumiaji huyu. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Dakika za Mkutano wa Ubora +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Mtoaji> Aina ya wasambazaji apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Kuhamishwa kwa Waajiriwa DocType: Student Group,Set 0 for no limit,Weka 0 bila kikomo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Siku (s) ambayo unaomba kwa ajili ya kuondoka ni likizo. Hauhitaji kuomba kuondoka. @@ -2728,12 +2764,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Mabadiliko ya Net katika Fedha DocType: Assessment Plan,Grading Scale,Kuweka Scale apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Kipimo cha Upimaji {0} kiliingizwa zaidi ya mara moja kwenye Jedwali la Kubadilisha Ubadilishaji -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Tayari imekamilika apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Stock In Hand apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Tafadhali ongeza faida zilizobaki {0} kwenye programu kama sehemu ya mtumiaji apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Tafadhali weka Nambari ya Fedha kwa utawala wa umma '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Ombi la Malipo tayari lipo {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Gharama ya Vitu Vipitishwa DocType: Healthcare Practitioner,Hospital,Hospitali apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Wingi haipaswi kuwa zaidi ya {0} @@ -2778,6 +2812,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Rasilimali apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Mapato ya Juu DocType: Item Manufacturer,Item Manufacturer,Bidhaa mtengenezaji +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Unda Kiongozi Mpya DocType: BOM Operation,Batch Size,Ukubwa wa Kundi apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Kataa DocType: Journal Entry Account,Debit in Company Currency,Debit katika Fedha ya Kampuni @@ -2798,9 +2833,11 @@ DocType: Bank Transaction,Reconciled,Kupatanishwa DocType: Expense Claim,Total Amount Reimbursed,Jumla ya Kizuizi apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Hii inategemea magogo dhidi ya Gari hii. Tazama kalenda ya chini kwa maelezo zaidi apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Tarehe ya mishahara haiwezi kuwa chini ya tarehe ya kujiunga na mfanyakazi +DocType: Pick List,Item Locations,Sehemu ya Sehemu apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} imeundwa apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Ufunguzi wa Kazi kwa ajili ya uteuzi {0} tayari kufungua \ au kukodisha kukamilika kama kwa Mpangilio wa Utumishi {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Unaweza kuchapisha vitu hadi 200. DocType: Vital Signs,Constipated,Imetumiwa apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Dhidi ya Invoice ya Wasambazaji {0} dated {1} DocType: Customer,Default Price List,Orodha ya Bei ya Hitilafu @@ -2892,6 +2929,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Mwanzo wa Shift DocType: Tally Migration,Is Day Book Data Imported,Je! Data ya Kitabu cha Siku imehitajika apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Malipo ya Masoko +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,Sehemu za {0} za {1} hazipatikani. ,Item Shortage Report,Ripoti ya uhaba wa habari 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 @@ -2914,6 +2952,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 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 DocType: Material Request,Transferred,Imehamishwa DocType: Vehicle,Doors,Milango @@ -2993,7 +3032,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Msimbo wa Bidhaa ya Wateja DocType: Stock Reconciliation,Stock Reconciliation,Upatanisho wa hisa DocType: Territory,Territory Name,Jina la Wilaya DocType: Email Digest,Purchase Orders to Receive,Amri ya Ununuzi Ili Kupokea -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Ghala ya Maendeleo ya Kazi inahitajika kabla ya Wasilisha +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Ghala ya Maendeleo ya Kazi inahitajika kabla ya Wasilisha apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Unaweza tu kuwa na Mipango yenye mzunguko wa bili sawa katika Usajili DocType: Bank Statement Transaction Settings Item,Mapped Data,Takwimu zilizopangwa DocType: Purchase Order Item,Warehouse and Reference,Ghala na Kumbukumbu @@ -3067,6 +3106,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Mipangilio ya utoaji apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Pata data apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Upeo wa kuondoka kuruhusiwa katika aina ya kuondoka {0} ni {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Chapisha Bidhaa 1 DocType: SMS Center,Create Receiver List,Unda Orodha ya Kupokea DocType: Student Applicant,LMS Only,LMS Tu apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Tarehe inapatikana-kwa-tarehe inapaswa kuwa baada ya tarehe ya ununuzi @@ -3100,6 +3140,7 @@ 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 DocType: Vital Signs,Furry,Furry apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Tafadhali weka 'Akaunti ya Kupoteza / Kupoteza kwa Upunguzaji wa Mali' katika Kampuni {0} +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} @@ -3111,6 +3152,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Angalia maswala yote kutoka {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA -YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Jedwali la Mkutano wa Ubora +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/templates/pages/help.html,Visit the forums,Tembelea vikao DocType: Student,Student Mobile Number,Namba ya Simu ya Wanafunzi DocType: Item,Has Variants,Ina tofauti @@ -3121,9 +3163,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Jina la Usambazaji wa Kila mwezi DocType: Quality Procedure Process,Quality Procedure Process,Utaratibu wa Utaratibu wa Ubora apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Kitambulisho cha Batch ni lazima +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Tafadhali chagua Mteja kwanza DocType: Sales Person,Parent Sales Person,Mtu wa Mauzo ya Mzazi apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Hakuna vitu vilivyopokelewa vimepungua apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Muuzaji na mnunuzi hawezi kuwa sawa +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Hakuna maoni bado DocType: Project,Collect Progress,Kusanya Maendeleo DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN -YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Chagua programu kwanza @@ -3145,11 +3189,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Imetimizwa DocType: Student Admission,Application Form Route,Njia ya Fomu ya Maombi apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Tarehe ya Mwisho ya Mkataba haiwezi kuwa chini ya leo. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Ingiza kupeana DocType: Healthcare Settings,Patient Encounters in valid days,Mkutano wa Wagonjwa katika siku halali apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Toka Aina {0} haiwezi kutengwa tangu inatoka bila kulipa 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},Row {0}: Kiasi kilichowekwa {1} lazima kiwe chini au kilicho sawa na ankara ya kiasi kikubwa {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Katika Maneno itaonekana wakati unapohifadhi ankara ya Mauzo. DocType: Lead,Follow Up,Fuatilia +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Kituo cha Gharama: {0} haipo DocType: Item,Is Sales Item,Ni Bidhaa ya Mauzo apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Mti wa Kikundi cha Bidhaa apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Kipengee {0} si kuanzisha kwa Serial Nos. Angalia kipengee cha kitu @@ -3193,9 +3239,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Ugavi wa Uchina DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR -YYYY.- DocType: Purchase Order Item,Material Request Item,Nakala ya Kuomba Nyenzo -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Tafadhali ghairi Receipt ya Ununuzi {0} kwanza apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Mti wa Vikundi vya Bidhaa. DocType: Production Plan,Total Produced Qty,Uchina uliozalishwa +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Hakuna ukaguzi bado apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Haiwezi kutaja nambari ya mstari zaidi kuliko au sawa na nambari ya mstari wa sasa kwa aina hii ya malipo DocType: Asset,Sold,Inauzwa ,Item-wise Purchase History,Historia ya Ununuzi wa hekima @@ -3214,7 +3260,7 @@ DocType: Designation,Required Skills,Ujuzi Unaohitajika DocType: Inpatient Record,O Positive,O Chanya apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Uwekezaji DocType: Issue,Resolution Details,Maelezo ya Azimio -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Aina ya Ushirikiano +DocType: Leave Ledger Entry,Transaction Type,Aina ya Ushirikiano DocType: Item Quality Inspection Parameter,Acceptance Criteria,Vigezo vya Kukubali apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Tafadhali ingiza Maombi ya Nyenzo katika meza iliyo hapo juu apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Hakuna malipo ya kutosha kwa Kuingia kwa Journal @@ -3255,6 +3301,7 @@ DocType: Bank Account,Bank Account No,Akaunti ya Akaunti ya Benki DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Ushuru wa Waajiri wa Ushuru wa Ushahidi DocType: Patient,Surgical History,Historia ya upasuaji DocType: Bank Statement Settings Item,Mapped Header,Kichwa cha Mapped +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: 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. 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} @@ -3321,7 +3368,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Ongeza kichwa cha barua DocType: Program Enrollment,Self-Driving Vehicle,Gari ya kujitegemea 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Majani yaliyotengwa {0} hayawezi kuwa chini ya majani yaliyoidhinishwa tayari {1} kwa muda DocType: Contract Fulfilment Checklist,Requirement,Mahitaji DocType: Journal Entry,Accounts Receivable,Akaunti inapatikana DocType: Quality Goal,Objectives,Malengo @@ -3344,7 +3390,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Kitengo cha Msaada wa DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Thamani hii inasasishwa katika Orodha ya Bei ya Mauzo ya Default. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Gari lako ni Tupu DocType: Email Digest,New Expenses,Gharama mpya -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Kiwango cha PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Haiwezi Kuboresha Njia kama Anwani ya Dereva inakosekana. DocType: Shareholder,Shareholder,Mbia DocType: Purchase Invoice,Additional Discount Amount,Kipengee cha ziada cha Kiasi @@ -3381,6 +3426,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Kazi ya Matengenezo apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Tafadhali weka Mpaka wa B2C katika Mipangilio ya GST. DocType: Marketplace Settings,Marketplace Settings,Mipangilio ya Marketplace DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Ghala ambapo unashikilia vitu vya kukataliwa +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Chapisha Vipengee {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,Haiwezi kupata kiwango cha ubadilishaji kwa {0} kwa {1} kwa tarehe muhimu {2}. Tafadhali tengeneza rekodi ya Fedha ya Fedha kwa mkono DocType: POS Profile,Price List,Orodha ya bei 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. @@ -3417,6 +3463,7 @@ DocType: Salary Component,Deduction,Utoaji DocType: Item,Retain Sample,Weka Mfano apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Row {0}: Kutoka wakati na muda ni lazima. DocType: Stock Reconciliation Item,Amount Difference,Tofauti tofauti +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Ukurasa huu unaangalia vitu unachotaka kununua kutoka kwa wauzaji. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Item Bei imeongezwa kwa {0} katika Orodha ya Bei {1} DocType: Delivery Stop,Order Information,Maelezo ya Uagizaji apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Tafadhali ingiza Id Idhini ya mtu huyu wa mauzo @@ -3445,6 +3492,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Jina la Mpango wa Tathmini apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Maelezo ya Lengo apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Inatumika ikiwa kampuni ni SpA, SApA au SRL" @@ -3497,7 +3545,6 @@ DocType: Company,Transactions Annual History,Historia ya Historia ya Shughuli 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Above 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 @@ -3549,6 +3596,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Faida kwa mwaka 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 @@ -3602,12 +3650,10 @@ DocType: Supplier Scorecard,Scoring Setup,Kuweka Kuweka apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Electoniki 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Hakuna GST No iliyopatikana kwa Kampuni. 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 DocType: Question,Single Correct Answer,Jibu Moja Sahihi -DocType: Employee,Contact Details,Maelezo ya Mawasiliano DocType: C-Form,Received Date,Tarehe iliyopokea DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Ikiwa umeunda template ya kiwango katika Kigezo cha Mauzo na Chaguzi, chagua moja na bofya kwenye kitufe kilicho chini." DocType: BOM Scrap Item,Basic Amount (Company Currency),Kiasi cha Msingi (Fedha la Kampuni) @@ -3637,12 +3683,13 @@ DocType: BOM Website Operation,BOM Website Operation,Huduma ya tovuti ya BOM DocType: Bank Statement Transaction Payment Item,outstanding_amount,bora_amount DocType: Supplier Scorecard,Supplier Score,Score ya Wasambazaji apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Ratiba ya Kuingia +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Kiasi cha Ombi la Malipo yote haliwezi kuwa kubwa kuliko kiwango cha {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Msaada wa Mipango ya Kuongezeka DocType: Promotional Scheme Price Discount,Discount Type,Aina ya Punguzo -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Jumla ya Amt Invoiced DocType: Purchase Invoice Item,Is Free Item,Ni Bure Bidhaa +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,Asilimia unaruhusiwa kuhamisha zaidi dhidi ya idadi iliyoamriwa. Kwa mfano: Ikiwa umeamuru vitengo 100. na Idhini yako ni 10% basi unaruhusiwa kuhamisha vitengo 110. DocType: Supplier,Warn RFQs,Thibitisha RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,Futa +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Futa DocType: BOM,Conversion Rate,Kiwango cha Kubadilisha apps/erpnext/erpnext/www/all-products/index.html,Product Search,Utafutaji wa Bidhaa ,Bank Remittance,Marekebisho ya Benki @@ -3654,6 +3701,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Jumla ya Malipo DocType: Asset,Insurance End Date,Tarehe ya Mwisho wa Bima apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Tafadhali chagua Uingizaji wa Mwanafunzi ambao ni lazima kwa mwombaji aliyepwa msamaha +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY-- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Orodha ya Bajeti DocType: Campaign,Campaign Schedules,Ratiba za Kampeni DocType: Job Card Time Log,Completed Qty,Uliokamilika Uchina @@ -3676,6 +3724,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Anwani mp DocType: Quality Inspection,Sample Size,Ukubwa wa Mfano apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Tafadhali ingiza Hati ya Receipt apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Vitu vyote tayari vinatumiwa +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Majani Imechukuliwa apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Tafadhali onyesha halali 'Kutoka Halali Nambari' 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,Vituo vya gharama zaidi vinaweza kufanywa chini ya Vikundi lakini viingilio vinaweza kufanywa dhidi ya wasio Vikundi 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,Majani yote yaliyotengwa ni siku zaidi kuliko ugawaji wa kiwango cha {0} aina ya kuondoka kwa mfanyakazi {1} katika kipindi @@ -3775,6 +3824,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Jumuisha Ku 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 DocType: Leave Block List,Allow Users,Ruhusu Watumiaji 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: 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. @@ -3828,6 +3879,7 @@ DocType: Support Search Source,Result Title Field,Kichwa cha Kichwa cha Kichwa apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Muhtasari wa simu DocType: Sample Collection,Collected Time,Wakati uliokusanywa DocType: Employee Skill Map,Employee Skills,Ujuzi wa Mfanyikazi +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Gharama ya Mafuta DocType: Company,Sales Monthly History,Historia ya Mwezi ya Mauzo apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Tafadhali weka angalau safu moja katika Jedwali la Ushuru na ada DocType: Asset Maintenance Task,Next Due Date,Tarehe ya Kuondolewa Inayofuata @@ -3837,6 +3889,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Vital Ish DocType: Payment Entry,Payment Deductions or Loss,Upunguzaji wa Malipo au Kupoteza DocType: Soil Analysis,Soil Analysis Criterias,Siri za Uchambuzi wa Udongo apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Kanuni za mkataba wa Standard kwa Mauzo au Ununuzi. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Safu zimeondolewa katika {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Anza kuingia kabla ya kuanza saa (saa.) DocType: BOM Item,Item operation,Item operesheni apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Jumuisha kwa Voucher @@ -3862,11 +3915,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Kulipwa kwa mshahara wa mfanyakazi {0} tayari kuundwa kwa kipindi hiki apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Madawa apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Unaweza tu kuwasilisha Uingizaji wa Fedha kwa kiasi cha uingizaji wa halali +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Vitu na apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Gharama ya Vitu Vilivyotunzwa DocType: Employee Separation,Employee Separation Template,Kigezo cha Utunzaji wa Waajiriwa DocType: Selling Settings,Sales Order Required,Amri ya Mauzo Inahitajika apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Kuwa Muzaji -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Idadi ya kutokea baada ya ambayo matokeo hutekelezwa. ,Procurement Tracker,Ununuzi wa Tracker DocType: Purchase Invoice,Credit To,Mikopo Kwa apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Imebadilishwa @@ -3879,6 +3932,7 @@ DocType: Quality Meeting,Agenda,Ajenda DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Ratiba ya Matengenezo ya Daraja DocType: Supplier Scorecard,Warn for new Purchase Orders,Tahadhari kwa Amri mpya ya Ununuzi DocType: Quality Inspection Reading,Reading 9,Kusoma 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Unganisha Akaunti yako ya Exotel kwa ERPNext na ufuatilia magogo ya simu DocType: Supplier,Is Frozen,Ni Frozen DocType: Tally Migration,Processed Files,Faili zilizosindika apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Ghala la node ya kikundi hairuhusiwi kuchagua kwa shughuli @@ -3888,6 +3942,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM No kwa Nakala I DocType: Upload Attendance,Attendance To Date,Kuhudhuria Tarehe 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 @@ -3912,7 +3967,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Mwombaji apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Kumbukumbu batili {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Sheria za kutumia miradi tofauti ya uendelezaji. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) haiwezi kuwa kubwa kuliko kiwango kilichopangwa ({2}) katika Utaratibu wa Uzalishaji {3} DocType: Shipping Rule,Shipping Rule Label,Lebo ya Rule ya Utoaji DocType: Journal Entry Account,Payroll Entry,Kuingia kwa Mishahara apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Angalia Kumbukumbu za Malipo @@ -3924,6 +3978,7 @@ DocType: Contract,Fulfilment Status,Hali ya Utekelezaji DocType: Lab Test Sample,Lab Test Sample,Mfano wa Mtihani wa Lab DocType: Item Variant Settings,Allow Rename Attribute Value,Ruhusu Unda Thamani ya Thamani apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Quick Journal Entry +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Kiasi cha malipo ya Baadaye apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Huwezi kubadili kiwango kama BOM imetajwa agianst kitu chochote DocType: Restaurant,Invoice Series Prefix,Msaada wa Mfululizo wa Invoice DocType: Employee,Previous Work Experience,Uzoefu wa Kazi uliopita @@ -3952,6 +4007,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Hali ya Mradi DocType: UOM,Check this to disallow fractions. (for Nos),Angalia hii ili kupinga marufuku. (kwa Nos) DocType: Student Admission Program,Naming Series (for Student Applicant),Mfululizo wa majina (kwa Msaidizi wa Mwanafunzi) +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/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 @@ -3967,6 +4023,7 @@ DocType: Fiscal Year,Year End Date,Tarehe ya Mwisho wa Mwaka DocType: Task Depends On,Task Depends On,Kazi inategemea apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Fursa DocType: Options,Option,Chaguo +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Hauwezi kuunda viingizo vya uhasibu katika kipindi cha uhasibu kilichofungwa {0} DocType: Operation,Default Workstation,Kituo cha Kazi cha Kazi DocType: Payment Entry,Deductions or Loss,Kupoteza au kupoteza apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} imefungwa @@ -3975,6 +4032,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Pata Stock Current DocType: Purchase Invoice,ineligible,halali apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Mti wa Matayarisho ya Vifaa +DocType: BOM,Exploded Items,Vitu vilivyolipuka DocType: Student,Joining Date,Tarehe ya Kujiunga ,Employees working on a holiday,Wafanyakazi wanaofanya kazi likizo ,TDS Computation Summary,Muhtasari wa Hesabu ya TDS @@ -4007,6 +4065,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Kiwango cha msingi (ka DocType: SMS Log,No of Requested SMS,Hakuna ya SMS iliyoombwa apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Acha bila ya kulipa hailingani na kumbukumbu za Maombi ya Kuondoka apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Hatua Zingine +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Vitu vilivyohifadhiwa DocType: Travel Request,Domestic,Ndani apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Tafadhali usambaze vitu maalum kwa viwango bora zaidi apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Uhamisho wa Wafanyabiashara hauwezi kufungwa kabla ya Tarehe ya Uhamisho @@ -4059,7 +4118,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Akaunti ya Jamii ya Mali apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Thamani {0} tayari imepewa kipengee cha kuuza nje {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Row # {0} (Jedwali la Malipo): Kiasi kinachofaa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Haiwezi kuzalisha kipengee zaidi {0} kuliko kiasi cha Mauzo ya Mauzo {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Haiwezi kuzalisha kipengee zaidi {0} kuliko kiasi cha Mauzo ya Mauzo {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Hakuna kilichojumuishwa katika jumla apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Mswada wa e-Way tayari uko kwa hati hii apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Chagua Maadili ya Tabia @@ -4094,12 +4153,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Washa Matokeo tofauti ya Kutoka mapema ,Lab Test Report,Ripoti ya Mtihani wa Lab DocType: Employee Benefit Application,Employee Benefit Application,Maombi ya Faida ya Wafanyakazi apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Vidokezo vya Sehemu ya Mshahara. DocType: Purchase Invoice,Unregistered,Iliyosajiliwa -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Tafadhali Tafadhali Tuma Kumbuka DocType: Student Applicant,Application Date,Tarehe ya Maombi DocType: Salary Component,Amount based on formula,Kiasi kilichowekwa kwenye formula DocType: Purchase Invoice,Currency and Price List,Orodha ya Fedha na Bei @@ -4128,6 +4185,7 @@ DocType: Purchase Receipt,Time at which materials were received,Wakati ambapo vi DocType: Products Settings,Products per Page,Bidhaa kwa Ukurasa 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Kiasi kilichowekwa haziwezi kuwa hasi DocType: Sales Order,Billing Status,Hali ya kulipia apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Ripoti Suala @@ -4137,6 +4195,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-juu 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,Row # {0}: Kuingia kwa Machapishaji {1} hawana akaunti {2} au tayari kuendana na chaguo jingine DocType: Supplier Scorecard Criteria,Criteria Weight,Vigezo vya uzito +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Akaunti: {0} hairuhusiwi chini ya malipo ya Malipo DocType: Production Plan,Ignore Existing Projected Quantity,Puuza Kiwango Kilichohesabiwa cha Kutarajiwa apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Acha Arifa ya Idhini DocType: Buying Settings,Default Buying Price List,Orodha ya Bei ya Kichuuzi @@ -4145,6 +4204,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,Aina ya malipo apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Tafadhali chagua Batch kwa Bidhaa {0}. Haiwezi kupata kundi moja linalotimiza mahitaji haya @@ -4173,6 +4233,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Mipangilio ya Cart Shoppi DocType: Journal Entry,Accounting Entries,Uingizaji wa Uhasibu 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."" +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: Journal Entry,Paid Loan,Mikopo iliyolipwa 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 @@ -4189,12 +4250,14 @@ DocType: Shopify Settings,Webhooks Details,Maelezo ya wavuti apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Hakuna karatasi za wakati DocType: GoCardless Mandate,GoCardless Customer,Wateja wa GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Acha Aina {0} haiwezi kubeba +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Nambari ya Bidhaa> Kikundi cha bidhaa> Brand apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Ratiba ya Matengenezo haijazalishwa kwa vitu vyote. Tafadhali bonyeza 'Generate Schedule' ,To Produce,Kuzalisha DocType: Leave Encashment,Payroll,Mishahara 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","Kwa mstari {0} katika {1}. Ili ni pamoja na {2} katika kiwango cha kipengee, safu {3} lazima ziingizwe pia" DocType: Healthcare Service Unit,Parent Service Unit,Kitengo cha Utumishi wa Mzazi DocType: Packing Slip,Identification of the package for the delivery (for print),Utambulisho wa mfuko wa utoaji (kwa kuchapishwa) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Mkataba wa Kiwango cha Huduma uliwekwa tena. DocType: Bin,Reserved Quantity,Waliohifadhiwa Wingi apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Tafadhali ingiza anwani ya barua pepe halali DocType: Volunteer Skill,Volunteer Skill,Ujuzi wa Kujitolea @@ -4215,7 +4278,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Bei au Punguzo la Bidhaa apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Kwa mstari {0}: Ingiza qty iliyopangwa DocType: Account,Income Account,Akaunti ya Mapato -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Mteja> Kikundi cha Wateja> Wilaya DocType: Payment Request,Amount in customer's currency,Kiasi cha fedha za wateja apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Utoaji apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Kugawa Miundo ... @@ -4238,6 +4300,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Utapoteza rekodi za ankara zinazozalishwa hapo awali. Una uhakika unataka kuanzisha upya usajili huu? @@ -4293,11 +4356,10 @@ DocType: Additional Salary,HR User,Mtumiaji wa HR DocType: Bank Guarantee,Reference Document Name,Jina la Kumbukumbu la Kumbukumbu DocType: Purchase Invoice,Taxes and Charges Deducted,Kodi na Malipo zimefutwa DocType: Support Settings,Issues,Mambo -DocType: Shift Type,Early Exit Consequence after,Matokeo ya Kutoka mapema DocType: Loyalty Program,Loyalty Program Name,Jina la Programu ya Uaminifu apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Hali lazima iwe moja ya {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Kumbusho ya kurekebisha GSTIN Iliyotumwa -DocType: Sales Invoice,Debit To,Debit To +DocType: Discounted Invoice,Debit To,Debit To DocType: Restaurant Menu Item,Restaurant Menu Item,Menyu ya Menyu ya Mgahawa DocType: Delivery Note,Required only for sample item.,Inahitajika tu kwa bidhaa ya sampuli. DocType: Stock Ledger Entry,Actual Qty After Transaction,Uhakika halisi baada ya Shughuli @@ -4380,6 +4442,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Jina la Kipimo apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Tu Acha Maombi na hali 'Imeidhinishwa' na 'Imekataliwa' inaweza kuwasilishwa apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Inaunda vipimo ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Jina la Kikundi cha Wanafunzi ni lazima katika mstari {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Mpakaji wa mkopo wa Bypass DocType: Homepage,Products to be shown on website homepage,Bidhaa zinazoonyeshwa kwenye ukurasa wa nyumbani wa tovuti DocType: HR Settings,Password Policy,Sera ya nywila apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Huu ni kikundi cha wateja wa mizizi na hauwezi kuhaririwa. @@ -4426,10 +4489,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Ikiw apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Tafadhali weka mteja default katika Mipangilio ya Mkahawa ,Salary Register,Daftari ya Mshahara DocType: Company,Default warehouse for Sales Return,Ghala la Default la Kurudi kwa Uuzaji -DocType: Warehouse,Parent Warehouse,Ghala la Mzazi +DocType: Pick List,Parent Warehouse,Ghala la Mzazi DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Eleza aina mbalimbali za mkopo DocType: Bin,FCFS Rate,Kiwango cha FCFS @@ -4466,6 +4529,7 @@ DocType: Travel Itinerary,Lodging Required,Makao Inahitajika DocType: Promotional Scheme,Price Discount Slabs,Bei za Punguzo la Bei DocType: Stock Reconciliation Item,Current Serial No,Sifa ya Sasa Hapana DocType: Employee,Attendance and Leave Details,Mahudhurio na Maelezo ya Kuondoka +,BOM Comparison Tool,Chombo cha kulinganisha cha BOM ,Requested,Aliomba apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Hakuna Maneno DocType: Asset,In Maintenance,Katika Matengenezo @@ -4488,6 +4552,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Mkataba wa Kiwango cha Huduma ya Chaguzi DocType: SG Creation Tool Course,Course Code,Msimbo wa Kozi apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Zaidi ya chaguo moja kwa {0} hairuhusiwi +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Qty ya malighafi itaamuliwa kwa kuzingatia qty ya Bidhaa iliyokamilishwa Bidhaa DocType: Location,Parent Location,Eneo la Mzazi DocType: POS Settings,Use POS in Offline Mode,Tumia POS katika Hali ya Nje apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Kipaumbele kimebadilishwa kuwa {0}. @@ -4506,7 +4571,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Mfano wa Kuhifadhi Ghala DocType: Company,Default Receivable Account,Akaunti ya Akaunti ya Kupokea apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Njia Iliyotarajiwa ya Wingi DocType: Sales Invoice,Deemed Export,Exported kuagizwa -DocType: Stock Entry,Material Transfer for Manufacture,Uhamisho wa Nyenzo kwa Utengenezaji +DocType: Pick List,Material Transfer for Manufacture,Uhamisho wa Nyenzo kwa Utengenezaji 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.,Asilimia ya Punguzo inaweza kutumika ama dhidi ya orodha ya bei au orodha zote za bei. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Kuingia kwa Uhasibu kwa Stock DocType: Lab Test,LabTest Approver,Msaidizi wa LabTest @@ -4549,7 +4614,6 @@ DocType: Training Event,Theory,Nadharia apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Onyo: Nyenzo Nambari Iliyoombwa ni chini ya Upeo wa chini wa Uagizaji apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Akaunti {0} imehifadhiwa DocType: Quiz Question,Quiz Question,Swali la Jaribio -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Mtoaji> Aina ya wasambazaji 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" @@ -4580,6 +4644,7 @@ 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 DocType: Account,Expense Account,Akaunti ya gharama apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Programu apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Rangi @@ -4617,6 +4682,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Dhibiti Washirika 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 DocType: Fee Validity,Visited yet,Alirudi bado +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Unaweza Kuangazia vitu 8. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Maghala na shughuli zilizopo haziwezi kubadilishwa kuwa kikundi. 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. @@ -4624,7 +4690,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Ililipuka_items 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 @@ -4649,7 +4714,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Kubadilisha UOM kw DocType: Contract,Signee Details,Maelezo ya Signee apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} kwa sasa ina {1} Wafanyabiashara Scorecard amesimama, na RFQs kwa muuzaji huyu inapaswa kutolewa." DocType: Certified Consultant,Non Profit Manager,Meneja Msaada -DocType: BOM,Total Cost(Company Currency),Gharama ya Jumla (Fedha la Kampuni) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Serial Hapana {0} imeundwa DocType: Homepage,Company Description for website homepage,Maelezo ya Kampuni kwa homepage tovuti DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Kwa urahisi wa wateja, kanuni hizi zinaweza kutumiwa katika fomu za kuchapisha kama Invoices na Vidokezo vya Utoaji" @@ -4677,7 +4741,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Ununuzi w DocType: Amazon MWS Settings,Enable Scheduled Synch,Wezesha Synch iliyopangwa apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Ili Ufikiaji apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Ingia kwa kudumisha hali ya utoaji wa SMS -DocType: Shift Type,Early Exit Consequence,Matokeo ya Toka mapema DocType: Accounts Settings,Make Payment via Journal Entry,Fanya Malipo kupitia Ingia ya Machapisho apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Tafadhali usijenge vitu zaidi ya 500 kwa wakati mmoja apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Kuchapishwa @@ -4734,6 +4797,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Upeo umevuka 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 +DocType: Plaid Settings,Plaid Secret,Siri iliyowekwa wazi DocType: Company,Date of Establishment,Tarehe ya Uanzishwaji apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Capital Venture apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Jina la kitaaluma na 'Mwaka wa Mwaka' '{0} na' Jina la Muda '{1} tayari lipo. Tafadhali tengeneza safu hizi na jaribu tena. @@ -4795,6 +4859,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Aina ya Wateja DocType: Compensatory Leave Request,Leave Allocation,Acha Ugawaji DocType: Payment Request,Recipient Message And Payment Details,Ujumbe wa mpokeaji na maelezo ya malipo +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Tafadhali chagua Ujumbe wa Uwasilishaji DocType: Support Search Source,Source DocType,DocType ya Chanzo apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Fungua tiketi mpya DocType: Training Event,Trainer Email,Barua ya Mkufunzi @@ -4914,6 +4979,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Tarehe Tarehe' lazima iwe baada ya 'Tarehe' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Hakuna Mpango wa Utumishi uliopatikana kwa Uteuzi huu apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Kipengee {0} cha Item {1} kilimezimwa. @@ -4935,7 +5001,7 @@ DocType: Clinical Procedure,Patient,Mgonjwa apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Kagua hundi ya mikopo kwa Order Order DocType: Employee Onboarding Activity,Employee Onboarding Activity,Kazi ya Onboarding Shughuli DocType: Location,Check if it is a hydroponic unit,Angalia kama ni sehemu ya hydroponic -DocType: Stock Reconciliation Item,Serial No and Batch,Serial Hakuna na Batch +DocType: Pick List Item,Serial No and Batch,Serial Hakuna na Batch DocType: Warranty Claim,From Company,Kutoka kwa Kampuni DocType: GSTR 3B Report,January,Januari apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Muhtasari wa Mipango ya Tathmini inahitaji kuwa {0}. @@ -4959,7 +5025,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Punguzo 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Hakuna {0} kupatikana kwa Shughuli za Inter Company. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,mkopo_mazungumzo 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/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 @@ -4992,11 +5057,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Kituo cha Gh 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Inakaa DocType: Appraisal,Appraisal,Tathmini DocType: Loan,Loan Account,Akaunti ya Mkopo apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Sahihi kutoka kwa uwanja halali wa upto ni lazima kwa hesabu +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Kwa bidhaa {0} kwa safu {1}, hesabu ya nambari za serial hailingani na wingi uliochukuliwa" DocType: Purchase Invoice,GST Details,Maelezo ya GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Hii inategemea shughuli dhidi ya Daktari wa Huduma hii ya Afya. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Barua pepe imetumwa kwa muuzaji {0} @@ -5060,6 +5127,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Uzito mkubwa wa mfuko. Kawaida uzito wa uzito + uzito wa vifaa vya uzito. (kwa kuchapishwa) DocType: Assessment Plan,Program,Programu DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Watumiaji wenye jukumu hili wanaruhusiwa kuweka akaunti zilizohifadhiwa na kujenga / kurekebisha entries za uhasibu dhidi ya akaunti zilizohifadhiwa +DocType: Plaid Settings,Plaid Environment,Mazingira ya Taa ,Project Billing Summary,Muhtasari wa Bili ya Mradi DocType: Vital Signs,Cuts,Kupunguzwa DocType: Serial No,Is Cancelled,Imeondolewa @@ -5121,7 +5189,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Kumbuka: Mfumo hautaangalia zaidi utoaji na utoaji wa ziada kwa Bidhaa {0} kama kiasi au kiasi ni 0 DocType: Issue,Opening Date,Tarehe ya Ufunguzi apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Tafadhali salama mgonjwa kwanza -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Fanya Mawasiliano Mpya apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Mahudhurio yamewekwa kwa mafanikio. DocType: Program Enrollment,Public Transport,Usafiri wa Umma DocType: Sales Invoice,GST Vehicle Type,GST Aina ya Gari @@ -5147,6 +5214,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Miradi iliy 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Kwanza ongeza vitu kwenye jedwali la Sehemu ya Bidhaa DocType: Pricing Rule,Discount Amount,Kiasi cha Punguzo DocType: Pricing Rule,Period Settings,Mipangilio ya kipindi DocType: Purchase Invoice,Return Against Purchase Invoice,Rudi dhidi ya ankara ya ununuzi @@ -5178,7 +5246,6 @@ DocType: Assessment Plan,Assessment Plan,Mpango wa Tathmini DocType: Travel Request,Fully Sponsored,Inasaidiwa kikamilifu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Rejea Kuingia kwa Jarida apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Unda Kadi ya Kazi -DocType: Shift Type,Consequence after,Matokeo baada ya DocType: Quality Procedure Process,Process Description,Maelezo ya Mchakato apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Mteja {0} ameundwa. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Hivi sasa hakuna hisa zinazopatikana katika ghala lolote @@ -5213,6 +5280,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Tarehe ya kufuta DocType: Delivery Settings,Dispatch Notification Template,Kigezo cha Arifa ya Msaada apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Ripoti ya Tathmini apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Pata Wafanyakazi +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 @@ -5306,7 +5374,6 @@ DocType: Stock Settings,Use Naming Series,Tumia Mfululizo wa Kumwita apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Hakuna Kitendo apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Malipo ya aina ya thamani haipatikani kama Kuunganisha DocType: POS Profile,Update Stock,Sasisha Stock -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM tofauti kwa vitu itasababisha kutosa (Jumla) thamani ya uzito wa Nambari. Hakikisha kwamba Uzito wa Net wa kila kitu ni katika UOM sawa. DocType: Certification Application,Payment Details,Maelezo ya Malipo apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Kiwango cha BOM @@ -5341,7 +5408,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Huu ni mtu wa mauzo ya mizizi na hauwezi kuhaririwa. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Ikiwa imechaguliwa, thamani iliyotajwa au kuhesabiwa katika sehemu hii haitachangia mapato au punguzo. Hata hivyo, thamani ni inaweza kutajwa na vipengele vingine vinavyoweza kuongezwa au kupunguzwa." -DocType: Asset Settings,Number of Days in Fiscal Year,Idadi ya Siku katika Mwaka wa Fedha ,Stock Ledger,Ledger ya hisa DocType: Company,Exchange Gain / Loss Account,Pata Akaunti ya Kupoteza / Kupoteza DocType: Amazon MWS Settings,MWS Credentials,Vidokezo vya MWS @@ -5376,6 +5442,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Safu wima katika Faili ya Benki apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Acha programu {0} tayari ipo dhidi ya mwanafunzi {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Imesababishwa kwa uboreshaji wa bei ya hivi karibuni katika Bila zote za Vifaa. Inaweza kuchukua dakika chache. +DocType: Pick List,Get Item Locations,Pata Sehemu za Bidhaa apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Jina la Akaunti mpya. Kumbuka: Tafadhali usijenge akaunti kwa Wateja na Wauzaji DocType: POS Profile,Display Items In Stock,Vipengele vya Kuonyesha Katika Hifadhi apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Nchi za hekima za Hitilafu za Hitilafu za Nchi @@ -5399,6 +5466,7 @@ DocType: Crop,Materials Required,Vifaa vinahitajika apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Hakuna wanafunzi waliopatikana DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Msaada wa kila mwezi wa HRA DocType: Clinical Procedure,Medical Department,Idara ya Matibabu +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Jumla ya Kutoka mapema DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Scorecard ya Wafanyabiashara Hatua za Kipazo apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Tarehe ya Kuagiza Invozi apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Nunua @@ -5410,11 +5478,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Tafadhali futa Mfanyikazi {0} \ ili kughairi hati hii" DocType: Program Enrollment,School House,Shule ya Shule DocType: Serial No,Out of AMC,Nje ya AMC DocType: Opportunity,Opportunity Amount,Fursa Kiasi +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Profaili yako apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Idadi ya kushuka kwa thamani iliyotengenezwa haiwezi kuwa kubwa zaidi kuliko Jumla ya Idadi ya Dhamana DocType: Purchase Order,Order Confirmation Date,Tarehe ya uthibitisho wa amri DocType: Driver,HR-DRI-.YYYY.-,HR-DRI -YYYY.- @@ -5508,7 +5575,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Kuna kutofautiana kati ya kiwango, hakuna ya hisa na kiasi kilichohesabiwa" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Hukopo siku zote (s) kati ya siku za ombi za malipo ya kuondoka apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Tafadhali rejesha jina la kampuni ili kuthibitisha -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Jumla ya Amt DocType: Journal Entry,Printing Settings,Mipangilio ya uchapishaji DocType: Payment Order,Payment Order Type,Aina ya Agizo la malipo DocType: Employee Advance,Advance Account,Akaunti ya Awali @@ -5597,7 +5663,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Jina la Mwaka apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Kuna sikukuu zaidi kuliko siku za kazi mwezi huu. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Vipengele vifuatavyo {0} hazijainishwa kama kipengee {1}. Unaweza kuwawezesha kama kipengee {1} kutoka kwa kichwa chake cha Bidhaa -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Bidhaa ya Bundle Item DocType: Sales Partner,Sales Partner Name,Jina la Mshirika wa Mauzo apps/erpnext/erpnext/hooks.py,Request for Quotations,Ombi la Nukuu @@ -5606,19 +5671,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Majani +DocType: Leave Ledger Entry,Leaves,Majani DocType: Student Language,Student Language,Lugha ya Wanafunzi DocType: Cash Flow Mapping,Is Working Capital,"Je, ni Capital Capital" apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Peana Ushibitisho apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Order / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Rekodi Vitals Mgonjwa DocType: Fee Schedule,Institution,Taasisi -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: Asset,Partially Depreciated,Ulimwenguni ulipoteza DocType: Issue,Opening Time,Wakati wa Ufunguzi apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Kutoka na Ili tarehe inahitajika apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Usalama & Mchanganyiko wa Bidhaa -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Muhtasari wa kupiga simu na {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Utafutaji wa Hati apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Kitengo cha Mchapishaji cha Mchapishaji '{0}' lazima iwe sawa na katika Kigezo '{1}' DocType: Shipping Rule,Calculate Based On,Tumia Mahesabu @@ -5664,6 +5727,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Upeo wa Thamani Inaruhusiwa 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 DocType: Lab Test Template,Sensitivity,Sensitivity DocType: Plaid Settings,Plaid Settings,Mipangilio ya Paa apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Usawazishaji umezimwa kwa muda kwa sababu majaribio ya kiwango cha juu yamepitiwa @@ -5681,6 +5745,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Tafadhali chagua Tarehe ya Kuweka kwanza apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Tarehe ya Ufunguzi lazima iwe kabla ya Tarehe ya Kufungwa DocType: Travel Itinerary,Flight,Ndege +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Rudi nyumbani DocType: Leave Control Panel,Carry Forward,Endelea mbele apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Kituo cha Gharama na shughuli zilizopo haziwezi kugeuzwa kuwa kiongozi DocType: Budget,Applicable on booking actual expenses,Inatumika kwa gharama halisi za malipo @@ -5736,6 +5801,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Unda Nukuu apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Huna mamlaka ya kupitisha majani kwenye Tarehe ya Kuzuia apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Ombi la {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Vipengee hivi vyote tayari vinatumiwa +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Hakuna ankara bora inayopatikana ya {0} {1} inayostahili vichungi ambavyo umeelezea. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Weka tarehe mpya ya kutolewa DocType: Company,Monthly Sales Target,Lengo la Mauzo ya Mwezi apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Hakuna ankara bora inayopatikana @@ -5782,6 +5848,7 @@ DocType: Water Analysis,Type of Sample,Aina ya Mfano DocType: Batch,Source Document Name,Jina la Hati ya Chanzo DocType: Production Plan,Get Raw Materials For Production,Pata Malighafi Kwa Uzalishaji DocType: Job Opening,Job Title,Jina la kazi +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Malipo ya baadaye Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} inaonyesha kuwa {1} haitoi quotation, lakini vitu vyote vimeukuliwa. Inasasisha hali ya quote ya RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Sampuli za Upeo - {0} tayari zimehifadhiwa kwa Batch {1} na Item {2} katika Kipande {3}. @@ -5792,12 +5859,10 @@ 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: Company,Product Code,Kanuni bidhaa DocType: Quality Review Table,Objective,Lengo DocType: Supplier Scorecard,Per Month,Kwa mwezi DocType: Education Settings,Make Academic Term Mandatory,Fanya muda wa kitaaluma wa lazima -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Wingi wa Utengenezaji lazima uwe mkubwa kuliko 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Tathmini ratiba ya kushuka kwa thamani ya kupunguzwa kwa mujibu wa Mwaka wa Fedha +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Wingi wa Utengenezaji lazima uwe mkubwa kuliko 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Tembelea ripoti ya simu ya matengenezo. DocType: Stock Entry,Update Rate and Availability,Sasisha Kiwango na Upatikanaji 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.,Asilimia unaruhusiwa kupokea au kutoa zaidi dhidi ya kiasi kilichoamriwa. Kwa mfano: Ikiwa umeamuru vitengo 100. na Ruzuku lako ni 10% basi unaruhusiwa kupokea vitengo 110. @@ -5808,7 +5873,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Tarehe ya kutolewa lazima iwe katika siku zijazo DocType: BOM,Website Description,Website Description apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Mabadiliko ya Net katika Equity -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Tafadhali cancel ankara ya Ununuzi {0} kwanza apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Hairuhusiwi. Tafadhali afya Aina ya Huduma ya Huduma apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Anwani ya barua pepe inapaswa kuwa ya kipekee, tayari ipo kwa {0}" DocType: Serial No,AMC Expiry Date,Tarehe ya Kumalizika ya AMC @@ -5852,6 +5916,7 @@ DocType: Pricing Rule,Price Discount Scheme,Mpango wa Punguzo la Bei apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Hali ya Matengenezo inapaswa kufutwa au Imekamilika Kuwasilisha DocType: Amazon MWS Settings,US,Marekani DocType: Holiday List,Add Weekly Holidays,Ongeza Holidays za wiki +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Ripoti Jambo DocType: Staffing Plan Detail,Vacancies,Vifungu DocType: Hotel Room,Hotel Room,Chumba cha hoteli apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Akaunti {0} sio ya kampuni {1} @@ -5903,12 +5968,15 @@ DocType: Email Digest,Open Quotations,Fungua Nukuu 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Tafadhali futa Mfanyikazi {0} \ ili kughairi hati hii" 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 @@ -5922,6 +5990,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Yakosa DocType: Patient,Alcohol Past Use,Pombe Matumizi ya Kale DocType: Fertilizer Content,Fertilizer Content,Maudhui ya Mbolea +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Hakuna maelezo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Hali ya kulipia DocType: Quality Goal,Monitoring Frequency,Ufuatiliaji wa Mara kwa mara @@ -5939,6 +6008,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Mwisho wa tarehe haiwezi kuwa kabla ya Tarehe ya Mawasiliano ya Ijayo. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Viingilio vya Batch DocType: Journal Entry,Pay To / Recd From,Kulipa / Recd Kutoka +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Sichapishe Bidhaa DocType: Naming Series,Setup Series,Mipangilio ya kuanzisha DocType: Payment Reconciliation,To Invoice Date,Kwa tarehe ya ankara DocType: Bank Account,Contact HTML,Wasiliana HTML @@ -5960,6 +6030,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Uuzaji DocType: Student Attendance,Absent,Haipo DocType: Staffing Plan,Staffing Plan Detail,Mpangilio wa Mpango wa Utumishi DocType: Employee Promotion,Promotion Date,Tarehe ya Kukuza +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Ugawaji wa likizo% s umeunganishwa na maombi ya likizo% s 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} @@ -5994,9 +6065,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Invoice {0} haipo tena DocType: Guardian Interest,Guardian Interest,Maslahi ya Guardian DocType: Volunteer,Availability,Upatikanaji +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Maombi ya kuondoka yanaunganishwa na mgao wa likizo {0}. Maombi ya kuondoka hayawezi kuwekwa kama likizo bila malipo apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Weka maadili ya msingi ya POS ankara DocType: Employee Training,Training,Mafunzo DocType: Project,Time to send,Muda wa kutuma +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Ukurasa huu unafuatilia vitu vyako ambamo wanunuzi wameonyesha kupendezwa. DocType: Timesheet,Employee Detail,Maelezo ya Waajiriwa 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 @@ -6092,12 +6165,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Thamani ya Ufunguzi DocType: Salary Component,Formula,Mfumo apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,Tafadhali sasisha Mfumo wa Kumtaja Mfanyikazi katika Rasilimali Watu> Mipangilio ya HR 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/setup/doctype/company/company.py,Sales Account,Akaunti ya Mauzo DocType: Purchase Invoice Item,Total Weight,Uzito wote +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}" @@ -6121,6 +6194,7 @@ DocType: Company,Default Employee Advance Account,Akaunti ya Waajirika wa Mapend apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Tafuta Bidhaa (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF -YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Akaunti na shughuli zilizopo haziwezi kufutwa +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Je! Ni kwanini unafikiri Bidhaa hii inapaswa kuondolewa? DocType: Vehicle,Last Carbon Check,Check Carbon Mwisho apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Gharama za Kisheria apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Tafadhali chagua kiasi kwenye mstari @@ -6140,6 +6214,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Kuvunja DocType: Travel Itinerary,Vegetarian,Mboga DocType: Patient Encounter,Encounter Date,Kukutana Tarehe +DocType: Work Order,Update Consumed Material Cost In Project,Sasisha Gharama Iliyodhaniwa ya nyenzo katika Mradi apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Akaunti: {0} kwa fedha: {1} haiwezi kuchaguliwa DocType: Bank Statement Transaction Settings Item,Bank Data,Takwimu za Benki DocType: Purchase Receipt Item,Sample Quantity,Mfano Wingi @@ -6194,7 +6269,7 @@ DocType: GSTR 3B Report,April,Aprili 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Kumbuka: Kipengee {0} kiliingizwa mara nyingi +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Kumbuka: Kipengee {0} kiliingizwa mara nyingi apps/erpnext/erpnext/config/buying.py,All Contacts.,Mawasiliano Yote. DocType: Accounting Period,Closed Documents,Nyaraka zilizofungwa 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 @@ -6276,9 +6351,7 @@ DocType: Member,Membership Type,Aina ya Uanachama ,Reqd By Date,Reqd Kwa Tarehe apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Wakopaji DocType: Assessment Plan,Assessment Name,Jina la Tathmini -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Onyesha PDC katika Print apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Row # {0}: Serial Hakuna lazima -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Hakuna ankara bora inayopatikana kwa {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Jedwali Maelezo ya kodi ya busara DocType: Employee Onboarding,Job Offer,Kazi ya Kazi apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Usanidi wa Taasisi @@ -6336,6 +6409,7 @@ DocType: Serial No,Out of Warranty,Nje ya udhamini DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Aina ya Data Mapped DocType: BOM Update Tool,Replace,Badilisha apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Hakuna bidhaa zilizopatikana. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Chapisha Vitu Zaidi apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Mkataba huu wa Kiwango cha Huduma ni maalum kwa Wateja {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} dhidi ya ankara ya mauzo {1} DocType: Antibiotic,Laboratory User,Mtumiaji wa Maabara @@ -6358,7 +6432,6 @@ DocType: Payment Order Reference,Bank Account Details,Maelezo ya Akaunti ya Benk DocType: Purchase Order Item,Blanket Order,Mpangilio wa kikapu 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Utaratibu wa Uzalishaji umekuwa {0} DocType: BOM Item,BOM No,BOM Hapana 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 @@ -6431,6 +6504,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Vifaa vya ushuru vya nje (vimekadiriwa zero) DocType: BOM,Materials Required (Exploded),Vifaa vinavyotakiwa (Imelipuka) 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/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 @@ -6488,7 +6562,6 @@ DocType: Pricing Rule,Same Item,Jambo moja DocType: Stock Ledger Entry,Stock Ledger Entry,Kuingia kwa Ledger Entry DocType: Quality Action Resolution,Quality Action Resolution,Azimio la Utendaji Bora apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} kwenye siku ya nusu Acha {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Kitu kimoja kimeingizwa mara nyingi DocType: Department,Leave Block List,Acha orodha ya kuzuia DocType: Purchase Invoice,Tax ID,Kitambulisho cha Ushuru apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Kipengee {0} sio kuanzisha kwa Nakala Zetu. Sawa lazima iwe tupu @@ -6525,7 +6598,7 @@ DocType: Cheque Print Template,Distance from top edge,Umbali kutoka makali ya ju 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 DocType: Purchase Invoice,Return,Rudi -DocType: Accounting Dimension,Disable,Zima +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 DocType: Task,Pending Review,Mapitio Yasubiri apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Badilisha katika ukurasa kamili kwa chaguo zaidi kama vile mali, serial nos, batches nk" @@ -6638,7 +6711,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Sehemu ya ankara ya pamoja lazima iwe sawa na 100% DocType: Item Default,Default Expense Account,Akaunti ya gharama nafuu DocType: GST Account,CGST Account,Akaunti ya CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Nambari ya Bidhaa> Kikundi cha bidhaa> Brand apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Kitambulisho cha Barua ya Wanafunzi DocType: Employee,Notice (days),Angalia (siku) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS Invoices ya Voucher Voucher @@ -6649,6 +6721,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Chagua vitu ili uhifadhi ankara DocType: Employee,Encashment Date,Tarehe ya Kuingiza DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Habari ya muuzaji DocType: Special Test Template,Special Test Template,Kigezo cha Mtihani maalum DocType: Account,Stock Adjustment,Marekebisho ya hisa apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Gharama ya Shughuli ya Hifadhi ipo kwa Aina ya Shughuli - {0} @@ -6660,7 +6733,6 @@ 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 -DocType: Company,Bank Remittance Settings,Mipangilio ya Marejeleo ya Benki apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Kiwango cha wastani 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 @@ -6688,6 +6760,7 @@ DocType: Grading Scale Interval,Threshold,Kizuizi apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Filter Wafanyikazi Na (Hiari) DocType: BOM Update Tool,Current BOM,BOM ya sasa apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Mizani (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Qty ya Bidhaa iliyokamilishwa Bidhaa apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Ongeza No ya Serial DocType: Work Order Item,Available Qty at Source Warehouse,Uchina Inapatikana kwenye Ghala la Chanzo apps/erpnext/erpnext/config/support.py,Warranty,Warranty @@ -6766,7 +6839,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Hapa unaweza kudumisha urefu, uzito, allergy, matatizo ya matibabu nk" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Kuunda Akaunti ... DocType: Leave Block List,Applies to Company,Inahitajika kwa Kampuni -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Haiwezi kufuta kwa sababu In Entry In Stock {0} ipo +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Haiwezi kufuta kwa sababu In Entry In Stock {0} ipo DocType: Loan,Disbursement Date,Tarehe ya Malipo DocType: Service Level Agreement,Agreement Details,Maelezo ya Mkataba apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Tarehe ya Kuanza ya Makubaliano haiwezi kuwa kubwa kuliko au sawa na Tarehe ya Mwisho. @@ -6775,6 +6848,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Rekodi ya Matibabu DocType: Vehicle,Vehicle,Gari DocType: Purchase Invoice,In Words,Katika Maneno +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Hadi leo mahitaji ya kuwa kabla ya tarehe apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Ingiza jina la benki au taasisi ya mikopo kabla ya kuwasilisha. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} lazima iwasilishwa DocType: POS Profile,Item Groups,Makala ya Vikundi @@ -6846,7 +6920,6 @@ DocType: Customer,Sales Team Details,Maelezo ya Timu ya Mauzo apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Futa kwa kudumu? DocType: Expense Claim,Total Claimed Amount,Kiasi kilichodaiwa apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Uwezo wa fursa za kuuza. -DocType: Plaid Settings,Link a new bank account,Unganisha akaunti mpya ya benki apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} ni Hali isiyo sawa ya Mahudhurio. DocType: Shareholder,Folio no.,Uliopita. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Inalidhika {0} @@ -6862,7 +6935,6 @@ DocType: Production Plan,Material Requested,Nyenzo Iliombwa DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Nambari iliyohifadhiwa kwa mkataba wa chini DocType: Patient Service Unit,Patinet Service Unit,Kitengo cha Huduma ya Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Tengeneza Faili ya Maandishi DocType: Sales Invoice,Base Change Amount (Company Currency),Kiwango cha Mabadiliko ya Msingi (Fedha la Kampuni) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Hakuna kuingizwa kwa uhasibu kwa maghala yafuatayo apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Ni {0} pekee katika hisa kwa bidhaa {1} @@ -6876,6 +6948,7 @@ DocType: Item,No of Months,Hakuna Miezi DocType: Item,Max Discount (%),Max Discount (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Siku za Mikopo haiwezi kuwa nambari hasi apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Sasisha taarifa +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Ripoti kipengee hiki DocType: Purchase Invoice Item,Service Stop Date,Tarehe ya Kuacha Huduma apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Kiwango cha Mwisho cha Mwisho DocType: Cash Flow Mapper,e.g Adjustments for:,kwa mfano Marekebisho kwa: @@ -6969,16 +7042,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Jamii ya Uhuru wa Wafanyakazi apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Kiasi haipaswi kuwa chini ya sifuri. DocType: Sales Invoice,C-Form Applicable,Fomu ya C inahitajika -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Muda wa Uendeshaji lazima uwe mkubwa kuliko 0 kwa Uendeshaji {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Muda wa Uendeshaji lazima uwe mkubwa kuliko 0 kwa Uendeshaji {0} DocType: Support Search Source,Post Route String,Njia ya Njia ya Chapisho apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Ghala ni lazima apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Imeshindwa kuunda tovuti DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Maelezo ya Uongofu wa UOM apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Kiingilio na Uandikishaji -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Uhifadhi Uingiaji wa hisa umeundwa tayari au Mfano Wingi haujatolewa +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Uhifadhi Uingiaji wa hisa umeundwa tayari au Mfano Wingi haujatolewa DocType: Program,Program Abbreviation,Hali ya Mpangilio -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Utaratibu wa Uzalishaji hauwezi kuinuliwa dhidi ya Kigezo cha Bidhaa apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Kikundi cha Voucher (Pamoja) DocType: HR Settings,Encrypt Salary Slips in Emails,Encrypt Slary Slips katika Barua pepe DocType: Question,Multiple Correct Answer,Jibu Sahihi @@ -7025,7 +7097,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Haikadiriwa au kutolewa DocType: Employee,Educational Qualification,Ufanisi wa Elimu DocType: Workstation,Operating Costs,Gharama za uendeshaji apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Fedha ya {0} lazima iwe {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Matokeo ya kipindi cha Neema DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Weka mahudhurio kulingana na 'Checkin Wafanyikazi' kwa Wafanyikazi waliopewa kazi hii. DocType: Asset,Disposal Date,Tarehe ya kupoteza DocType: Service Level,Response and Resoution Time,Kujibu na Wakati wa Kujiuzulu @@ -7073,6 +7144,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Tarehe ya kukamilisha DocType: Purchase Invoice Item,Amount (Company Currency),Kiasi (Fedha la Kampuni) DocType: Program,Is Featured,Imeonekana +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Inachukua ... DocType: Agriculture Analysis Criteria,Agriculture User,Mtumiaji wa Kilimo apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Halali hadi tarehe haiwezi kuwa kabla ya tarehe ya shughuli DocType: Fee Schedule,Student Category,Jamii ya Wanafunzi @@ -7104,7 +7176,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Jumla ya malipo ya Amt 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 @@ -7128,6 +7199,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Haijulikani apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Imepokea Kutoka DocType: Lead,Converted,Ilibadilishwa DocType: Item,Has Serial No,Ina Serial No +DocType: Stock Entry Detail,PO Supplied Item,Bidhaa Iliyopeanwa 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} @@ -7242,7 +7314,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Taasisi za Vipindi na Chagu 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,BOM ya default kwa {0} haipatikani +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Gonga vitu ili uziweze hapa @@ -7276,7 +7348,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Tarehe ya Matengenezo DocType: Purchase Invoice Item,Rejected Serial No,Imekataliwa Serial No apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Tarehe ya kuanza kwa mwaka au tarehe ya mwisho ni kuingiliana na {0}. Ili kuepuka tafadhali kuweka kampuni -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Tafadhali kutaja jina la kiongozi katika kiongozi {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Tarehe ya mwanzo inapaswa kuwa chini ya tarehe ya mwisho ya Bidhaa {0} DocType: Shift Type,Auto Attendance Settings,Mipangilio ya Mahudhurio Moja kwa moja @@ -7286,9 +7357,11 @@ DocType: Upload Attendance,Upload Attendance,Pakia Mahudhurio apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM na Uzalishaji wa Wingi huhitajika apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Aina ya kuzeeka 2 DocType: SG Creation Tool Course,Max Strength,Nguvu ya Max +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Akaunti {0} tayari inapatikana katika kampuni ya watoto {1}. Sehemu zifuatazo zina maadili tofauti, zinapaswa kuwa sawa:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Inaweka presets DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH -YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Hakuna Kumbukumbu ya Utoaji iliyochaguliwa kwa Wateja {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Mizizi Zimeongezwa katika {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Mfanyakazi {0} hana kiwango cha juu cha faida apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Chagua Vitu kulingana na tarehe ya utoaji DocType: Grant Application,Has any past Grant Record,Ina nakala yoyote ya Ruzuku iliyopita @@ -7332,6 +7405,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Maelezo ya Wanafunzi DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Hii ndio UOM ya msingi inayotumika kwa vitu na maagizo ya Uuzaji. UOM ya kurudi nyuma ni "Nos". DocType: Purchase Invoice Item,Stock Qty,Kiwanda +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 DocType: Loan,Repayment Period in Months,Kipindi cha ulipaji kwa Miezi @@ -7360,6 +7434,7 @@ DocType: Authorization Rule,Customerwise Discount,Ugawaji wa Wateja apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet kwa ajili ya kazi. DocType: Purchase Invoice,Against Expense Account,Dhidi ya Akaunti ya gharama apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Maelezo ya Usanidi {0} tayari imewasilishwa +DocType: BOM,Raw Material Cost (Company Currency),Gharama ya Nyenzo Mbichi (Fedha ya Kampuni) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Kodi ya nyumba kulipwa siku zinazoingiliana na {0} DocType: GSTR 3B Report,October,Oktoba DocType: Bank Reconciliation,Get Payment Entries,Pata Maingizo ya Malipo @@ -7406,15 +7481,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Inapatikana kwa tarehe ya matumizi inahitajika DocType: Request for Quotation,Supplier Detail,Maelezo ya Wasambazaji apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Hitilafu katika fomu au hali: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Kiasi kilichopishwa +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Kiasi kilichopishwa apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Vipimo vya vigezo lazima kuongeza hadi 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Mahudhurio apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Vitu vya hisa DocType: Sales Invoice,Update Billed Amount in Sales Order,Mwisho uliolipwa Kiasi katika Utaratibu wa Mauzo +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Wasiliana na muuzaji 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Katika Maneno itaonekana wakati unapohifadhi Amri ya Ununuzi. @@ -7428,6 +7505,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Orodha ya bei ya bwana. DocType: Task,Review Date,Tarehe ya Marekebisho DocType: BOM,Allow Alternative Item,Ruhusu Nakala Mbadala +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Risiti ya Ununuzi haina Bidhaa yoyote ambayo Sampuli ya Uwezeshaji imewashwa. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Jumla ya ankara DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Mfululizo wa Kuingia kwa Upungufu wa Mali (Kuingia kwa Jarida) DocType: Membership,Member Since,Mwanachama Tangu @@ -7437,6 +7515,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Juu ya Net Jumla 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},Thamani ya Ushirikina {0} lazima iwe kati ya {1} hadi {2} katika vipengee vya {3} kwa Bidhaa {4} DocType: Pricing Rule,Product Discount Scheme,Mpango wa Punguzo la Bidhaa +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Hakuna suala lililotolewa na mpigaji. DocType: Restaurant Reservation,Waitlisted,Inastahiliwa DocType: Employee Tax Exemption Declaration Category,Exemption Category,Jamii ya Ukombozi apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Fedha haiwezi kubadilishwa baada ya kuingiza saini kwa kutumia sarafu nyingine @@ -7450,7 +7529,6 @@ DocType: Customer Group,Parent Customer Group,Kundi la Wateja wa Mzazi apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,E-Way Bill JSON inaweza tu kutengenezwa kutoka ankara ya Uuzaji apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Jaribio kubwa la jaribio hili limefikiwa! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Usajili -DocType: Purchase Invoice,Contact Email,Mawasiliano ya barua pepe apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Uumbaji wa Ada Inasubiri DocType: Project Template Task,Duration (Days),Muda (Siku) DocType: Appraisal Goal,Score Earned,Score Ilipatikana @@ -7475,7 +7553,6 @@ DocType: Landed Cost Item,Landed Cost Item,Nambari ya Gharama ya Uliopita 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Kiasi cha shughuli moja inazidi kiwango cha juu kinachoruhusiwa, tengeneza agizo tofauti la malipo kwa kugawanya shughuli" 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 @@ -7643,6 +7720,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Inapa DocType: Quality Inspection Reading,Reading 3,Kusoma 3 DocType: Stock Entry,Source Warehouse Address,Anwani ya Ghala la Chanzo DocType: GL Entry,Voucher Type,Aina ya Voucher +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Malipo ya baadaye 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 @@ -7669,6 +7747,7 @@ DocType: Travel Request,Identification Document Number,Nambari ya Nyaraka ya Uta 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." DocType: Sales Invoice,Customer GSTIN,GSTIN ya Wateja DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,Orodha ya magonjwa wanaona kwenye shamba. Ukichaguliwa itaongeza moja kwa moja orodha ya kazi ili kukabiliana na ugonjwa huo +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Hii ni kitengo cha huduma ya afya ya mizizi na haiwezi kuhaririwa. DocType: Asset Repair,Repair Status,Hali ya Ukarabati 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." @@ -7683,6 +7762,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Akaunti ya Kiasi cha Mabadiliko DocType: QuickBooks Migrator,Connecting to QuickBooks,Kuunganisha kwa QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Jumla ya Kupata / Kupoteza +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Unda Orodha ya Chaguo apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Chama / Akaunti hailingani na {1} / {2} katika {3} {4} DocType: Employee Promotion,Employee Promotion,Kukuza waajiriwa DocType: Maintenance Team Member,Maintenance Team Member,Mwanachama wa Timu Mwanachama @@ -7765,6 +7845,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Mshahara wa Net hauwezi kuwa hasi @@ -7796,7 +7877,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Lengo la ubora DocType: BOM,Item to be manufactured or repacked,Kipengee cha kutengenezwa au kupakiwa apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Hitilafu ya Syntax kwa hali: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Hakuna suala lililotolewa na mteja. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST -YYYY.- DocType: Employee Education,Major/Optional Subjects,Majukumu makubwa / Chaguo apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Tafadhali Weka Kikundi cha Wasambazaji katika Mipangilio ya Ununuzi. @@ -7889,8 +7969,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Siku za Mikopo apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Tafadhali chagua Mgonjwa kupata Majaribio ya Lab DocType: Exotel Settings,Exotel Settings,Mipangilio ya Exotel -DocType: Leave Type,Is Carry Forward,Inaendelea mbele +DocType: Leave Ledger Entry,Is Carry Forward,Inaendelea mbele DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Kufanya kazi masaa chini ambayo Yaliyo alama ni alama. (Zero ya kuzima) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Tuma ujumbe apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Pata Vitu kutoka kwa BOM 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" diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index 2d180e516c..32f67928b2 100644 --- a/erpnext/translations/ta.csv +++ b/erpnext/translations/ta.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,சப்ளையரை அறிவி apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,முதல் கட்சி வகையைத் தேர்வு செய்க DocType: Item,Customer Items,வாடிக்கையாளர் பொருட்கள் +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,பொறுப்புகள் DocType: Project,Costing and Billing,செலவு மற்றும் பில்லிங் apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},முன்னோக்கி கணக்கு நாணய நிறுவனம் நாணயமாக இருக்க வேண்டும் {0} DocType: QuickBooks Migrator,Token Endpoint,டோக்கன் இறுதிநிலை @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,மெஷர் முன்னிரு DocType: SMS Center,All Sales Partner Contact,அனைத்து விற்பனை வரன்வாழ்க்கை துணை தொடர்பு DocType: Department,Leave Approvers,குற்றம் விட்டு DocType: Employee,Bio / Cover Letter,உயிர் / கடிதம் கடிதம் +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,பொருட்களைத் தேடு ... DocType: Patient Encounter,Investigations,விசாரணைகள் DocType: Restaurant Order Entry,Click Enter To Add,சேர் என்பதை கிளிக் செய்யவும் apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","கடவுச்சொல், API விசை அல்லது Shopify URL க்கான மதிப்பு இல்லை" DocType: Employee,Rented,வாடகைக்கு apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,அனைத்து கணக்குகளும் apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,பணியாளர் நிலையை இடதுடன் மாற்ற முடியாது -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","நிறுத்தி உற்பத்தி ஆணை ரத்து செய்ய முடியாது, ரத்து செய்ய முதலில் அதை தடை இல்லாத" DocType: Vehicle Service,Mileage,மைலேஜ் apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,நீங்கள் உண்மையில் இந்த சொத்து கைவிட்டால் செய்ய விரும்புகிறீர்களா? DocType: Drug Prescription,Update Schedule,புதுப்பிப்பு அட்டவணை @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,வாடிக்கையாளர் DocType: Purchase Receipt Item,Required By,By தேவை DocType: Delivery Note,Return Against Delivery Note,விநியோகக் குறிப்பு எதிராக திரும்ப DocType: Asset Category,Finance Book Detail,நிதி புத்தக விரிவாக +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,அனைத்து தேய்மானங்களும் பதிவு செய்யப்பட்டுள்ளன DocType: Purchase Order,% Billed,% வசூலிக்கப்படும் apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,ஊதிய எண் apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),மாற்று வீதம் அதே இருக்க வேண்டும் {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,தொகுதி பொருள் காலாவதியாகும் நிலை apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,வங்கி உண்டியல் DocType: Journal Entry,ACC-JV-.YYYY.-,ஏசிசி-கூட்டுத் தொழில்-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,மொத்த தாமத உள்ளீடுகள் DocType: Mode of Payment Account,Mode of Payment Account,கொடுப்பனவு கணக்கு முறை apps/erpnext/erpnext/config/healthcare.py,Consultation,கலந்தாய்வின் DocType: Accounts Settings,Show Payment Schedule in Print,அச்சு கட்டண கட்டணத்தை காட்டு @@ -121,6 +124,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,முதன்மை தொடர்பு விவரங்கள் apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,திறந்த சிக்கல்கள் DocType: Production Plan Item,Production Plan Item,உற்பத்தி திட்டம் பொருள் +DocType: Leave Ledger Entry,Leave Ledger Entry,லெட்ஜர் நுழைவை விடுங்கள் 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,முன்னணி உருவாக்க @@ -139,6 +143,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,அ DocType: Purchase Invoice Item,Item Weight Details,பொருள் எடை விவரங்கள் DocType: Asset Maintenance Log,Periodicity,வட்டம் apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,நிதியாண்டு {0} தேவையான +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,நிகர லாபம் / இழப்பு DocType: Employee Group Table,ERPNext User ID,ERPNext பயனர் ஐடி DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,உகந்த வளர்ச்சிக்கு தாவரங்களின் வரிசைகள் இடையே குறைந்தபட்ச தூரம் apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,பரிந்துரைக்கப்பட்ட நடைமுறைகளைப் பெற நோயாளியைத் தேர்ந்தெடுக்கவும் @@ -165,10 +170,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,விலை பட்டியல் விற்பனை DocType: Patient,Tobacco Current Use,புகையிலை தற்போதைய பயன்பாடு apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,விலை விற்பனை -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,புதிய கணக்கைச் சேர்ப்பதற்கு முன் உங்கள் ஆவணத்தைச் சேமிக்கவும் 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 ...,எதையும் தேடுங்கள் ... DocType: Company,Phone No,இல்லை போன் DocType: Delivery Trip,Initial Email Notification Sent,ஆரம்ப மின்னஞ்சல் அறிவிப்பு அனுப்பப்பட்டது DocType: Bank Statement Settings,Statement Header Mapping,அறிக்கை தலைப்பு மேப்பிங் @@ -230,6 +235,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,ஓ DocType: Exchange Rate Revaluation Account,Gain/Loss,கெயின் / இழப்பு DocType: Crop,Perennial,வற்றாத DocType: Program,Is Published,வெளியிடப்பட்டுள்ளது +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,டெலிவரி குறிப்புகளைக் காட்டு apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","பில்லிங்கை அனுமதிக்க, கணக்கு அமைப்புகள் அல்லது உருப்படிகளில் "ஓவர் பில்லிங் கொடுப்பனவு" புதுப்பிக்கவும்." DocType: Patient Appointment,Procedure,செயல்முறை DocType: Accounts Settings,Use Custom Cash Flow Format,தனிப்பயன் காசுப் பாய்ச்சல் வடிவமைப்பு பயன்படுத்தவும் @@ -278,6 +284,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,திருப்பி பாடவேளைகள் ஓவர் எண் apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,உற்பத்தி செய்வதற்கான அளவு பூஜ்ஜியத்தை விட குறைவாக இருக்கக்கூடாது DocType: Stock Entry,Additional Costs,கூடுதல் செலவுகள் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> பிரதேசம் apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,ஏற்கனவே பரிவர்த்தனை கணக்கு குழு மாற்றப்பட முடியாது . DocType: Lead,Product Enquiry,தயாரிப்பு விசாரணை DocType: Education Settings,Validate Batch for Students in Student Group,மாணவர் குழுமத்தின் மாணவர்களுக்கான தொகுதி சரிபார்க்கவும் @@ -289,7 +296,9 @@ DocType: Employee Education,Under Graduate,பட்டதாரி கீழ் apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,HR அமைப்புகளில் விடுப்பு நிலை அறிவிப்புக்கான இயல்புநிலை வார்ப்புருவை அமைக்கவும். apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,இலக்கு DocType: BOM,Total Cost,மொத்த செலவு +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,ஒதுக்கீடு காலாவதியானது! DocType: Soil Analysis,Ca/K,Ca / கே +DocType: Leave Type,Maximum Carry Forwarded Leaves,முன்னோக்கி இலைகளை எடுத்துச் செல்லுங்கள் DocType: Salary Slip,Employee Loan,பணியாளர் கடன் DocType: Additional Salary,HR-ADS-.YY.-.MM.-,மனிதவள விளம்பரங்களிலும்-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,கட்டணம் கோரிக்கை மின்னஞ்சல் அனுப்பு @@ -299,6 +308,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,வீ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,கணக்கு அறிக்கை apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,மருந்துப்பொருள்கள் DocType: Purchase Invoice Item,Is Fixed Asset,நிலையான சொத்து உள்ளது +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,எதிர்கால கொடுப்பனவுகளைக் காட்டு DocType: Patient,HLC-PAT-.YYYY.-,ஹெச்எல்சி-பிஏடி-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,இந்த வங்கி கணக்கு ஏற்கனவே ஒத்திசைக்கப்பட்டுள்ளது DocType: Homepage,Homepage Section,முகப்புப் பிரிவு @@ -345,7 +355,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,உர apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",சீரியல் எண் மூலம் \ item {0} உடன் வழங்கப்பட்டதை உறுதி செய்ய முடியாது \ Serial No. -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,கல்வி> கல்வி அமைப்புகளில் பயிற்றுவிப்பாளர் பெயரிடும் முறையை அமைக்கவும் apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,கட்டணம் குறைந்தது ஒரு முறை பிஓஎஸ் விலைப்பட்டியல் தேவைப்படுகிறது. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},தொகுக்கப்பட்ட உருப்படிக்கு தொகுதி எண் தேவையில்லை {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,வங்கி அறிக்கை பரிவர்த்தனை விலைப்பட்டியல் பொருள் @@ -420,6 +429,7 @@ DocType: Job Offer,Select Terms and Conditions,தேர்வு விதி apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,அவுட் மதிப்பு DocType: Bank Statement Settings Item,Bank Statement Settings Item,வங்கி அறிக்கை அமைப்புகள் பொருள் DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce அமைப்புகள் +DocType: Leave Ledger Entry,Transaction Name,பரிவர்த்தனை பெயர் DocType: Production Plan,Sales Orders,விற்பனை ஆணைகள் apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,வாடிக்கையாளருக்கு பல லாய்லிட்டி திட்டம் கண்டறியப்பட்டது. கைமுறையாகத் தேர்ந்தெடுக்கவும். DocType: Purchase Taxes and Charges,Valuation,மதிப்பு மிக்க @@ -454,6 +464,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: 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,புதுப்பிக்கப்பட்டது மின்னஞ்சல் குழு DocType: POS Profile,Only show Customer of these Customer Groups,இந்த வாடிக்கையாளர் குழுக்களின் வாடிக்கையாளரை மட்டுமே காட்டுங்கள் DocType: Sales Invoice,Is Opening Entry,நுழைவு திறக்கிறது @@ -462,8 +473,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,குறிப்பிட தரமற்ற பெறத்தக்க கணக்கு பொருந்தினால் 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,இந்த தேர்வு பட்டியலுக்கு எதிராக பங்கு நுழைவு ஏற்கனவே உருவாக்கப்பட்டது DocType: Supplier Scorecard,Criteria Setup,நிபந்தனை அமைப்பு -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,கிடங்கு தேவையாக முன் சமர்ப்பிக்க +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,அன்று பெறப்பட்டது DocType: Codification Table,Medical Code,மருத்துவக் குறியீடு apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ERPNext உடன் அமேசான் இணைக்கவும் @@ -479,7 +491,7 @@ DocType: Restaurant Order Entry,Add Item,பொருள் சேர் DocType: Party Tax Withholding Config,Party Tax Withholding Config,கட்சி வரி விலக்குதல் அமைப்பு DocType: Lab Test,Custom Result,விருப்ப முடிவு apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,வங்கி கணக்குகள் சேர்க்கப்பட்டன -DocType: Delivery Stop,Contact Name,பெயர் தொடர்பு +DocType: Call Log,Contact Name,பெயர் தொடர்பு DocType: Plaid Settings,Synchronize all accounts every hour,ஒவ்வொரு மணி நேரத்திலும் எல்லா கணக்குகளையும் ஒத்திசைக்கவும் DocType: Course Assessment Criteria,Course Assessment Criteria,கோர்ஸ் மதிப்பீடு செய்க மதீப்பீட்டு DocType: Pricing Rule Detail,Rule Applied,விதி பயன்படுத்தப்பட்டது @@ -523,7 +535,6 @@ 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,விற்பனை விலைப்பட்டியல் இல்லை -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,தெரியாத எண் DocType: Website Filter Field,Website Filter Field,வலைத்தள வடிகட்டி புலம் apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,வழங்கல் வகை DocType: Material Request Item,Min Order Qty,குறைந்தபட்ச ஆணை அளவு @@ -551,7 +562,6 @@ DocType: Salary Slip,Total Principal Amount,மொத்த முதன்ம DocType: Student Guardian,Relation,உறவு DocType: Quiz Result,Correct,சரி DocType: Student Guardian,Mother,தாய் -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,முதலில் site_config.json இல் செல்லுபடியாகும் பிளேட் API விசைகளைச் சேர்க்கவும் DocType: Restaurant Reservation,Reservation End Time,இட ஒதுக்கீடு முடிவு நேரம் DocType: Crop,Biennial,பையனியல் ,BOM Variance Report,பொருள் பட்டியல் மாறுபாடு அறிக்கை @@ -567,6 +577,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,பிளேட் பொது விசை DocType: Payment Term,Payment Term Name,கட்டண கால பெயர் DocType: Healthcare Settings,Create documents for sample collection,மாதிரி சேகரிப்புக்காக ஆவணங்களை உருவாக்கவும் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},எதிராக செலுத்தும் {0} {1} மிகச்சிறந்த காட்டிலும் அதிகமாக இருக்க முடியாது {2} @@ -614,12 +625,14 @@ DocType: POS Profile,Offline POS Settings,ஆஃப்லைன் பிஓஎ DocType: Stock Entry Detail,Reference Purchase Receipt,குறிப்பு கொள்முதல் ரசீது DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,மாறுபாடு -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',அது 'அளவு உற்பத்தி செய்ய' நிறைவு அளவு அதிகமாக இருக்க முடியாது +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',அது 'அளவு உற்பத்தி செய்ய' நிறைவு அளவு அதிகமாக இருக்க முடியாது +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,காலம் அடிப்படையில் DocType: Period Closing Voucher,Closing Account Head,கணக்கு தலைமை மூடுவதற்கு DocType: Employee,External Work History,வெளி வேலை வரலாறு apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,வட்ட குறிப்பு பிழை apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,மாணவர் அறிக்கை அட்டை apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,பின் குறியீடு இருந்து +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,விற்பனை நபரைக் காட்டு DocType: Appointment Type,Is Inpatient,உள்நோயாளி apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 பெயர் DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,நீங்கள் டெலிவரி குறிப்பு சேமிக்க முறை வேர்ட்ஸ் (ஏற்றுமதி) காண முடியும். @@ -634,6 +647,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,பரிமாண பெயர் apps/erpnext/erpnext/healthcare/setup.py,Resistant,எதிர்ப்பு apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},{@} ஹோட்டல் அறை விகிதத்தை தயவுசெய்து அமைக்கவும் +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும் DocType: Journal Entry,Multi Currency,பல நாணய DocType: Bank Statement Transaction Invoice Item,Invoice Type,விலைப்பட்டியல் வகை apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,தேதியிலிருந்து செல்லுபடியாகும் தேதி வரை செல்லுபடியாகும் @@ -652,6 +666,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,ஒப்பு DocType: Workstation,Rent Cost,வாடகை செலவு 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,தொகை தேய்மானம் பிறகு apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,எதிர்வரும் நாட்காட்டி நிகழ்வுகள் apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,மாற்று காரணிகள் @@ -740,7 +755,6 @@ DocType: Request for Quotation,Request for Quotation,விலைப்பட் 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,விற்பனை நபரை அச்சில் காட்டு 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,வலிமை @@ -748,7 +762,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,ஒரு புதிய வாடிக்கையாளர் உருவாக்கவும் apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,காலாவதியாகும் apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","பல விலை விதிகள் நிலவும் தொடர்ந்து இருந்தால், பயனர்கள் முரண்பாட்டை தீர்க்க கைமுறையாக முன்னுரிமை அமைக்க கேட்கப்பட்டது." -DocType: Purchase Invoice,Scan Barcode,பார்கோடு ஸ்கேன் apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,கொள்முதல் ஆணைகள் உருவாக்க ,Purchase Register,பதிவு வாங்குவதற்கு apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,நோயாளி இல்லை @@ -807,6 +820,7 @@ DocType: Account,Old Parent,பழைய பெற்றோர் apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,கட்டாய துறையில் - கல்வி ஆண்டு apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,கட்டாய துறையில் - கல்வி ஆண்டு apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} {2} உடன் தொடர்புடையது இல்லை {3} +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 @@ -848,6 +862,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,டைம் ஷீட் சார்ந்த சம்பளம் சம்பளம் உபகரண. DocType: Driver,Applicable for external driver,வெளிப்புற இயக்கிக்கு பொருந்தும் DocType: Sales Order Item,Used for Production Plan,உற்பத்தி திட்டத்தை பயன்படுத்திய +DocType: BOM,Total Cost (Company Currency),மொத்த செலவு (நிறுவன நாணயம்) DocType: Loan,Total Payment,மொத்த கொடுப்பனவு apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,முழுமையான வேலை ஆணைக்கான பரிவர்த்தனை ரத்துசெய்ய முடியாது. DocType: Manufacturing Settings,Time Between Operations (in mins),(நிமிடங்கள்) செயல்களுக்கு இடையே நேரம் @@ -868,6 +883,7 @@ DocType: Supplier Scorecard Standing,Notify Other,பிற அறிவிக DocType: Vital Signs,Blood Pressure (systolic),இரத்த அழுத்தம் (சிஸ்டாலிக்) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} என்பது {2} DocType: Item Price,Valid Upto,வரை செல்லுபடியாகும் +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.,உங்கள் வாடிக்கையாளர்களுக்கு ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் . @@ -929,6 +945,7 @@ DocType: Patient,Risk Factors,ஆபத்து காரணிகள் DocType: Patient,Occupational Hazards and Environmental Factors,தொழில் அபாயங்கள் மற்றும் சுற்றுச்சூழல் காரணிகள் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,வேலை உள்ளீடுகளை ஏற்கனவே பதிவு செய்துள்ளன apps/erpnext/erpnext/templates/pages/cart.html,See past orders,கடந்த ஆர்டர்களைப் பார்க்கவும் +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} உரையாடல்கள் DocType: Vital Signs,Respiratory rate,சுவாச விகிதம் apps/erpnext/erpnext/config/help.py,Managing Subcontracting,நிர்வாக உப ஒப்பந்தமிடல் DocType: Vital Signs,Body Temperature,உடல் வெப்பநிலை @@ -969,6 +986,7 @@ DocType: Purchase Invoice,Registered Composition,பதிவுசெய்ய apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,வணக்கம் apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,உருப்படியை DocType: Employee Incentive,Incentive Amount,ஊக்க தொகை +,Employee Leave Balance Summary,பணியாளர் விடுப்பு இருப்பு சுருக்கம் DocType: Serial No,Warranty Period (Days),உத்தரவாதத்தை காலம் (நாட்கள்) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,மொத்த கிரெடிட் / டெபிட் தொகை இணைக்கப்பட்ட ஜர்னல் நுழைவு போலவே இருக்க வேண்டும் DocType: Installation Note Item,Installation Note Item,நிறுவல் குறிப்பு பொருள் @@ -982,6 +1000,7 @@ DocType: Vital Signs,Bloated,செருக்கான DocType: Salary Slip,Salary Slip Timesheet,சம்பளம் ஸ்லிப் டைம் ஷீட் apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,துணை ஒப்பந்த கொள்முதல் ரசீது கட்டாயமாக வழங்குபவர் கிடங்கு DocType: Item Price,Valid From,செல்லுபடியான +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,உங்கள் மதிப்பீடு: DocType: Sales Invoice,Total Commission,மொத்த ஆணையம் DocType: Tax Withholding Account,Tax Withholding Account,வரி விலக்கு கணக்கு DocType: Pricing Rule,Sales Partner,விற்பனை வரன்வாழ்க்கை துணை @@ -989,6 +1008,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,எல்லா DocType: Buying Settings,Purchase Receipt Required,கொள்முதல் ரசீது தேவை DocType: Sales Invoice,Rail,ரயில் apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,சரியான விலை +DocType: Item,Website Image,வலைத்தள படம் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,"வரிசை வரிசையில் {0} இலக்குக் கிடங்கானது, வேலை ஆணை போலவே இருக்க வேண்டும்" apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,ஆரம்ப இருப்பு உள்ளிட்ட மதிப்பீட்டு மதிப்பீடு அத்தியாவசியமானதாகும் apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,விலைப்பட்டியல் அட்டவணை காணப்படவில்லை பதிவுகள் @@ -1020,8 +1040,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Receive at Warehou 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,உங்கள் கணக்கை ஒத்திசைப்பதற்கு முன் உங்கள் பிளேட் API உள்ளமைவை முடிக்கவும் apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,அரை நாள் தேதி கட்டாயமாகும் DocType: Sales Order,Billing and Delivery Status,பில்லிங் மற்றும் டெலிவரி நிலை DocType: Job Applicant,Resume Attachment,துவைக்கும் இயந்திரம் இணைப்பு @@ -1033,7 +1053,6 @@ DocType: Production Plan,Production Plan,உற்பத்தி திட் DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,விலைப்பட்டியல் உருவாக்கம் கருவியைத் திறக்கிறது DocType: Salary Component,Round to the Nearest Integer,அருகிலுள்ள முழு எண்ணுக்கு சுற்று apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,விற்பனை Return -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,குறிப்பு: மொத்த ஒதுக்கீடு இலைகள் {0} ஏற்கனவே ஒப்புதல் இலைகள் குறைவாக இருக்க கூடாது {1} காலம் DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,சீரியல் இல்லை உள்ளீடு அடிப்படையிலான பரிமாற்றங்களில் Qty ஐ அமைக்கவும் ,Total Stock Summary,மொத்த பங்கு சுருக்கம் DocType: Announcement,Posted By,பதிவிட்டவர் @@ -1059,6 +1078,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.," apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,அசல் தொகை DocType: Loan Application,Total Payable Interest,மொத்த செலுத்த வேண்டிய வட்டி apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},மொத்த நிலுவை: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,திறந்த தொடர்பு 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,வங்கி நுழைவு செய்ய கொடுப்பனவு கணக்கு தேர்ந்தெடுக்கவும் @@ -1067,6 +1087,7 @@ 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,புதுப்பிப்பு செயல்பாட்டின் போது பிழை ஏற்பட்டது DocType: Restaurant Reservation,Restaurant Reservation,உணவக முன்பதிவு +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,உங்கள் பொருட்கள் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,மானசாவுடன் DocType: Payment Entry Deduction,Payment Entry Deduction,கொடுப்பனவு நுழைவு விலக்கு DocType: Service Level Priority,Service Level Priority,சேவை நிலை முன்னுரிமை @@ -1075,6 +1096,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,தொகுதி எண் தொடர் apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,மற்றொரு விற்பனைப் {0} அதே பணியாளர் ஐடி கொண்டு உள்ளது DocType: Employee Advance,Claimed Amount,உரிமைகோரப்பட்ட தொகை +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,ஒதுக்கீடு காலாவதியாகிறது DocType: QuickBooks Migrator,Authorization Settings,அங்கீகார அமைப்புகள் DocType: Travel Itinerary,Departure Datetime,புறப்படும் நேரம் apps/erpnext/erpnext/hub_node/api.py,No items to publish,வெளியிட உருப்படிகள் இல்லை @@ -1143,7 +1165,6 @@ DocType: Student Batch Name,Batch Name,தொகுதி பெயர் DocType: Fee Validity,Max number of visit,விஜயத்தின் அதிகபட்ச எண்ணிக்கை DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,லாப இழப்பு கணக்கிற்கு கட்டாயமாகும் ,Hotel Room Occupancy,ஹோட்டல் அறை ஆக்கிரமிப்பு -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,டைம் ஷீட் உருவாக்கப்பட்ட: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},கொடுப்பனவு முறையில் இயல்புநிலை பண அல்லது வங்கி கணக்கு அமைக்கவும் {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,பதிவுசெய்யவும் DocType: GST Settings,GST Settings,ஜிஎஸ்டி அமைப்புகள் @@ -1274,6 +1295,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,தேர்ந்தெடுக்கவும் திட்டம் DocType: Project,Estimated Cost,விலை மதிப்பீடு DocType: Request for Quotation,Link to material requests,பொருள் கோரிக்கைகளை இணைப்பு +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,வெளியிடு apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,வான்வெளி ,Fichier des Ecritures Comptables [FEC],ஃபிஷியர் டெஸ் எக்சிரிச்சர் காம்பப்டுகள் [FEC] DocType: Journal Entry,Credit Card Entry,கடன் அட்டை நுழைவு @@ -1300,6 +1322,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,நடப்பு சொத்துக்கள் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} ஒரு பங்கு பொருள் அல்ல apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',பயிற்சிக்கான உங்கள் கருத்துக்களை 'பயிற்சியளிப்பு' மற்றும் 'புதிய' +DocType: Call Log,Caller Information,அழைப்பாளர் தகவல் DocType: Mode of Payment Account,Default Account,முன்னிருப்பு கணக்கு apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,முதலில் ஸ்டோரி அமைப்புகளில் மாதிரி தக்கவைப்பு கிடங்கு தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,ஒன்றுக்கு மேற்பட்ட தொகுப்பு விதிமுறைகளுக்கு பல அடுக்கு வகை வகைகளை தேர்ந்தெடுக்கவும். @@ -1324,6 +1347,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,ஆட்டோ பொருள் கோரிக்கைகள் உருவாக்கிய DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),அரை நாள் குறிக்கப்பட்டுள்ள வேலை நேரம் கீழே. (முடக்க பூஜ்ஜியம்) DocType: Job Card,Total Completed Qty,மொத்தம் முடிக்கப்பட்டது +DocType: HR Settings,Auto Leave Encashment,ஆட்டோ லீவ் என்காஷ்மென்ட் apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,லாஸ்ட் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,"நீங்கள் பத்தியில், 'ஜர்னல் ஆஃப் நுழைவு எதிராக' தற்போதைய ரசீது நுழைய முடியாது" DocType: Employee Benefit Application Detail,Max Benefit Amount,மேக்ஸ் பெனிஃபிட் தொகை @@ -1353,8 +1377,10 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,சந்தாதாரர் DocType: Item Attribute Value,Item Attribute Value,பொருள் மதிப்பு பண்பு apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,நாணய மாற்றுதல் வாங்குதல் அல்லது விற்பனைக்கு பொருந்தும். +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,காலாவதியான ஒதுக்கீட்டை மட்டுமே ரத்து செய்ய முடியும் DocType: Item,Maximum sample quantity that can be retained,தக்கவைத்துக்கொள்ளக்கூடிய அதிகபட்ச மாதிரி அளவு apps/erpnext/erpnext/config/crm.py,Sales campaigns.,விற்பனை பிரச்சாரங்களை . +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,தெரியாத அழைப்பாளர் DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1405,6 +1431,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ஹெல apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc பெயர் DocType: Expense Claim Detail,Expense Claim Type,செலவு கோரிக்கை வகை DocType: Shopping Cart Settings,Default settings for Shopping Cart,வண்டியில் இயல்புநிலை அமைப்புகளை +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,பொருளைச் சேமிக்கவும் apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,புதிய செலவு apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,ஏற்கனவே உள்ள ஆர்டர் செய்யப்பட்ட Qty ஐ புறக்கணிக்கவும் apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,டைம்ஸ்லோட்டைச் சேர் @@ -1416,6 +1443,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,அழைப்பிதழ் அனுப்பவும் DocType: Shift Assignment,Shift Assignment,ஷிஃப்ட் நியமித்தல் DocType: Employee Transfer Property,Employee Transfer Property,பணியாளர் மாற்றம் சொத்து +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,புலம் ஈக்விட்டி / பொறுப்புக் கணக்கு காலியாக இருக்க முடியாது apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,நேரத்திலிருந்து நேரம் குறைவாக இருக்க வேண்டும் 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,அலுவலகம் பராமரிப்பு செலவுகள் @@ -1495,11 +1523,13 @@ 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,புதிய தொடர்பை உருவாக்கவும் apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,பாடநெறி அட்டவணை DocType: GSTR 3B Report,GSTR 3B Report,ஜிஎஸ்டிஆர் 3 பி அறிக்கை DocType: Request for Quotation Supplier,Quote Status,Quote நிலை DocType: GoCardless Settings,Webhooks Secret,Webhooks ரகசியம் DocType: Maintenance Visit,Completion Status,நிறைவு நிலைமை +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},மொத்த கொடுப்பனவு தொகை {than ஐ விட அதிகமாக இருக்கக்கூடாது DocType: Daily Work Summary Group,Select Users,பயனர்களைத் தேர்ந்தெடுக்கவும் DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ஹோட்டல் அறை விலையிடல் பொருள் DocType: Loyalty Program Collection,Tier Name,அடுக்கு பெயர் @@ -1537,6 +1567,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST த DocType: Lab Test Template,Result Format,முடிவு வடிவமைப்பு DocType: Expense Claim,Expenses,செலவுகள் DocType: Service Level,Support Hours,ஆதரவு மணி +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,டெலிவரி குறிப்புகள் DocType: Item Variant Attribute,Item Variant Attribute,பொருள் மாற்று கற்பிதம் ,Purchase Receipt Trends,ரிசிப்ட் போக்குகள் வாங்குவதற்கு DocType: Payroll Entry,Bimonthly,இருமாதங்களுக்கு ஒருமுறை @@ -1559,7 +1590,6 @@ DocType: Sales Team,Incentives,செயல் தூண்டுதல் DocType: SMS Log,Requested Numbers,கோரப்பட்ட எண்கள் DocType: Volunteer,Evening,சாயங்காலம் DocType: Quiz,Quiz Configuration,வினாடி வினா கட்டமைப்பு -DocType: Customer,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,பங்கு விபரங்கள் @@ -1606,7 +1636,6 @@ apps/erpnext/erpnext/config/accounting.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 வடிகட்டி -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},ஆபரேஷன் அடுத்த {0} நாட்கள் நேரத்தில் கண்டுபிடிக்க முடியவில்லை {1} DocType: Work Order,Plan material for sub-assemblies,துணை கூட்டங்கள் திட்டம் பொருள் 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,இடமாற்றத்திற்கான உருப்படிகளும் கிடைக்கவில்லை @@ -1620,9 +1649,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,மறு ஒழுங்கு நிலைகளை பராமரிக்க பங்கு அமைப்புகளில் தானாக மறு வரிசையை இயக்க வேண்டும். apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,இந்த பராமரிப்பு பணிகள் முன் பொருள் வருகைகள் {0} ரத்து DocType: Pricing Rule,Rate or Discount,விகிதம் அல்லது தள்ளுபடி +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,வங்கி விவரங்கள் DocType: Vital Signs,One Sided,ஒரு பக்கம் apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},தொடர் இல {0} பொருள் அல்ல {1} -DocType: Purchase Receipt Item Supplied,Required Qty,தேவையான அளவு +DocType: Purchase Order Item Supplied,Required Qty,தேவையான அளவு DocType: Marketplace Settings,Custom Data,தனிப்பயன் தரவு apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,தற்போதுள்ள பரிவர்த்தனை கிடங்குகள் பேரேடு மாற்றப்பட முடியாது. DocType: Service Day,Service Day,சேவை நாள் @@ -1650,7 +1680,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,கணக்கு நாணய DocType: Lab Test,Sample ID,மாதிரி ஐடி apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,நிறுவனத்தின் வட்ட இனிய கணக்கு குறிப்பிடவும் -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,எல்லை DocType: Supplier,Default Payable Accounts,இயல்புநிலை செலுத்தத்தக்க கணக்குகள் apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,பணியாளர் {0} செயலில் இல்லை அல்லது இல்லை @@ -1691,8 +1720,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,தகவல் கோரிக்கை DocType: Course Activity,Activity Date,செயல்பாட்டு தேதி apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} of {} -,LeaderBoard,முன்னிலை DocType: Sales Invoice Item,Rate With Margin (Company Currency),மார்ஜின் விகிதம் (நிறுவனத்தின் நாணயம்) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,வகைகள் apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,ஒத்திசைவு ஆஃப்லைன் பொருள் DocType: Payment Request,Paid,Paid DocType: Service Level,Default Priority,இயல்புநிலை முன்னுரிமை @@ -1727,11 +1756,11 @@ 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,மறைமுக வருமானம் DocType: Student Attendance Tool,Student Attendance Tool,மாணவர் வருகை கருவி DocType: Restaurant Menu,Price List (Auto created),விலை பட்டியல் (தானாக உருவாக்கப்பட்டது) +DocType: Pick List Item,Picked Qty,Qty எடுக்கப்பட்டது DocType: Cheque Print Template,Date Settings,தேதி அமைப்புகள் 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,பணியாளர் ஊக்குவிப்பு விபரம் -,Company Name,நிறுவனத்தின் பெயர் DocType: SMS Center,Total Message(s),மொத்த செய்தி (கள்) DocType: Share Balance,Purchased,வாங்கப்பட்டது DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,பொருள் பண்புக்கூறில் பண்புக்கூறு மதிப்பு பெயரிடவும். @@ -1750,7 +1779,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,சமீபத்திய முயற்சி 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} -DocType: BOM,Raw Material Cost(Company Currency),மூலப்பொருட்களின் விலை (நிறுவனத்தின் நாணய) 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,மீட்டர் @@ -1816,6 +1844,7 @@ DocType: Travel Itinerary,Train,ரயில் ,Delayed Item Report,தாமதமான உருப்படி அறிக்கை apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,தகுதியான ஐ.டி.சி. DocType: Healthcare Service Unit,Inpatient Occupancy,உள்நோயாளி ஆக்கிரமிப்பு +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,உங்கள் முதல் உருப்படிகளை வெளியிடுங்கள் DocType: Sample Collection,HLC-SC-.YYYY.-,ஹெச்எல்சி-எஸ்சி-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"ஷிப்ட் முடிவடைந்த நேரம், வருகைக்கு செக்-அவுட் கருதப்படுகிறது." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},தயவு செய்து குறிப்பிட ஒரு {0} @@ -1933,6 +1962,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,அனைத்து BOM கள் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,இன்டர் கம்பெனி ஜர்னல் உள்ளீட்டை உருவாக்கவும் DocType: Company,Parent Company,பெற்றோர் நிறுவனம் +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,மூலப்பொருட்கள் மற்றும் செயல்பாடுகளில் ஏற்படும் மாற்றங்களுக்கு BOM களை ஒப்பிடுக apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,ஆவணம் {0} வெற்றிகரமாக தெளிவாக இல்லை DocType: Healthcare Practitioner,Default Currency,முன்னிருப்பு நாணயத்தின் apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,இந்த கணக்கை மீண்டும் சரிசெய்யவும் @@ -1967,6 +1997,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,சி படிவம் விலைப்பட்டியல் விரிவாக DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,கொடுப்பனவு நல்லிணக்க விலைப்பட்டியல் DocType: Clinical Procedure,Procedure Template,நடைமுறை வார்ப்புரு +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,உருப்படிகளை வெளியிடுங்கள் apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,பங்களிப்பு% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","வாங்குதல் அமைப்புகள் படி கொள்முதல் ஆணை தேவைப்பட்டால் == 'ஆம்', பின்னர் கொள்முதல் விலைப்பட்டியல் உருவாக்கும், பயனர் உருப்படியை முதல் கொள்முதல் ஆணை உருவாக்க வேண்டும் {0}" ,HSN-wise-summary of outward supplies,எச்.எஸ்.என் வாரியான-வெளிப்புற பொருட்கள் பற்றிய சுருக்கம் @@ -1978,7 +2009,6 @@ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,வண்டி apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',அமைக்க மேலும் கூடுதல் தள்ளுபடி விண்ணப்பிக்கவும் 'தயவு செய்து DocType: Party Tax Withholding Config,Applicable Percent,பொருந்தும் சதவீதம் ,Ordered Items To Be Billed,கணக்கில் வேண்டும் உத்தரவிட்டது உருப்படிகள் -DocType: Employee Checkin,Exit Grace Period Consequence,கிரேஸ் கால விளைவுகளிலிருந்து வெளியேறு apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,ரேஞ்ச் குறைவாக இருக்க வேண்டும் இருந்து விட வரையறைக்கு DocType: Global Defaults,Global Defaults,உலக இயல்புநிலைகளுக்கு apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,திட்ட கூட்டு அழைப்பிதழ் @@ -1986,13 +2016,11 @@ DocType: Salary Slip,Deductions,விலக்கிற்கு DocType: Setup Progress Action,Action Name,அதிரடி பெயர் apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,தொடக்க ஆண்டு apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,கடனை உருவாக்குங்கள் -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,தற்போதைய விலைப்பட்டியல் நேரத்தில் தேதி தொடங்கும் DocType: Shift Type,Process Attendance After,செயல்முறை வருகை பின்னர் ,IRS 1099,ஐஆர்எஸ் 1099 DocType: Salary Slip,Leave Without Pay,சம்பளமில்லா விடுப்பு DocType: Payment Request,Outward,வெளிப்புறமாக -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,கொள்ளளவு திட்டமிடுதல் பிழை apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,மாநில / யூடி வரி ,Trial Balance for Party,கட்சி சோதனை இருப்பு ,Gross and Net Profit Report,மொத்த மற்றும் நிகர லாப அறிக்கை @@ -2010,7 +2038,6 @@ DocType: Bank Statement Transaction Entry,Payment Invoice Items,கட்டண DocType: Payroll Entry,Employee Details,பணியாளர் விவரங்கள் DocType: Amazon MWS Settings,CN,சிஎன் DocType: Item Variant Settings,Fields will be copied over only at time of creation.,உருவாக்கம் நேரத்தில் மட்டுமே புலங்கள் நகலெடுக்கப்படும். -DocType: Setup Progress Action,Domains,களங்கள் 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,செலுத்துவோரை அமைப்புகள் @@ -2051,7 +2078,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,மொத 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.","பணம் செலுத்தும் முறை உள்ளமைக்கப்படவில்லை. கணக்கு கொடுப்பனவு முறை அல்லது பிஓஎஸ் பதிவு செய்தது பற்றி அமைக்க என்பதையும், சரிபார்க்கவும்." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,அதே பொருளைப் பலமுறை உள்ளிட முடியாது. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","மேலும் கணக்குகளை குழுக்கள் கீழ் செய்யப்பட்ட, ஆனால் உள்ளீடுகளை அல்லாத குழுக்கள் எதிராகவும் முடியும்" -DocType: Email Campaign,Lead,தலைமை +DocType: Call Log,Lead,தலைமை DocType: Email Digest,Payables,Payables DocType: Amazon MWS Settings,MWS Auth Token,MWS அங்கீகார டோக்கன் DocType: Email Campaign,Email Campaign For ,மின்னஞ்சல் பிரச்சாரம் @@ -2062,6 +2089,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,"பில்லிங் செய்யப்படும் விதமே இருக்கவும் செய்ய வாங்குதல், ஆர்டர் உருப்படிகள்" 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,கடன் வரம்புகள் DocType: Purchase Invoice Item,Net Rate,நிகர விகிதம் apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,ஒரு வாடிக்கையாளரைத் தேர்ந்தெடுக்கவும் DocType: Leave Policy,Leave Allocations,ஒதுக்கீடு விடுப்பு @@ -2075,6 +2103,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,நாட்கள் பிறகு மூடு வெளியீடு ,Eway Bill,ஈவ் பில் apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,சந்தையில் பயனர்களை சேர்க்க கணினி மேலாளர் மற்றும் பொருள் மேலாளர் பாத்திரங்களைக் கொண்ட பயனராக இருக்க வேண்டும். +DocType: Attendance,Early Exit,ஆரம்ப வெளியேறு DocType: Job Opening,Staffing Plan,பணியிட திட்டம் apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,சமர்ப்பிக்கப்பட்ட ஆவணத்திலிருந்து மட்டுமே ஈ-வே பில் JSON ஐ உருவாக்க முடியும் apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,பணியாளர் வரி மற்றும் நன்மைகள் @@ -2097,6 +2126,7 @@ DocType: Maintenance Team Member,Maintenance Role,பராமரிப்பு apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},பிரதி வரிசையில் {0} அதே {1} DocType: Marketplace Settings,Disable Marketplace,Marketplace ஐ முடக்கு DocType: Quality Meeting,Minutes,நிமிடங்கள் +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,உங்கள் சிறப்பு உருப்படிகள் ,Trial Balance,விசாரணை இருப்பு apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,காட்டு முடிந்தது apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,நிதியாண்டு {0} காணவில்லை @@ -2106,8 +2136,8 @@ 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,முதல் முன்னொட்டு தேர்வு செய்க DocType: Contract,Fulfilment Deadline,பூர்த்தி நிறைவேற்றுதல் +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,உன் அருகே DocType: Student,O-,O- -DocType: Shift Type,Consequence,விளைவு DocType: Subscription Settings,Subscription Settings,சந்தா அமைப்புகள் DocType: Purchase Invoice,Update Auto Repeat Reference,ஆட்டோ மீண்டும் மீண்டும் குறிப்பு புதுப்பிக்கவும் apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},விருப்பமான விடுமுறை பட்டியல் விடுமுறை காலத்திற்கு அமைக்கப்படவில்லை {0} @@ -2118,7 +2148,6 @@ DocType: Maintenance Visit Purpose,Work Done,வேலை apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,காரணிகள் அட்டவணை குறைந்தது ஒரு கற்பிதம் குறிப்பிட தயவு செய்து DocType: Announcement,All Students,அனைத்து மாணவர்கள் apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,பொருள் {0} ஒரு பங்கற்ற பொருளாக இருக்க வேண்டும் -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,வங்கி விவரங்கள் apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,காட்சி லெட்ஜர் DocType: Grading Scale,Intervals,இடைவெளிகள் DocType: Bank Statement Transaction Entry,Reconciled Transactions,மறுகட்டமைக்கப்பட்ட பரிவர்த்தனைகள் @@ -2154,6 +2183,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",விற்பனை ஆணைகளை உருவாக்க இந்த கிடங்கு பயன்படுத்தப்படும். குறைவடையும் கிடங்கு "கடைகள்". DocType: Work Order,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,கொள்முதல் சுழற்சி முழுவதும் ஒரே விகிதத்தை பராமரிக்க DocType: Opportunity Item,Opportunity Item,வாய்ப்பு தகவல்கள் DocType: Quality Action,Quality Review,தர விமர்சனம் @@ -2180,7 +2210,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,சிறந்த பற்றுச்சீட்டுகள் கிடைக்கும் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,விற்பனை ஆணை {0} தவறானது +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,மேற்கோள்களுக்கான புதிய கோரிக்கைக்கு எச்சரிக்கவும் apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,கொள்முதல் ஆணைகள் நீ திட்டமிட உதவும் உங்கள் கொள்முதல் சரி வர apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,லேப் சோதனை பரிந்துரைப்புகள் @@ -2204,6 +2234,7 @@ DocType: Employee Onboarding,Notify users by email,மின்னஞ்சல DocType: Travel Request,International,சர்வதேச DocType: Training Event,Training Event,பயிற்சி நிகழ்வு DocType: Item,Auto re-order,வாகன மறு ஒழுங்கு +DocType: Attendance,Late Entry,தாமதமாக நுழைவு apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,மொத்த Achieved DocType: Employee,Place of Issue,இந்த இடத்தில் DocType: Promotional Scheme,Promotional Scheme Price Discount,விளம்பரத் திட்ட விலை தள்ளுபடி @@ -2248,6 +2279,7 @@ DocType: Serial No,Serial No Details,தொடர் எண் விவர DocType: Purchase Invoice Item,Item Tax Rate,பொருள் வரி விகிதம் apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,கட்சி பெயர் இருந்து apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,நிகர சம்பள தொகை +DocType: Pick List,Delivery against Sales Order,விற்பனை ஆணைக்கு எதிரான விநியோகம் DocType: Student Group Student,Group Roll Number,குழு ரோல் எண் DocType: Student Group Student,Group Roll Number,குழு ரோல் எண் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",{0} மட்டுமே கடன் கணக்குகள் மற்றொரு பற்று நுழைவு எதிராக இணைக்கப்பட்ட ஐந்து @@ -2321,7 +2353,6 @@ DocType: Contract,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,வழங்குபவர் விலைப்பட்டியல் தேதி -DocType: Asset Settings,This value is used for pro-rata temporis calculation,சார்பு rata temporis கணக்கீட்டில் இந்த மதிப்பு பயன்படுத்தப்படுகிறது apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,வண்டியில் செயல்படுத்த வேண்டும் DocType: Payment Entry,Writeoff,Writeoff DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS இயக்க-.YYYY.- @@ -2345,7 +2376,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,செயலற்ற விற்பனை பொருட்கள் DocType: Quality Review,Additional Information,கூடுதல் தகவல் apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,மொத்த ஒழுங்கு மதிப்பு -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,சேவை நிலை ஒப்பந்தம் மீட்டமை. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,உணவு apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,வயதான ரேஞ்ச் 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,பிஓஎஸ் நிறைவு வவுச்சர் விவரங்கள் @@ -2390,6 +2420,7 @@ 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,பிரச்சாரம் 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',அங்கீகாரநிலையை அங்கீகரிக்கப்பட்ட 'அல்லது' நிராகரிக்கப்பட்டது ' DocType: Healthcare Practitioner,Contacts and Address,தொடர்புகள் மற்றும் முகவரி DocType: Shift Type,Determine Check-in and Check-out,செக்-இன் மற்றும் செக்-அவுட்டை தீர்மானிக்கவும் @@ -2409,7 +2440,6 @@ DocType: Student Admission,Eligibility and Details,தகுதி மற்ற apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,மொத்த லாபத்தில் சேர்க்கப்பட்டுள்ளது apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,நிலையான சொத்து நிகர மாற்றம் apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,வாடிக்கையாளர் குறியீடு apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,வகை வரிசையில் {0} ல் ' உண்மையான ' பொறுப்பு மதிப்பிட சேர்க்கப்பட்டுள்ளது முடியாது apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},அதிகபட்சம்: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,தேதி நேரம் இருந்து @@ -2478,6 +2508,7 @@ DocType: Journal Entry Account,Account Balance,கணக்கு இருப apps/erpnext/erpnext/config/accounting.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 (%),ஓவர் டிரான்ஸ்ஃபர் அலவன்ஸ் (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: வாடிக்கையாளர் பெறத்தக்க கணக்கு எதிராக தேவைப்படுகிறது {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),மொத்த வரி மற்றும் கட்டணங்கள் (நிறுவனத்தின் கரன்சி) DocType: Weather,Weather Parameter,வானிலை அளவுரு @@ -2538,6 +2569,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,இல்லாத நே apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,மொத்த செலவுகளின் அடிப்படையில் பல அடுக்கு சேகரிப்பு காரணி இருக்கலாம். ஆனால் மீட்புக்கான மாற்றுக் காரணி எப்பொழுதும் அனைத்து அடுக்குகளுக்கும் ஒரேமாதிரியாக இருக்கும். apps/erpnext/erpnext/config/help.py,Item Variants,பொருள் மாறிகள் apps/erpnext/erpnext/public/js/setup_wizard.js,Services,சேவைகள் +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,ஊழியர் மின்னஞ்சல் சம்பள விபரம் DocType: Cost Center,Parent Cost Center,பெற்றோர் செலவு மையம் @@ -2548,7 +2580,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields"," DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Shipify இல் Shopify இலிருந்து டெலிவரி குறிப்புகள் இறக்குமதி apps/erpnext/erpnext/templates/pages/projects.html,Show closed,மூடப்பட்டது காட்டு DocType: Issue Priority,Issue Priority,முன்னுரிமை வழங்குதல் -DocType: Leave Type,Is Leave Without Pay,சம்பளமில்லா விடுப்பு +DocType: Leave Ledger Entry,Is Leave Without Pay,சம்பளமில்லா விடுப்பு apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,சொத்து வகை நிலையான சொத்து உருப்படியை அத்தியாவசியமானதாகும் DocType: Fee Validity,Fee Validity,கட்டணம் செல்லுபடியாகும் @@ -2620,6 +2652,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,இரு வழி DocType: Item,Manufacturers,உற்பத்தியாளர்கள் @@ -2656,7 +2689,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,வங்கி நல்லிணக்க அறிக்கை DocType: Patient Encounter,Medical Coding,மருத்துவ குறியீட்டு DocType: Healthcare Settings,Reminder Message,நினைவூட்டல் செய்தி -,Lead Name,முன்னணி பெயர் +DocType: Call Log,Lead Name,முன்னணி பெயர் ,POS,பிஓஎஸ் DocType: C-Form,III,மூன்றாம் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,prospecting @@ -2688,12 +2721,14 @@ DocType: Purchase Invoice,Supplier Warehouse,வழங்குபவர் க DocType: Opportunity,Contact Mobile No,மொபைல் எண் தொடர்பு apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,நிறுவனம் தேர்ந்தெடு ,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: Student Report Generation Tool,Print Section,பிரிவை பிரி DocType: Staffing Plan Detail,Estimated Cost Per Position,நிலைக்கு மதிப்பீடு செய்யப்படும் செலவு DocType: Employee,HR-EMP-,மனிதவள-EMP- 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,தரமான சந்திப்பு நிமிடங்கள் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,ஊழியர் பரிந்துரை DocType: Student Group,Set 0 for no limit,எந்த எல்லை 0 அமை apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,நீங்கள் விடுப்பு விண்ணப்பிக்கும் எந்த நாள் (கள்) விடுமுறை. நீங்கள் விடுப்பு விண்ணப்பிக்க வேண்டும். @@ -2725,12 +2760,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,பண நிகர மாற்றம் DocType: Assessment Plan,Grading Scale,தரம் பிரித்தல் ஸ்கேல் apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,நடவடிக்கை அலகு {0} மேலும் மாற்று காரணி அட்டவணை முறை விட உள்ளிட்ட -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,ஏற்கனவே நிறைவு apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,கை பங்கு apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",பயன்பாட்டிற்கு \ pro-rata கூறு என மீதமுள்ள நன்மைகளை {0} சேர்க்கவும் apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',பொது நிர்வாகத்திற்கான நிதிக் குறியீட்டை அமைக்கவும் '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},பணம் கோரிக்கை ஏற்கனவே உள்ளது {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,வெளியிடப்படுகிறது பொருட்களை செலவு DocType: Healthcare Practitioner,Hospital,மருத்துவமனையில் apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},அளவு அதிகமாக இருக்க கூடாது {0} @@ -2774,6 +2807,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,மனித வளங்கள் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,உயர் வருமானம் DocType: Item Manufacturer,Item Manufacturer,பொருள் உற்பத்தியாளர் +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,புதிய ஈயத்தை உருவாக்கவும் DocType: BOM Operation,Batch Size,தொகுதி அளவு apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,நிராகரி DocType: Journal Entry Account,Debit in Company Currency,நிறுவனத்தின் நாணய பற்று @@ -2793,7 +2827,9 @@ DocType: Bank Transaction,Reconciled,ஒருமைப்படுத்தி DocType: Expense Claim,Total Amount Reimbursed,மொத்த அளவு திரும்ப apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,இந்த வாகன எதிராக பதிவுகள் அடிப்படையாக கொண்டது. விவரங்கள் கீழே காலவரிசை பார்க்க apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,பணியாளர் தேதி சேரும் தேதிக்கு மேல் குறைவாக இருக்க முடியாது +DocType: Pick List,Item Locations,பொருள் இருப்பிடங்கள் apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} உருவாக்கப்பட்டது +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,நீங்கள் 200 உருப்படிகளை வெளியிடலாம். DocType: Vital Signs,Constipated,மலச்சிக்கல் apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},வழங்குபவர் எதிராக விலைப்பட்டியல் {0} தேதியிட்ட {1} DocType: Customer,Default Price List,முன்னிருப்பு விலை பட்டியல் @@ -2887,6 +2923,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,உண்மையான தொடக்கத்தை மாற்றவும் DocType: Tally Migration,Is Day Book Data Imported,நாள் புத்தக தரவு இறக்குமதி செய்யப்பட்டுள்ளது apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,மார்க்கெட்டிங் செலவுகள் +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{1} இன் {0} அலகுகள் கிடைக்கவில்லை. ,Item Shortage Report,பொருள் பற்றாக்குறை அறிக்கை 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,நிலையான அளவுகோல்களை உருவாக்க முடியாது. நிபந்தனைகளுக்கு மறுபெயரிடுக @@ -2910,6 +2947,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,ஓய்வு தேதி DocType: Upload Attendance,Get Template,வார்ப்புரு கிடைக்கும் +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,பட்டியலைத் தேர்வுசெய்க ,Sales Person Commission Summary,விற்பனை நபர் கமிஷன் சுருக்கம் DocType: Material Request,Transferred,மாற்றப்பட்டது DocType: Vehicle,Doors,கதவுகள் @@ -2990,7 +3028,7 @@ DocType: Sales Invoice Item,Customer's Item Code,வாடிக்கையா DocType: Stock Reconciliation,Stock Reconciliation,பங்கு நல்லிணக்க DocType: Territory,Territory Name,மண்டலம் பெயர் DocType: Email Digest,Purchase Orders to Receive,பெறுவதற்கான ஆர்டர்களை வாங்குக -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,"வேலை, முன்னேற்றம் கிடங்கு சமர்ப்பிக்க முன் தேவை" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,"வேலை, முன்னேற்றம் கிடங்கு சமர்ப்பிக்க முன் தேவை" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,ஒரு சந்தாவில் அதே பில்லிங் சுழற்சிகளுடன் நீங்கள் மட்டுமே திட்டங்கள் இருக்கலாம் DocType: Bank Statement Transaction Settings Item,Mapped Data,வரைபட தரவு DocType: Purchase Order Item,Warehouse and Reference,கிடங்கு மற்றும் குறிப்பு @@ -3062,6 +3100,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,டெலிவரி அமைப்புகள் apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,தரவை எடு apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},விடுப்பு வகை {0} இல் அனுமதிக்கப்படும் அதிகபட்ச விடுப்பு {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 பொருளை வெளியிடுக DocType: SMS Center,Create Receiver List,பெறுநர் பட்டியல் உருவாக்க DocType: Student Applicant,LMS Only,எல்.எம்.எஸ் மட்டும் apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,வாங்குவதற்கான தேதிக்குப் பிறகு கிடைக்கக்கூடிய தேதி பயன்படுத்தப்பட வேண்டும் @@ -3095,6 +3134,7 @@ DocType: Serial No,Delivery Document No,டெலிவரி ஆவண இல DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,உற்பத்தி வரிசை எண் DocType: Vital Signs,Furry,உரோமம் apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},'சொத்துக்களை மீது லாபம் / நஷ்டம் கணக்கு' அமைக்க கம்பெனி உள்ள {0} +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,உருவாக்கிய தேதி DocType: GSTR 3B Report,November,நவம்பர் @@ -3115,9 +3155,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,மாதாந DocType: Quality Procedure Process,Quality Procedure Process,தர நடைமுறை செயல்முறை apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,தொகுப்பு ஐடி கட்டாயமாகும் apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,தொகுப்பு ஐடி கட்டாயமாகும் +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,முதலில் வாடிக்கையாளரைத் தேர்ந்தெடுக்கவும் DocType: Sales Person,Parent Sales Person,பெற்றோர் விற்பனை நபர் apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,பெற வேண்டிய உருப்படிகள் தாமதமாக உள்ளது apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,விற்பனையாளர் மற்றும் வாங்குபவர் அதே இருக்க முடியாது +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,இதுவரை இல்லை பார்வைகள் DocType: Project,Collect Progress,முன்னேற்றம் சேகரிக்கவும் DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-டிஎன்-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,முதலில் நிரலைத் தேர்ந்தெடுக்கவும் @@ -3139,11 +3181,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,அடைய DocType: Student Admission,Application Form Route,விண்ணப்ப படிவம் வழி apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,ஒப்பந்தத்தின் இறுதி தேதி இன்று விட குறைவாக இருக்கக்கூடாது. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,சமர்ப்பிக்க Ctrl + Enter DocType: Healthcare Settings,Patient Encounters in valid days,சரியான நாட்களில் நோயாளி சந்திப்புகள் apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,விட்டு வகை {0} அது சம்பளமில்லா விடுப்பு என்பதால் ஒதுக்கீடு முடியாது 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,நீங்கள் விற்பனை விலைப்பட்டியல் சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும். DocType: Lead,Follow Up,பின்தொடரவும் +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,செலவு மையம்: {0} இல்லை DocType: Item,Is Sales Item,விற்பனை பொருள் ஆகும் apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,பொருள் குழு மரம் apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,பொருள் {0} சீரியல் எண்கள் சோதனை பொருள் மாஸ்டர் அமைப்பு அல்ல @@ -3188,9 +3232,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,வழங்கப்பட்ட அளவு DocType: Clinical Procedure,HLC-CPR-.YYYY.-,ஹெச்எல்சி-முதலுதவி-.YYYY.- DocType: Purchase Order Item,Material Request Item,பொருள் கோரிக்கை பொருள் -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,முதலில் வாங்குதல் வாங்குவதை ரத்து செய் {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,பொருள் குழுக்கள் மரம் . DocType: Production Plan,Total Produced Qty,மொத்த உற்பத்தி Qty +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,இன்னும் மதிப்புரைகள் இல்லை apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,இந்த குற்றச்சாட்டை வகை விட அல்லது தற்போதைய வரிசையில் எண்ணிக்கை சமமாக வரிசை எண் பார்க்கவும் முடியாது DocType: Asset,Sold,விற்கப்பட்டது ,Item-wise Purchase History,பொருள் வாரியான கொள்முதல் வரலாறு @@ -3209,7 +3253,7 @@ DocType: Designation,Required Skills,தேவையான திறன்கள DocType: Inpatient Record,O Positive,நேர்மறை apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,முதலீடுகள் DocType: Issue,Resolution Details,தீர்மானம் விவரம் -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,பரிவர்த்தனை வகை +DocType: Leave Ledger Entry,Transaction Type,பரிவர்த்தனை வகை DocType: Item Quality Inspection Parameter,Acceptance Criteria,ஏற்று கொள்வதற்கான நிபந்தனை apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,தயவு செய்து மேலே உள்ள அட்டவணையில் பொருள் கோரிக்கைகள் நுழைய apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ஜர்னல் நுழைவுக்காக திருப்பிச் செலுத்துதல் இல்லை @@ -3249,6 +3293,7 @@ DocType: Bank Account,Bank Account No,வங்கி கணக்கு எண DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,பணியாளர் வரி விலக்கு சான்று சமர்ப்பிப்பு DocType: Patient,Surgical History,அறுவை சிகிச்சை வரலாறு DocType: Bank Statement Settings Item,Mapped Header,மேப்பிடு தலைப்பு +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,மனிதவள> மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும் DocType: Employee,Resignation Letter Date,ராஜினாமா கடிதம் தேதி apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,விலை விதிமுறைகள் மேலும் அளவு அடிப்படையில் வடிகட்டப்பட்டு. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},பணியாளரின் சேர தேதி அமைக்கவும் {0} @@ -3315,7 +3360,6 @@ DocType: Student Report Generation Tool,Add Letterhead,லெட்டர்ஹ 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,மொத்த ஒதுக்கீடு இலைகள் {0} குறைவாக இருக்க முடியாது காலம் ஏற்கனவே ஒப்புதல் இலைகள் {1} விட DocType: Contract Fulfilment Checklist,Requirement,தேவை DocType: Journal Entry,Accounts Receivable,கணக்குகள் DocType: Quality Goal,Objectives,நோக்கங்கள் @@ -3338,7 +3382,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,ஒற்றை ப DocType: Lab Test Template,This value is updated in the Default Sales Price List.,இந்த மதிப்பு இயல்புநிலை விற்பனை விலை பட்டியலில் புதுப்பிக்கப்பட்டது. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,உங்கள் வண்டி காலியாக உள்ளது DocType: Email Digest,New Expenses,புதிய செலவுகள் -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC தொகை apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,டிரைவர் முகவரி இல்லாததால் வழியை மேம்படுத்த முடியாது. DocType: Shareholder,Shareholder,பங்குதாரரின் DocType: Purchase Invoice,Additional Discount Amount,கூடுதல் தள்ளுபடி தொகை @@ -3375,6 +3418,7 @@ DocType: Asset Maintenance Task,Maintenance Task,பராமரிப்பு apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,GST அமைப்புகளில் B2C வரம்பை அமைக்கவும். 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} இப்போது இயல்புநிலை நிதியாண்டு ஆகிறது . விளைவு எடுக்க மாற்றம் உங்களது உலாவி புதுப்பிக்கவும் . @@ -3410,6 +3454,7 @@ DocType: Salary Component,Deduction,கழித்தல் DocType: Item,Retain Sample,மாதிரி வைத்திரு apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,ரோ {0}: நேரம் இருந்து மற்றும் நேரம் கட்டாயமாகும். DocType: Stock Reconciliation Item,Amount Difference,தொகை வேறுபாடு +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,இந்த பக்கம் நீங்கள் விற்பனையாளர்களிடமிருந்து வாங்க விரும்பும் பொருட்களைக் கண்காணிக்கும். apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},பொருள் விலை சேர்க்கப்பட்டது {0} விலை பட்டியல் {1} ல் DocType: Delivery Stop,Order Information,ஆர்டர் தகவல் apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,இந்த வியாபாரி பணியாளர் Id உள்ளிடவும் @@ -3438,6 +3483,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** நிதியாண்டு ** ஒரு நிதி ஆண்டு பிரதிபலிக்கிறது. அனைத்து உள்ளீடுகளை மற்றும் பிற முக்கிய பரிமாற்றங்கள் ** ** நிதியாண்டு எதிரான கண்காணிக்கப்படும். DocType: Opportunity,Customer / Lead Address,வாடிக்கையாளர் / முன்னணி முகவரி DocType: Supplier Scorecard Period,Supplier Scorecard Setup,சப்ளையர் ஸ்கோர் கார்ட் அமைப்பு +DocType: Customer Credit Limit,Customer Credit Limit,வாடிக்கையாளர் கடன் வரம்பு apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,மதிப்பீட்டு திட்டம் பெயர் apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,இலக்கு விவரங்கள் apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","நிறுவனம் ஸ்பா, சாபா அல்லது எஸ்ஆர்எல் என்றால் பொருந்தும்" @@ -3490,7 +3536,6 @@ DocType: Company,Transactions Annual History,பரிவர்த்தனை 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,வங்கி பெயர் -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,மேலே 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,திரவ @@ -3544,6 +3589,7 @@ 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,பிரத்யேக உருப்படிகளில் சேர்க்கப்பட்டது apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,ஆண்டுக்கான லாபம் 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,செயல்முறை உள்ள @@ -3596,12 +3642,10 @@ 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,இந்த பொருளை பல முறை அனுமதிக்கவும் -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,நிறுவனத்திற்கு ஜிஎஸ்டி எண் இல்லை. 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,ஊழியர் DocType: Question,Single Correct Answer,ஒற்றை சரியான பதில் -DocType: Employee,Contact Details,விபரங்கள் DocType: C-Form,Received Date,ஏற்கப்பட்ட தேதி DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","நீங்கள் விற்பனை வரி மற்றும் கட்டணங்கள் டெம்ப்ளேட் ஒரு நிலையான டெம்ப்ளேட் கொண்டிருக்கிறீர்கள் என்றால், ஒரு தேர்வு, கீழே உள்ள பொத்தானை கிளிக் செய்யவும்." DocType: BOM Scrap Item,Basic Amount (Company Currency),அடிப்படை தொகை (நிறுவனத்தின் நாணய) @@ -3631,12 +3675,13 @@ DocType: BOM Website Operation,BOM Website Operation,பொருள் ப DocType: Bank Statement Transaction Payment Item,outstanding_amount,நிலுவையில் உள்ள தொகை DocType: Supplier Scorecard,Supplier Score,சப்ளையர் ஸ்கோர் apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,சேர்க்கை சேர்க்கை +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,மொத்த கொடுப்பனவு கோரிக்கை தொகை {0} தொகையை விட அதிகமாக இருக்கக்கூடாது DocType: Tax Withholding Rate,Cumulative Transaction Threshold,குவிலேஷன் டிரான்ஸ்மிஷன் பெர்சோல்ட் DocType: Promotional Scheme Price Discount,Discount Type,தள்ளுபடி வகை -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,மொத்த விலை விவரம் விவரங்கள் DocType: Purchase Invoice Item,Is Free Item,இலவச பொருள் +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"கட்டளையிடப்பட்ட அளவிற்கு எதிராக அதிகமாக மாற்ற அனுமதிக்கப்பட்ட சதவீதம். உதாரணமாக: நீங்கள் 100 அலகுகளை ஆர்டர் செய்திருந்தால். உங்கள் கொடுப்பனவு 10% ஆகும், பின்னர் 110 அலகுகளை மாற்ற அனுமதிக்கப்படுவீர்கள்." DocType: Supplier,Warn RFQs,RFQ களை எச்சரிக்கவும் -apps/erpnext/erpnext/templates/pages/home.html,Explore,ஆராயுங்கள் +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,ஆராயுங்கள் DocType: BOM,Conversion Rate,மாற்றம் விகிதம் apps/erpnext/erpnext/www/all-products/index.html,Product Search,தயாரிப்பு தேடல் ,Bank Remittance,வங்கி பணம் அனுப்புதல் @@ -3648,6 +3693,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,மொத்த தொகை பணம் DocType: Asset,Insurance End Date,காப்பீடு முடிவு தேதி apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,ஊதியம் பெறும் மாணவர் விண்ணப்பதாரருக்கு கண்டிப்பாகத் தேவைப்படும் மாணவர் சேர்க்கைக்குத் தேர்ந்தெடுக்கவும் +DocType: Pick List,STO-PICK-.YYYY.-,எஸ்டிஓ-பிக்-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,பட்ஜெட் பட்டியல் DocType: Campaign,Campaign Schedules,பிரச்சார அட்டவணைகள் DocType: Job Card Time Log,Completed Qty,முடிக்கப்பட்ட அளவு @@ -3670,6 +3716,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,புத DocType: Quality Inspection,Sample Size,மாதிரி அளவு apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,தயவு செய்து ரசீது ஆவண நுழைய apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,அனைத்து பொருட்களும் ஏற்கனவே விலை விவரம் +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,எடுக்கப்பட்ட இலைகள் apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.','வழக்கு எண் வரம்பு' சரியான குறிப்பிடவும் 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,மேலும் செலவு மையங்கள் குழுக்கள் கீழ் செய்யப்பட்ட ஆனால் உள்ளீடுகளை அல்லாத குழுக்கள் எதிராகவும் முடியும் DocType: Branch,Branch,கிளை @@ -3769,6 +3816,8 @@ 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: Call Log,Received By,மூலம் பெற்றார் 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.,தனி வருமான கண்காணிக்க மற்றும் தயாரிப்பு மேம்பாடுகளையும் அல்லது பிளவுகள் செலவுக். @@ -3822,6 +3871,7 @@ DocType: Support Search Source,Result Title Field,தலைப்பு தல apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,அழைப்பு சுருக்கம் DocType: Sample Collection,Collected Time,சேகரிக்கப்பட்ட நேரம் DocType: Employee Skill Map,Employee Skills,பணியாளர் திறன்கள் +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,எரிபொருள் செலவு DocType: Company,Sales Monthly History,விற்பனை மாதாந்திர வரலாறு apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,வரி மற்றும் கட்டண அட்டவணையில் குறைந்தபட்சம் ஒரு வரிசையாவது அமைக்கவும் DocType: Asset Maintenance Task,Next Due Date,அடுத்த Due தேதி @@ -3855,11 +3905,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,ஊழியர் சம்பளம் ஸ்லிப் {0} ஏற்கனவே இந்த காலத்தில் உருவாக்கப்பட்ட apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,மருந்து apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,செல்லுபடியாகும் குறியாக்கத் தொகையை வழங்குவதற்கு மட்டுமே நீங்கள் அனுமதி வழங்கலாம் +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,மூலம் உருப்படிகள் apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,வாங்கிய பொருட்களை செலவு DocType: Employee Separation,Employee Separation Template,பணியாளர் பிரிப்பு டெம்ப்ளேட் DocType: Selling Settings,Sales Order Required,விற்பனை ஆர்டர் தேவை apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,ஒரு விற்பனையாளராகுங்கள் -DocType: Shift Type,The number of occurrence after which the consequence is executed.,இதன் விளைவாக செயல்படுத்தப்படும் நிகழ்வுகளின் எண்ணிக்கை. ,Procurement Tracker,கொள்முதல் டிராக்கர் DocType: Purchase Invoice,Credit To,கடன் apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ஐ.டி.சி தலைகீழ் @@ -3872,6 +3922,7 @@ DocType: Quality Meeting,Agenda,நிகழ்ச்சி நிரல் DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,பராமரிப்பு அட்டவணை விபரம் DocType: Supplier Scorecard,Warn for new Purchase Orders,புதிய கொள்முதல் ஆணைகளுக்கு எச்சரிக்கை DocType: Quality Inspection Reading,Reading 9,9 படித்தல் +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,உங்கள் Exotel கணக்கை ERPNext உடன் இணைத்து அழைப்பு பதிவுகளை கண்காணிக்கவும் DocType: Supplier,Is Frozen,உறைந்திருக்கும் DocType: Tally Migration,Processed Files,பதப்படுத்தப்பட்ட கோப்புகள் apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,குழு முனை கிடங்கில் பரிமாற்றங்கள் தேர்ந்தெடுக்க அனுமதி இல்லை @@ -3880,6 +3931,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,"ஒரு மு DocType: Upload Attendance,Attendance To Date,தேதி வருகை 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,மருந்துகளும் @@ -3904,7 +3956,6 @@ DocType: Room,Room Number,அறை எண் apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,கோருபவரால் apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},தவறான குறிப்பு {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,வெவ்வேறு விளம்பர திட்டங்களைப் பயன்படுத்துவதற்கான விதிகள். -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) திட்டமிட்ட அளவை விட அதிகமாக இருக்க முடியாது ({2}) உற்பத்தி ஆணை {3} DocType: Shipping Rule,Shipping Rule Label,கப்பல் விதி லேபிள் DocType: Journal Entry Account,Payroll Entry,சம்பளப்பட்டியல் நுழைவு apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,காண்க கட்டணம் பதிவுகள் @@ -3916,6 +3967,7 @@ DocType: Contract,Fulfilment Status,நிறைவேற்று நிலை DocType: Lab Test Sample,Lab Test Sample,லேப் டெஸ்ட் மாதிரி DocType: Item Variant Settings,Allow Rename Attribute Value,பண்புக்கூறு மதிப்பு பெயரை விடு apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,விரைவு ஜர்னல் நுழைவு +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,எதிர்கால கொடுப்பனவு தொகை apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,BOM எந்த பொருளை agianst குறிப்பிட்டுள்ள நீங்கள் வீதம் மாற்ற முடியாது DocType: Restaurant,Invoice Series Prefix,விலைப்பட்டியல் தொடர் முன்னொட்டு DocType: Employee,Previous Work Experience,முந்தைய பணி அனுபவம் @@ -3945,6 +3997,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,திட்டம் நிலை DocType: UOM,Check this to disallow fractions. (for Nos),அனுமதிப்பதில்லை உராய்வுகள் இந்த சரிபார்க்கவும். (இலக்கங்கள் ஐந்து) DocType: Student Admission Program,Naming Series (for Student Applicant),தொடர் பெயரிடும் (மாணவர் விண்ணப்பதாரர்கள்) +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/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,பயிற்சி சேவை அலகு அட்டவணை @@ -3968,6 +4021,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,தற்போதைய பங்கு கிடைக்கும் DocType: Purchase Invoice,ineligible,தகுதியில்லை apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,பொருட்களின் பில் ட்ரீ +DocType: BOM,Exploded Items,வெடித்த உருப்படிகள் DocType: Student,Joining Date,சேர்ந்த தேதி ,Employees working on a holiday,ஒரு விடுமுறை வேலை ஊழியர் ,TDS Computation Summary,TDS கணக்கீட்டு சுருக்கம் @@ -4000,6 +4054,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),அடிப்பட DocType: SMS Log,No of Requested SMS,கோரப்பட்ட எஸ்எம்எஸ் இல்லை apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,சம்பளமில்லா விடுப்பு ஒப்புதல் விடுப்பு விண்ணப்பம் பதிவுகள் பொருந்தவில்லை apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,அடுத்த படிகள் +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,சேமித்த உருப்படிகள் DocType: Travel Request,Domestic,உள்நாட்டு apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,சிறந்த சாத்தியமுள்ள விகிதங்களில் குறிப்பிட்ட பொருட்களை வழங்கவும் apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,பரிமாற்ற தேதிக்கு முன் ஊழியர் இடமாற்றத்தை சமர்ப்பிக்க முடியாது @@ -4072,7 +4127,7 @@ 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,சொத்து வகை கணக்கு apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,வரிசை # {0} (கட்டணம் அட்டவணை): தொகை நேர்மறையாக இருக்க வேண்டும் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},மேலும் பொருள் தயாரிக்க முடியாது {0} விட விற்பனை ஆணை அளவு {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},மேலும் பொருள் தயாரிக்க முடியாது {0} விட விற்பனை ஆணை அளவு {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,மொத்தத்தில் எதுவும் சேர்க்கப்படவில்லை apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,இந்த ஆவணத்திற்கு ஈ-வே பில் ஏற்கனவே உள்ளது apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,பண்புக்கூறு மதிப்புகளைத் தேர்ந்தெடுக்கவும் @@ -4107,12 +4162,10 @@ 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,அமைப்பு நிறுவனம் -DocType: Shift Type,Enable Different Consequence for Early Exit,ஆரம்பகால வெளியேற்றத்திற்கான வெவ்வேறு விளைவுகளை இயக்கு ,Lab Test Report,ஆய்வக சோதனை அறிக்கை DocType: Employee Benefit Application,Employee Benefit Application,பணியாளர் பயன் விண்ணப்பம் apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,கூடுதல் சம்பள கூறு உள்ளது. DocType: Purchase Invoice,Unregistered,பதிவுசெய்யப்படாத -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,"தயவு செய்து டெலிவரி முதல் குறிப்பு," DocType: Student Applicant,Application Date,விண்ணப்ப தேதி DocType: Salary Component,Amount based on formula,சூத்திரத்தை அடிப்படையாக தொகை DocType: Purchase Invoice,Currency and Price List,நாணயம் மற்றும் விலை பட்டியல் @@ -4141,6 +4194,7 @@ DocType: Purchase Receipt,Time at which materials were received,பொரு DocType: Products Settings,Products per Page,பக்கத்திற்கு தயாரிப்புகள் 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,பில்லிங் தேதி apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,ஒதுக்கப்பட்ட தொகை எதிர்மறையாக இருக்க முடியாது DocType: Sales Order,Billing Status,பில்லிங் நிலைமை apps/erpnext/erpnext/public/js/conf.js,Report an Issue,சிக்கலை புகார் @@ -4156,6 +4210,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},வரிசை {0}: சொத்து பொருளுக்கான இடம் உள்ளிடவும் {1} DocType: Employee Checkin,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.","முதலியன கம்பெனி, நாணய , நடப்பு நிதியாண்டில் , போன்ற அமை கலாச்சாரம்" DocType: Payment Entry,Payment Type,கொடுப்பனவு வகை apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,பொருள் ஒரு தொகுதி தேர்ந்தெடுக்கவும் {0}. இந்த தேவையை நிறைவேற்றும் என்று ஒரு ஒற்றை தொகுதி கண்டுபிடிக்க முடியவில்லை @@ -4185,6 +4240,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,வண்டியில DocType: Journal Entry,Accounting Entries,கணக்கு பதிவுகள் 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.","தேர்ந்தெடுத்த விலையிடல் விதி 'விகிதத்திற்காக' செய்யப்பட்டால், அது விலை பட்டியல் மேலெழுதும். விலையிடல் விகிதம் இறுதி விகிதமாகும், எனவே எந்த கூடுதல் தள்ளுபடிகளும் பயன்படுத்தப்படாது. விற்பனை ஆர்டர், கொள்முதல் ஆணை போன்றவை போன்ற பரிவர்த்தனைகளில், 'விலை பட்டியல் விகிதம்' விட 'விகிதம்' துறையில் கிடைக்கும்." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,கல்வி> கல்வி அமைப்புகளில் பயிற்றுவிப்பாளர் பெயரிடும் முறையை அமைக்கவும் DocType: Journal Entry,Paid Loan,பணம் கடன் 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,குறிப்பு தேதி தேதி @@ -4201,12 +4257,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks விபரங்கள் apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,நேரமில் தாள்கள் DocType: GoCardless Mandate,GoCardless Customer,GoCardless வாடிக்கையாளர் apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} செயல்படுத்த-முன்னோக்கி இருக்க முடியாது வகை விடவும் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"பராமரிப்பு அட்டவணை அனைத்து பொருட்களின் உருவாக்கப்பட்ட உள்ளது . ' உருவாக்குதல் அட்டவணை ' கிளிக் செய்து," ,To Produce,தயாரிப்பாளர்கள் DocType: Leave Encashment,Payroll,சம்பளப்பட்டியல் 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} சேர்த்துக்கொள்ள வேண்டும்" DocType: Healthcare Service Unit,Parent Service Unit,பெற்றோர் சேவை பிரிவு DocType: Packing Slip,Identification of the package for the delivery (for print),பிரசவத்திற்கு தொகுப்பின் அடையாள (அச்சுக்கு) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,சேவை நிலை ஒப்பந்தம் மீட்டமைக்கப்பட்டது. DocType: Bin,Reserved Quantity,ஒதுக்கப்பட்ட அளவு apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,சரியான மின்னஞ்சல் முகவரியை உள்ளிடவும் apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,சரியான மின்னஞ்சல் முகவரியை உள்ளிடவும் @@ -4227,7 +4285,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,விலை அல்லது தயாரிப்பு தள்ளுபடி apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,வரிசையில் {0}: திட்டமிட்ட qty ஐ உள்ளிடவும் DocType: Account,Income Account,வருமான கணக்கு -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> பிரதேசம் DocType: Payment Request,Amount in customer's currency,வாடிக்கையாளர் நாட்டின் நாணய தொகை apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,விநியோகம் apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,கட்டமைப்புகளை ஒதுக்குதல் ... @@ -4250,6 +4307,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,குறிப் 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?,முன்பு உருவாக்கப்பட்ட பொருட்களின் பதிவுகளை நீங்கள் இழப்பீர்கள். இந்த சந்தாவை நிச்சயமாக மீண்டும் தொடங்க விரும்புகிறீர்களா? @@ -4304,11 +4362,10 @@ DocType: Additional Salary,HR User,அலுவலக பயனர் DocType: Bank Guarantee,Reference Document Name,குறிப்பு ஆவணம் பெயர் DocType: Purchase Invoice,Taxes and Charges Deducted,கழிக்கப்படும் வரி மற்றும் கட்டணங்கள் DocType: Support Settings,Issues,சிக்கல்கள் -DocType: Shift Type,Early Exit Consequence after,ஆரம்பகால வெளியேறும் விளைவு DocType: Loyalty Program,Loyalty Program Name,விசுவாசம் திட்டம் பெயர் apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},நிலைமை ஒன்றாக இருக்க வேண்டும் {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,GSTIN அனுப்பலை புதுப்பிக்க நினைவூட்டல் -DocType: Sales Invoice,Debit To,செய்ய பற்று +DocType: Discounted Invoice,Debit To,செய்ய பற்று DocType: Restaurant Menu Item,Restaurant Menu Item,உணவக மெனு பொருள் DocType: Delivery Note,Required only for sample item.,ஒரே மாதிரி உருப்படியை தேவைப்படுகிறது. DocType: Stock Ledger Entry,Actual Qty After Transaction,பரிவர்த்தனை பிறகு உண்மையான அளவு @@ -4391,6 +4448,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,அளவுரு apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,ஒரே நிலையை கொண்ட பயன்பாடுகள் 'நிராகரிக்கப்பட்டது' 'அனுமதிபெற்ற' மற்றும் விடவும் சமர்ப்பிக்க முடியும் apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,பரிமாணங்களை உருவாக்குதல் ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},மாணவர் குழு பெயர் வரிசையில் கட்டாய {0} +DocType: Customer Credit Limit,Bypass credit limit_check,பைபாஸ் கடன் வரம்பு_ சோதனை DocType: Homepage,Products to be shown on website homepage,தயாரிப்புகள் இணைய முகப்பு காட்டப்படுவதற்கு DocType: HR Settings,Password Policy,கடவுச்சொல் கொள்கை apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,இந்த ஒரு ரூட் வாடிக்கையாளர் குழு மற்றும் திருத்த முடியாது . @@ -4450,10 +4508,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),அ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,உணவக அமைப்பில் இயல்புநிலை வாடிக்கையாளரை அமைக்கவும் ,Salary Register,சம்பளம் பதிவு DocType: Company,Default warehouse for Sales Return,விற்பனை வருவாய்க்கான இயல்புநிலை கிடங்கு -DocType: Warehouse,Parent Warehouse,பெற்றோர் கிடங்கு +DocType: Pick List,Parent Warehouse,பெற்றோர் கிடங்கு DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},இயல்புநிலை BOM பொருள் காணப்படவில்லை இல்லை {0} மற்றும் திட்ட {1} +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 விகிதம் @@ -4490,6 +4548,7 @@ DocType: Travel Itinerary,Lodging Required,உறைவிடம் தேவை DocType: Promotional Scheme,Price Discount Slabs,விலை தள்ளுபடி அடுக்குகள் DocType: Stock Reconciliation Item,Current Serial No,தற்போதைய வரிசை எண் DocType: Employee,Attendance and Leave Details,வருகை மற்றும் விடுப்பு விவரங்கள் +,BOM Comparison Tool,BOM ஒப்பீட்டு கருவி ,Requested,கோரப்பட்ட apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,குறிப்புகள் இல்லை DocType: Asset,In Maintenance,பராமரிப்பு @@ -4511,6 +4570,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Include UOM,UOM apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Material Request No,பொருள் வேண்டுகோள் இல்லை DocType: Service Level Agreement,Default Service Level Agreement,இயல்புநிலை சேவை நிலை ஒப்பந்தம் DocType: SG Creation Tool Course,Course Code,பாடநெறி குறியீடு +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,முடிக்கப்பட்ட பொருட்கள் பொருளின் qty இன் அடிப்படையில் மூலப்பொருட்களின் அளவு தீர்மானிக்கப்படும் DocType: Location,Parent Location,பெற்றோர் இடம் DocType: POS Settings,Use POS in Offline Mode,POS ஐ ஆஃப்லைன் பயன்முறையில் பயன்படுத்தவும் DocType: Quotation,Rate at which customer's currency is converted to company's base currency,விகிதம் இது வாடிக்கையாளர் நாணய நிறுவனத்தின் அடிப்படை நாணய மாற்றப்படும் @@ -4527,7 +4587,7 @@ DocType: Stock Settings,Sample Retention Warehouse,மாதிரி வைத DocType: Company,Default Receivable Account,இயல்புநிலை பெறத்தக்க கணக்கு apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,திட்டமிடப்பட்ட அளவு சூத்திரம் DocType: Sales Invoice,Deemed Export,ஏற்றுக்கொள்ளப்பட்ட ஏற்றுமதி -DocType: Stock Entry,Material Transfer for Manufacture,உற்பத்தி பொருள் மாற்றம் +DocType: Pick List,Material Transfer for Manufacture,உற்பத்தி பொருள் மாற்றம் 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.,தள்ளுபடி சதவீதம் விலை பட்டியலை எதிராக அல்லது அனைத்து விலை பட்டியல் ஒன்று பயன்படுத்த முடியும். apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,பங்கு பைனான்ஸ் நுழைவு DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4569,7 +4629,6 @@ DocType: Training Event,Theory,தியரி apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,எச்சரிக்கை : அளவு கோரப்பட்ட பொருள் குறைந்தபட்ச ஆணை அளவு குறைவாக உள்ளது apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,கணக்கு {0} உறைந்திருக்கும் DocType: Quiz Question,Quiz Question,வினாடி வினா கேள்வி -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை 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","உணவு , குளிர்பானங்கள் & புகையிலை" @@ -4598,6 +4657,7 @@ 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,வெளியிடப்பட்ட உருப்படிகள் DocType: Account,Expense Account,செலவு கணக்கு apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,மென்பொருள் apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,நிறம் @@ -4635,6 +4695,7 @@ 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,அனைத்து வங்கி பரிவர்த்தனைகளும் உருவாக்கப்பட்டுள்ளன DocType: Fee Validity,Visited yet,இதுவரை பார்வையிட்டது +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,நீங்கள் 8 உருப்படிகள் வரை இடம்பெறலாம். 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.,அடிக்கடி விற்பனை மற்றும் பரிவர்த்தனைகளின் அடிப்படையில் நிறுவனம் மேம்படுத்தப்பட வேண்டும். @@ -4642,7 +4703,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,சேமிப்பு வெப்பநிலை @@ -4667,7 +4727,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,மணி நே DocType: Contract,Signee Details,கையெழுத்து விவரங்கள் apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} தற்போது {1} சப்ளையர் ஸ்கோர்கார்டு நின்று உள்ளது, மேலும் இந்த சப்ளையருக்கு RFQ கள் எச்சரிக்கையுடன் வழங்கப்பட வேண்டும்." DocType: Certified Consultant,Non Profit Manager,இலாப முகாமையாளர் -DocType: BOM,Total Cost(Company Currency),மொத்த செலவு (நிறுவனத்தின் நாணய) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,தொடர் இல {0} உருவாக்கப்பட்டது DocType: Homepage,Company Description for website homepage,இணைய முகப்பு நிறுவனம் விளக்கம் DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","வாடிக்கையாளர்களின் வசதிக்காக, இந்த குறியீடுகள் பற்றுச்சீட்டுகள் மற்றும் டெலிவரி குறிப்புகள் போன்ற அச்சு வடிவங்கள் பயன்படுத்த முடியும்" @@ -4696,7 +4755,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,கொ DocType: Amazon MWS Settings,Enable Scheduled Synch,திட்டமிடப்பட்ட ஒத்திசைவை இயக்கவும் apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,நாள்நேரம் செய்ய apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,எஸ்எம்எஸ் விநியோகம் அந்தஸ்து தக்கவைப்பதற்கு பதிவுகள் -DocType: Shift Type,Early Exit Consequence,ஆரம்பகால வெளியேறும் விளைவு DocType: Accounts Settings,Make Payment via Journal Entry,பத்திரிகை நுழைவு வழியாக பணம் செலுத்து apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,ஒரு நேரத்தில் 500 க்கும் மேற்பட்ட உருப்படிகளை உருவாக்க வேண்டாம் apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,அச்சிடப்பட்டது அன்று @@ -4752,6 +4810,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,எல்லை 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,இரகசிய +DocType: Plaid Settings,Plaid Secret,பிளேட் ரகசியம் DocType: Company,Date of Establishment,நிறுவுதலின் தேதி apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,துணிகர முதலீடு apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"இந்த 'கல்வி ஆண்டு' கொண்ட ஒரு கல்விசார் கால {0} மற்றும் 'கால பெயர்' {1} ஏற்கனவே உள்ளது. இந்த உள்ளீடுகளை மாற்ற, மீண்டும் முயற்சிக்கவும்." @@ -4813,6 +4872,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,வாடிக்கையாளர் வகை DocType: Compensatory Leave Request,Leave Allocation,ஒதுக்கீடு விட்டு DocType: Payment Request,Recipient Message And Payment Details,பெறுநரின் செய்தி மற்றும் கொடுப்பனவு விபரங்கள் +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,டெலிவரி குறிப்பைத் தேர்ந்தெடுக்கவும் DocType: Support Search Source,Source DocType,ஆதார ஆவணம் apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,ஒரு புதிய டிக்கெட் திறக்க DocType: Training Event,Trainer Email,பயிற்சி மின்னஞ்சல் @@ -4932,6 +4992,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,முன்னனுப்பியது இலைகள் எடுத்து apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',' வரம்பு தேதி ' தேதி ' பிறகு இருக்க வேண்டும் apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,இந்த பதவிக்கு ஊழியர்கள் இல்லை apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,பொருள் {0} தொகுதி {0} முடக்கப்பட்டுள்ளது. @@ -4953,7 +5014,7 @@ DocType: Clinical Procedure,Patient,நோயாளி apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,விற்பனை ஆணை மணிக்கு பைபாஸ் கடன் சோதனை DocType: Employee Onboarding Activity,Employee Onboarding Activity,ஊழியர் மீது நடவடிக்கை எடுப்பது DocType: Location,Check if it is a hydroponic unit,இது ஒரு ஹைட்ரோபொனிக் அலகு என்பதை சரிபார்க்கவும் -DocType: Stock Reconciliation Item,Serial No and Batch,தொ.எ. மற்றும் தொகுதி +DocType: Pick List Item,Serial No and Batch,தொ.எ. மற்றும் தொகுதி DocType: Warranty Claim,From Company,நிறுவனத்தின் இருந்து DocType: GSTR 3B Report,January,ஜனவரி apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,மதிப்பீடு அடிப்படியின் மதிப்பெண்கள் கூட்டுத்தொகை {0} இருக்க வேண்டும். @@ -4978,7 +5039,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,இண்டர் கம்பனி பரிவர்த்தனைகளுக்கு {0} இல்லை. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,வாடகைக்கு கார் apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,உங்கள் நிறுவனத்தின் பற்றி apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,கணக்கில் பணம் வரவு ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும் @@ -5010,6 +5070,7 @@ apps/erpnext/erpnext/config/accounting.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," 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,என் apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,மீதமுள்ள DocType: Appraisal,Appraisal,மதிப்பிடுதல் @@ -5077,6 +5138,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),தொகுப்பின் மொத்த எடை. பொதுவாக நிகர எடை + பேக்கேஜிங் பொருட்கள் எடை. (அச்சுக்கு) DocType: Assessment Plan,Program,திட்டம் DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,இந்த பங்களிப்பை செய்த உறைந்த கணக்குகள் எதிராக கணக்கியல் உள்ளீடுகள் மாற்ற / உறைந்த கணக்குகள் அமைக்க உருவாக்க அனுமதி +DocType: Plaid Settings,Plaid Environment,பிளேட் சூழல் ,Project Billing Summary,திட்ட பில்லிங் சுருக்கம் DocType: Vital Signs,Cuts,கட்ஸ் DocType: Serial No,Is Cancelled,ரத்து @@ -5138,7 +5200,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"குறிப்பு: இந்த அமைப்பு பொருள் விநியோகம் , மேல் முன்பதிவு பார்க்க மாட்டேன் {0} அளவு அல்லது அளவு 0 ஆகிறது" DocType: Issue,Opening Date,தேதி திறப்பு apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,முதலில் நோயாளியை காப்பாற்றுங்கள் -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,புதிய தொடர்பு கொள்ளுங்கள் apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,வருகை வெற்றிகரமாக குறிக்கப்பட்டுள்ளது. DocType: Program Enrollment,Public Transport,பொது போக்குவரத்து DocType: Sales Invoice,GST Vehicle Type,GST வாகன வகை @@ -5165,6 +5226,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,பில DocType: POS Profile,Write Off Account,கணக்கு இனிய எழுத DocType: Patient Appointment,Get prescribed procedures,பரிந்துரைக்கப்பட்ட நடைமுறைகள் கிடைக்கும் DocType: Sales Invoice,Redemption Account,மீட்பு கணக்கு +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,உருப்படி இருப்பிடங்கள் அட்டவணையில் முதலில் உருப்படிகளைச் சேர்க்கவும் DocType: Pricing Rule,Discount Amount,தள்ளுபடி தொகை DocType: Pricing Rule,Period Settings,கால அமைப்புகள் DocType: Purchase Invoice,Return Against Purchase Invoice,எதிராக கொள்முதல் விலைப்பட்டியல் திரும்ப @@ -5196,7 +5258,6 @@ DocType: Assessment Plan,Assessment Plan,மதிப்பீடு திட DocType: Travel Request,Fully Sponsored,முழுமையாக ஸ்பான்சர் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,ஜர்னல் நுழைவுத் தலைகீழ் apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,வேலை அட்டையை உருவாக்கவும் -DocType: Shift Type,Consequence after,பின்விளைவு DocType: Quality Procedure Process,Process Description,செயல்முறை விளக்கம் apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,வாடிக்கையாளர் {0} உருவாக்கப்பட்டது. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,தற்போது எந்த கிடங்கிலும் கையிருப்பு இல்லை @@ -5230,6 +5291,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,அனுமதி தேத DocType: Delivery Settings,Dispatch Notification Template,டிஸ்பேட் அறிவிப்பு வார்ப்புரு apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,மதிப்பீட்டு அறிக்கை apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,பணியாளர்களைப் பெறுங்கள் +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,இறங்குமுக முகவரி @@ -5354,7 +5416,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,இந்த ஒரு ரூட் விற்பனை நபர் மற்றும் திருத்த முடியாது . DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","தேர்ந்தெடுக்கப்பட்டால், இந்த கூறு குறிப்பிடப்படவில்லை அல்லது கணித்தபெறுமானம் வருவாய் அல்லது விலக்கிற்கு பங்களிக்க முடியாது. எனினும், அது மதிப்பு கூட்டப்பட்ட அல்லது கழிக்கப்படும் முடியும் என்று மற்ற கூறுகள் மூலம் குறிப்பிடப்பட்ட முடியும் தான்." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","தேர்ந்தெடுக்கப்பட்டால், இந்த கூறு குறிப்பிடப்படவில்லை அல்லது கணித்தபெறுமானம் வருவாய் அல்லது விலக்கிற்கு பங்களிக்க முடியாது. எனினும், அது மதிப்பு கூட்டப்பட்ட அல்லது கழிக்கப்படும் முடியும் என்று மற்ற கூறுகள் மூலம் குறிப்பிடப்பட்ட முடியும் தான்." -DocType: Asset Settings,Number of Days in Fiscal Year,நிதி ஆண்டில் நாட்கள் எண்ணிக்கை ,Stock Ledger,பங்கு லெட்ஜர் DocType: Company,Exchange Gain / Loss Account,செலாவணி லாபம் / நஷ்டம் கணக்கு DocType: Amazon MWS Settings,MWS Credentials,MWS சான்றுகள் @@ -5389,6 +5450,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,வங்கி கோப்பில் நெடுவரிசை apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},மாணவர் {1} க்கு எதிராக ஏற்கனவே {0} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,பொருட்கள் அனைத்து பில் சமீபத்திய விலை மேம்படுத்தும் வரிசை. சில நிமிடங்கள் ஆகலாம். +DocType: Pick List,Get Item Locations,பொருள் இருப்பிடங்களைப் பெறுங்கள் apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,புதிய கணக்கு பெயர். குறிப்பு: வாடிக்கையாளர்களும் விநியோகத்தர்களும் கணக்குகள் உருவாக்க வேண்டாம் DocType: POS Profile,Display Items In Stock,பங்கு காட்சி பொருட்கள் apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,நாடு வாரியாக இயல்புநிலை முகவரி டெம்ப்ளேட்கள் @@ -5412,6 +5474,7 @@ DocType: Crop,Materials Required,தேவையான பொருட்கள apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,மாணவர்கள் காணப்படவில்லை. DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,மாதாந்த HRA விலக்கு DocType: Clinical Procedure,Medical Department,மருத்துவ துறை +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,மொத்த ஆரம்ப வெளியேற்றங்கள் DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,சப்ளையர் ஸ்கோர் கார்ட் ஸ்கேரிங் க்ரிடீரியா apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,விலைப்பட்டியல் பதிவுசெய்ய தேதி apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,விற்க @@ -5423,11 +5486,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் {0} delete ஐ நீக்கவும்" DocType: Program Enrollment,School House,பள்ளி ஹவுஸ் DocType: Serial No,Out of AMC,AMC வெளியே DocType: Opportunity,Opportunity Amount,வாய்ப்பு தொகை +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,உங்கள் சுயவிவரம் apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,முன்பதிவு செய்யப்பட்டது தேய்மானம் எண்ணிக்கையை விட அதிகமாக இருக்க முடியும் DocType: Purchase Order,Order Confirmation Date,ஆர்டர் உறுதிப்படுத்தல் தேதி DocType: Driver,HR-DRI-.YYYY.-,மனிதவள-டிஆர்ஐ-.YYYY.- @@ -5521,7 +5583,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","விகிதங்கள், பங்குகளின் எண்ணிக்கை மற்றும் கணக்கிடப்பட்ட தொகை ஆகியவற்றிற்கு இடையே உள்ள முரண்பாடுகள் உள்ளன" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,இழப்பீட்டு விடுப்பு கோரிக்கை நாட்கள் இடையில் நீங்கள் நாள் முழுவதும் இல்லை apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,மீண்டும் தட்டச்சு நிறுவனத்தின் பெயர் உறுதிப்படுத்த தயவு செய்து -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,மொத்த மிகச்சிறந்த விவரங்கள் DocType: Journal Entry,Printing Settings,அச்சிடுதல் அமைப்புகள் DocType: Payment Order,Payment Order Type,கட்டண ஆணை வகை DocType: Employee Advance,Advance Account,முன்கூட்டியே கணக்கு @@ -5609,7 +5670,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,ஆண்டு பெயர் apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,இந்த மாதம் வேலை நாட்களுக்கு மேல் விடுமுறை உள்ளன . apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,பின்வரும் பொருட்களை {0} {1} உருப்படி என குறிக்கப்படவில்லை. நீங்கள் அதன் உருப்படி மாஸ்டர் இருந்து {1} உருப்படி என அவற்றை செயல்படுத்தலாம் -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,தயாரிப்பு மூட்டை பொருள் DocType: Sales Partner,Sales Partner Name,விற்பனை வரன்வாழ்க்கை துணை பெயர் apps/erpnext/erpnext/hooks.py,Request for Quotations,விலைக்குறிப்புகளுக்கான வேண்டுகோள் @@ -5618,7 +5678,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,சாதாரண சோதனை பொருட்கள் DocType: QuickBooks Migrator,Company Settings,நிறுவனத்தின் அமைப்புகள் DocType: Additional Salary,Overwrite Salary Structure Amount,சம்பள கட்டமைப்பு தொகை மேலெழுதப்பட்டது -apps/erpnext/erpnext/config/hr.py,Leaves,இலைகள் +DocType: Leave Ledger Entry,Leaves,இலைகள் DocType: Student Language,Student Language,மாணவர் மொழி DocType: Cash Flow Mapping,Is Working Capital,வேலை மூலதனம் apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,ஆதாரத்தை சமர்ப்பிக்கவும் @@ -5626,7 +5686,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,ஆணை / quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,பதிவு நோயாளி Vitals DocType: Fee Schedule,Institution,நிறுவனம் -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: Asset,Partially Depreciated,ஓரளவு Depreciated DocType: Issue,Opening Time,நேரம் திறந்து apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,தேவையான தேதிகள் மற்றும் இதயம் @@ -5677,6 +5736,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,அதிகபட்ச அனுமதிக்கப்பட்ட மதிப்பு DocType: Journal Entry Account,Employee Advance,ஊழியர் அட்வான்ஸ் DocType: Payroll Entry,Payroll Frequency,சம்பளப்பட்டியல் அதிர்வெண் +DocType: Plaid Settings,Plaid Client ID,பிளேட் கிளையண்ட் ஐடி DocType: Lab Test Template,Sensitivity,உணர்திறன் DocType: Plaid Settings,Plaid Settings,பிளேட் அமைப்புகள் apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"அதிகபட்ச முயற்சிகள் அதிகரித்ததால், ஒத்திசைவு தற்காலிகமாக முடக்கப்பட்டுள்ளது" @@ -5694,6 +5754,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,முதல் பதிவுசெய்ய தேதி தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,தேதி திறந்து தேதி மூடுவதற்கு முன் இருக்க வேண்டும் DocType: Travel Itinerary,Flight,விமான +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,வீட்டிற்கு திரும்பவும் DocType: Leave Control Panel,Carry Forward,முன்னெடுத்து செல் apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,ஏற்கனவே பரிவர்த்தனைகள் செலவு மையம் லெட்ஜரிடம் மாற்ற முடியாது DocType: Budget,Applicable on booking actual expenses,உண்மையான செலவினங்களை பதிவு செய்வதில் பொருந்தும் @@ -5793,6 +5854,7 @@ DocType: Batch,Source Document Name,மூல ஆவண பெயர் DocType: Batch,Source Document Name,மூல ஆவண பெயர் DocType: Production Plan,Get Raw Materials For Production,உற்பத்திக்கு மூலப்பொருட்கள் கிடைக்கும் DocType: Job Opening,Job Title,வேலை தலைப்பு +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,எதிர்கால கொடுப்பனவு குறிப்பு apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} {1} மேற்கோள் வழங்காது என்பதைக் குறிக்கிறது, ஆனால் அனைத்து உருப்படிகளும் மேற்கோள் காட்டப்பட்டுள்ளன. RFQ மேற்கோள் நிலையை புதுப்பிக்கிறது." DocType: Manufacturing Settings,Update BOM Cost Automatically,தானாக BOM செலவு புதுப்பிக்கவும் @@ -5802,12 +5864,10 @@ 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: Company,Product Code,தயாரிப்பு குறியீடு DocType: Quality Review Table,Objective,குறிக்கோள் DocType: Supplier Scorecard,Per Month,ஒரு மாதம் DocType: Education Settings,Make Academic Term Mandatory,கல்வி கால கட்டளை கட்டாயம் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,உற்பத்தி செய்ய அளவு 0 அதிகமாக இருக்க வேண்டும். -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,நிதி ஆண்டின் அடிப்படையில் விலைமதிப்பற்ற தேய்மானம் அட்டவணை கணக்கிடுங்கள் +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,உற்பத்தி செய்ய அளவு 0 அதிகமாக இருக்க வேண்டும். apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,பராமரிப்பு அழைப்பு அறிக்கையை பார்க்க. DocType: Stock Entry,Update Rate and Availability,மேம்படுத்தல் விகிதம் மற்றும் கிடைக்கும் 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 அலகுகள் பெற அனுமதிக்கப்படும். @@ -5819,7 +5879,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,வெளியீட்டு தேதி எதிர்காலத்தில் இருக்க வேண்டும் DocType: BOM,Website Description,இணையதளத்தில் விளக்கம் apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,ஈக்விட்டி நிகர மாற்றம் -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,கொள்முதல் விலைப்பட்டியல் {0} ரத்து செய்க முதல் apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,அனுமதி இல்லை. சேவை பிரிவு வகை முடக்கவும் apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","மின்னஞ்சல் முகவரி, தனித்துவமானதாக இருக்க வேண்டும் ஏற்கனவே உள்ளது {0}" DocType: Serial No,AMC Expiry Date,AMC காலாவதியாகும் தேதி @@ -5862,6 +5921,7 @@ DocType: Pricing Rule,Price Discount Scheme,விலை தள்ளுபட apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,பராமரிப்பு நிலைமை ரத்து செய்யப்பட வேண்டும் அல்லது சமர்ப்பிக்க வேண்டும் DocType: Amazon MWS Settings,US,எங்களுக்கு DocType: Holiday List,Add Weekly Holidays,வார விடுமுறை தினங்களைச் சேர்க்கவும் +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,உருப்படியைப் புகாரளி DocType: Staffing Plan Detail,Vacancies,காலியிடங்கள் DocType: Hotel Room,Hotel Room,விடுதி அறை apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},கணக்கு {0} செய்கிறது நிறுவனம் சொந்தமானது {1} @@ -5912,12 +5972,15 @@ DocType: Email Digest,Open Quotations,திறந்த மேற்கோள 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","இந்த ஆவணத்தை ரத்து செய்ய பணியாளர் {0} delete ஐ நீக்கவும்" apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,நேரம் பதிவேடுகளுக்கு நடவடிக்கைகள் வகைகள் DocType: Opening Invoice Creation Tool,Sales,விற்பனை DocType: Stock Entry Detail,Basic Amount,அடிப்படை தொகை @@ -5931,6 +5994,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,காலியாக DocType: Patient,Alcohol Past Use,மது போஸ்ட் பயன்படுத்து DocType: Fertilizer Content,Fertilizer Content,உரம் உள்ளடக்கம் +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,விளக்கம் இல்லை apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,பில்லிங் மாநிலம் DocType: Quality Goal,Monitoring Frequency,கண்காணிப்பு அதிர்வெண் @@ -5948,6 +6012,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,முடிவு தேதி அடுத்த தொடர்பு தேதிக்கு முன் இருக்க முடியாது. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,தொகுதி உள்ளீடுகள் DocType: Journal Entry,Pay To / Recd From,வரம்பு / Recd செய்ய பணம் +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,உருப்படியை வெளியிடுக DocType: Naming Series,Setup Series,அமைப்பு தொடர் DocType: Payment Reconciliation,To Invoice Date,தேதி விலைப்பட்டியல் DocType: Bank Account,Contact HTML,தொடர்பு HTML @@ -5968,6 +6033,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,சில்லறை DocType: Student Attendance,Absent,வராதிரு DocType: Staffing Plan,Staffing Plan Detail,பணியாற்றும் திட்டம் விவரம் DocType: Employee Promotion,Promotion Date,ஊக்குவிப்பு தேதி +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,விடுப்பு ஒதுக்கீடு% s விடுப்பு விண்ணப்பம்% s உடன் இணைக்கப்பட்டுள்ளது 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} @@ -6002,9 +6068,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,விலைப்பட்டியல் {0} இனி இல்லை DocType: Guardian Interest,Guardian Interest,பாதுகாவலர் வட்டி DocType: Volunteer,Availability,கிடைக்கும் +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,விடுப்பு விண்ணப்பம் விடுமுறை ஒதுக்கீடுகளுடன் இணைக்கப்பட்டுள்ளது {0}. விடுப்பு விண்ணப்பத்தை ஊதியம் இல்லாமல் விடுப்பு என அமைக்க முடியாது apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS இன்மைச்களுக்கான அமைவு இயல்புநிலை மதிப்புகள் DocType: Employee Training,Training,பயிற்சி DocType: Project,Time to send,அனுப்ப வேண்டிய நேரம் +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,வாங்குபவர்கள் சில ஆர்வங்களைக் காட்டிய உங்கள் உருப்படிகளை இந்தப் பக்கம் கண்காணிக்கிறது. 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 மின்னஞ்சல் ஐடி @@ -6104,11 +6172,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,திறப்பு மதிப்பு DocType: Salary Component,Formula,சூத்திரம் apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,தொடர் # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,மனிதவள> மனிதவள அமைப்புகளில் பணியாளர் பெயரிடும் முறையை அமைக்கவும் DocType: Material Request Plan Item,Required Quantity,தேவையான அளவு DocType: Lab Test Template,Lab Test Template,லேப் டெஸ்ட் வார்ப்புரு apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,விற்பனை கணக்கு DocType: Purchase Invoice Item,Total Weight,மொத்த எடை +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}" @@ -6132,6 +6200,7 @@ DocType: Company,Default Employee Advance Account,இயல்புநிலை apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),தேடல் உருப்படி (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ஏசிசி-சிஎஃப்- .YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,ஏற்கனவே பரிவர்த்தனை கணக்கு நீக்க முடியாது +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,இந்த உருப்படி ஏன் அகற்றப்பட வேண்டும் என்று நினைக்கிறீர்கள்? DocType: Vehicle,Last Carbon Check,கடந்த கார்பன் சோதனை apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,சட்ட செலவுகள் apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,வரிசையில் அளவு தேர்ந்தெடுக்கவும் @@ -6151,6 +6220,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,முறிவு DocType: Travel Itinerary,Vegetarian,சைவம் DocType: Patient Encounter,Encounter Date,என்கவுண்டர் தேதி +DocType: Work Order,Update Consumed Material Cost In Project,திட்டத்தில் நுகரப்படும் பொருள் செலவைப் புதுப்பிக்கவும் apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,கணக்கு: {0} நாணயத்துடன்: {1} தேர்வு செய்ய முடியாது DocType: Bank Statement Transaction Settings Item,Bank Data,வங்கி தரவு DocType: Purchase Receipt Item,Sample Quantity,மாதிரி அளவு @@ -6204,7 +6274,7 @@ DocType: GSTR 3B Report,April,ஏப்ரல் DocType: Plant Analysis,Collection Datetime,சேகரிப்பு தரவுத்தளம் DocType: Asset Repair,ACC-ASR-.YYYY.-,ஏசிசி-ஆர்-.YYYY.- DocType: Work Order,Total Operating Cost,மொத்த இயக்க செலவு -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,குறிப்பு: பொருள் {0} பல முறை உள்ளிட்ட +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,குறிப்பு: பொருள் {0} பல முறை உள்ளிட்ட apps/erpnext/erpnext/config/buying.py,All Contacts.,அனைத்து தொடர்புகள். DocType: Accounting Period,Closed Documents,மூடப்பட்ட ஆவணங்கள் DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,நியமனம் விலைப்பட்டியல் நிர்வகிக்கவும் நோயாளியின் எதிர்காலத்தை தானாகவே ரத்து செய்யவும் @@ -6284,7 +6354,6 @@ DocType: Member,Membership Type,உறுப்பினர் வகை ,Reqd By Date,தேதி வாக்கில் Reqd apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,பற்றாளர்களின் DocType: Assessment Plan,Assessment Name,மதிப்பீடு பெயர் -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,PDC ஐ அச்சிடுக apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,ரோ # {0}: தொடர் எந்த கட்டாய ஆகிறது DocType: Purchase Taxes and Charges,Item Wise Tax Detail,பொருள் வாரியாக வரி விவரம் DocType: Employee Onboarding,Job Offer,வேலை வாய்ப்பு @@ -6344,6 +6413,7 @@ DocType: Serial No,Out of Warranty,உத்தரவாதத்தை வெ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,வரைபட தரவு வகை DocType: BOM Update Tool,Replace,பதிலாக apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,இல்லை பொருட்கள் கண்டுபிடிக்கப்பட்டது. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,மேலும் பொருட்களை வெளியிடுக apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} விற்பனை விலைப்பட்டியல்க்கு எதிரான {1} DocType: Antibiotic,Laboratory User,ஆய்வக பயனர் DocType: Request for Quotation Item,Project Name,திட்டம் பெயர் @@ -6364,7 +6434,6 @@ DocType: Payment Order Reference,Bank Account Details,வங்கி கணக DocType: Purchase Order Item,Blanket Order,பிளாங்கட் ஆர்டர் 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,வரி சொத்துகள் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},உற்பத்தி ஆணை வருகிறது {0} DocType: BOM Item,BOM No,BOM எண் 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,சராசரியாக நகர்கிறது @@ -6437,6 +6506,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),வெளிப்புற வரி விதிக்கக்கூடிய பொருட்கள் (பூஜ்ஜியம் மதிப்பிடப்பட்டது) DocType: BOM,Materials Required (Exploded),பொருட்கள் தேவை (விரிவான) 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/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,பதிவுசெய்ய தேதி எதிர்கால தேதியில் இருக்க முடியாது @@ -6494,7 +6564,6 @@ DocType: Pricing Rule,Same Item,அதே பொருள் DocType: Stock Ledger Entry,Stock Ledger Entry,பங்கு லெட்ஜர் நுழைவு DocType: Quality Action Resolution,Quality Action Resolution,தரமான செயல் தீர்மானம் apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} {1} மீது அரை நாள் விடுப்பு -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,அதே பொருளைப் பலமுறை நுழைந்தது வருகிறது DocType: Department,Leave Block List,பிளாக் பட்டியல் விட்டு DocType: Purchase Invoice,Tax ID,வரி ஐடி apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,பொருள் {0} சீரியல் எண்கள் வரிசை அமைப்பு காலியாக இருக்கவேண்டும் அல்ல @@ -6530,7 +6599,7 @@ 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} முடக்கப்பட்டால் அல்லது இல்லை DocType: Purchase Invoice,Return,திரும்ப -DocType: Accounting Dimension,Disable,முடக்கு +DocType: Account,Disable,முடக்கு apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,கட்டணம் செலுத்தும் முறை கட்டணம் செலுத்துவதற்கு தேவைப்படுகிறது DocType: Task,Pending Review,விமர்சனம் நிலுவையில் apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","சொத்துக்கள், தொடர்ச்சிகள், பேட்சுகள் போன்ற பல விருப்பங்களுக்கான முழு பக்கத்திலும் திருத்துக." @@ -6642,7 +6711,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ஏசிசி-எஸ்.எச்-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,ஒருங்கிணைந்த விலைப்பட்டியல் பகுதியை 100% DocType: Item Default,Default Expense Account,முன்னிருப்பு செலவு கணக்கு DocType: GST Account,CGST Account,CGST கணக்கு -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,மாணவர் மின்னஞ்சல் ஐடி DocType: Employee,Notice (days),அறிவிப்பு ( நாட்கள்) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,பிஓஎஸ் நிறைவு வவுச்சர் பற்றுச்சீட்டுகள் @@ -6653,6 +6721,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,விலைப்பட்டியல் காப்பாற்ற பொருட்களை தேர்வு DocType: Employee,Encashment Date,பணமாக்கல் தேதி DocType: Training Event,Internet,இணைய +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,விற்பனையாளர் தகவல் DocType: Special Test Template,Special Test Template,சிறப்பு டெஸ்ட் டெம்ப்ளேட் DocType: Account,Stock Adjustment,பங்கு சீரமைப்பு apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},இயல்புநிலை நடவடிக்கை செலவு நடவடிக்கை வகை உள்ளது - {0} @@ -6665,7 +6734,6 @@ 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,ட்ரெயல் பீரியட் தொடங்கும் மற்றும் முடியும் தேதிகள் அவசியம் -DocType: Company,Bank Remittance Settings,வங்கி அனுப்பும் அமைப்புகள் apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,சராசரி விகிதம் 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","""வாடிக்கையாளர் வழங்கிய பொருள்"" மதிப்பீட்டு விகிதம் இருக்க முடியாது" @@ -6693,6 +6761,7 @@ DocType: Grading Scale Interval,Threshold,ஆரம்பம் apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),மூலம் ஊழியர்களை வடிகட்டவும் (விரும்பினால்) DocType: BOM Update Tool,Current BOM,தற்போதைய பொருட்களின் அளவுக்கான ரசீது apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),இருப்பு (பற்று - வரவு) +DocType: Pick List,Qty of Finished Goods Item,முடிக்கப்பட்ட பொருட்களின் அளவு apps/erpnext/erpnext/public/js/utils.js,Add Serial No,தொடர் எண் சேர் DocType: Work Order Item,Available Qty at Source Warehouse,மூல கிடங்கு கிடைக்கும் அளவு apps/erpnext/erpnext/config/support.py,Warranty,உத்தரவாதத்தை @@ -6769,7 +6838,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","இங்கே நீங்கள் உயரம், எடை, ஒவ்வாமை, மருத்துவ கவலைகள் பராமரிக்க முடியும்" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,கணக்குகளை உருவாக்குதல் ... DocType: Leave Block List,Applies to Company,நிறுவனத்தின் பொருந்தும் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"சமர்ப்பிக்கப்பட்ட பங்கு நுழைவு {0} ஏனெனில், ரத்து செய்ய முடியாது" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"சமர்ப்பிக்கப்பட்ட பங்கு நுழைவு {0} ஏனெனில், ரத்து செய்ய முடியாது" DocType: Loan,Disbursement Date,இரு வாரங்கள் முடிவதற்குள் தேதி DocType: Service Level Agreement,Agreement Details,ஒப்பந்த விவரங்கள் apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,ஒப்பந்தத்தின் தொடக்க தேதி இறுதி தேதியை விட அதிகமாகவோ அல்லது சமமாகவோ இருக்கக்கூடாது. @@ -6778,6 +6847,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,மருத்துவ பதிவு DocType: Vehicle,Vehicle,வாகன DocType: Purchase Invoice,In Words,சொற்கள் +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,இன்றுவரை தேதிக்கு முன்பே இருக்க வேண்டும் apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,சமர்ப்பிக்கும் முன் வங்கி அல்லது கடன் நிறுவனங்களின் பெயரை உள்ளிடவும். apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} சமர்ப்பிக்கப்பட வேண்டும் DocType: POS Profile,Item Groups,பொருள் குழுக்கள் @@ -6849,7 +6919,6 @@ DocType: Customer,Sales Team Details,விற்பனை குழு வி apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,நிரந்தரமாக நீக்கு? DocType: Expense Claim,Total Claimed Amount,மொத்த கோரப்பட்ட தொகை apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,விற்பனை திறன் வாய்ப்புகள். -DocType: Plaid Settings,Link a new bank account,புதிய வங்கிக் கணக்கை இணைக்கவும் apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,}} என்பது தவறான வருகை நிலை. DocType: Shareholder,Folio no.,ஃபோலியோ இல்லை. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},தவறான {0} @@ -6865,7 +6934,6 @@ DocType: Production Plan,Material Requested,பொருள் கோரப் DocType: Warehouse,PIN,PIN ஐ DocType: Bin,Reserved Qty for sub contract,துணை ஒப்பந்தத்திற்கான ஒதுக்கீடு DocType: Patient Service Unit,Patinet Service Unit,பேட்னேட் சேவை பிரிவு -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,உரை கோப்பை உருவாக்கவும் DocType: Sales Invoice,Base Change Amount (Company Currency),மாற்றம் அடிப்படை தொகை (நிறுவனத்தின் நாணய) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,பின்வரும் கிடங்குகள் இல்லை கணக்கியல் உள்ளீடுகள் apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},உருப்படிக்கு {0} மட்டும் {0} @@ -6879,6 +6947,7 @@ DocType: Item,No of Months,மாதங்கள் இல்லை DocType: Item,Max Discount (%),அதிகபட்சம் தள்ளுபடி (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,கடன் நாட்கள் ஒரு எதிர்ம எண் அல்ல apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,ஒரு அறிக்கையை பதிவேற்றவும் +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,இந்த உருப்படியைப் புகாரளி DocType: Purchase Invoice Item,Service Stop Date,சேவை நிறுத்து தேதி apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,கடைசி ஆர்டர் தொகை DocType: Cash Flow Mapper,e.g Adjustments for:,எ.கா. சரிசெய்தல்: @@ -6969,16 +7038,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,பணியாளர் வரி விலக்கு பிரிவு apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,தொகை பூஜ்ஜியத்தை விட குறைவாக இருக்கக்கூடாது. DocType: Sales Invoice,C-Form Applicable,பொருந்தாது சி படிவம் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},ஆபரேஷன் நேரம் ஆபரேஷன் 0 விட இருக்க வேண்டும் {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},ஆபரேஷன் நேரம் ஆபரேஷன் 0 விட இருக்க வேண்டும் {0} DocType: Support Search Source,Post Route String,போஸ்ட் ரோட் சரம் apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,கிடங்கு கட்டாயமாகும் apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,வலைத்தளத்தை உருவாக்க முடியவில்லை DocType: Soil Analysis,Mg/K,எம்ஜி / கே DocType: UOM Conversion Detail,UOM Conversion Detail,மொறட்டுவ பல்கலைகழகம் மாற்றம் விரிவாக apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,சேர்க்கை மற்றும் சேர்க்கை -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,வைத்திருத்தல் பங்கு நுழைவு ஏற்கனவே உருவாக்கப்பட்ட அல்லது மாதிரி அளவு வழங்கப்படவில்லை +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,வைத்திருத்தல் பங்கு நுழைவு ஏற்கனவே உருவாக்கப்பட்ட அல்லது மாதிரி அளவு வழங்கப்படவில்லை DocType: Program,Program Abbreviation,திட்டம் சுருக்கமான -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,உத்தரவு ஒரு பொருள் டெம்ப்ளேட் எதிராக எழுப்பப்பட்ட apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),வவுச்சரால் குழு (ஒருங்கிணைக்கப்பட்டது) DocType: HR Settings,Encrypt Salary Slips in Emails,மின்னஞ்சல்களில் சம்பள சீட்டுகளை குறியாக்கு DocType: Question,Multiple Correct Answer,பல சரியான பதில் @@ -7025,7 +7093,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,மதிப்பிட DocType: Employee,Educational Qualification,கல்வி தகுதி DocType: Workstation,Operating Costs,செலவுகள் apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},நாணய {0} இருக்க வேண்டும் {1} -DocType: Employee Checkin,Entry Grace Period Consequence,நுழைவு கிரேஸ் கால விளைவு DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,இந்த மாற்றத்திற்கு ஒதுக்கப்பட்ட ஊழியர்களுக்கான 'ஊழியர் செக்கின்' அடிப்படையில் வருகையைக் குறிக்கவும். DocType: Asset,Disposal Date,நீக்கம் தேதி DocType: Service Level,Response and Resoution Time,பதில் மற்றும் மறுதொடக்கம் நேரம் @@ -7074,6 +7141,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,நிறைவு நாள் DocType: Purchase Invoice Item,Amount (Company Currency),தொகை (நிறுவனத்தின் நாணய) DocType: Program,Is Featured,சிறப்பு +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,பெறுகிறது ... DocType: Agriculture Analysis Criteria,Agriculture User,விவசாயம் பயனர் apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,தேதி வரை செல்லுபடியாகும் பரிவர்த்தனை தேதிக்கு முன் இருக்க முடியாது 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} இந்த பரிவர்த்தனையை நிறைவு செய்ய அலகுகள். @@ -7106,7 +7174,6 @@ DocType: Student,B+,பி 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,மொத்த பணம் விவரங்கள் 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,ஜிஎஸ்டி வகைப்படுத்தப்பட்டவையாகவும் விற்பனை பதிவு @@ -7130,6 +7197,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,அநாம apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ஏற்கப்பட்டது DocType: Lead,Converted,மாற்றப்படுகிறது DocType: Item,Has Serial No,வரிசை எண் உள்ளது +DocType: Stock Entry Detail,PO Supplied Item,அஞ்சல் வழங்கல் பொருள் 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} @@ -7240,7 +7308,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,ஒத்த வரிக 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,"{0} இல்லை இயல்புநிலை BOM," +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}: மீள் கட்டளை அளவு அமைக்க கொள்ளவும் apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,அவர்களை இங்கே சேர்க்கலாம் உருப்படிகளை தட்டவும் @@ -7275,7 +7343,6 @@ DocType: Purchase Invoice,Y,ஒய் DocType: Maintenance Visit,Maintenance Date,பராமரிப்பு தேதி DocType: Purchase Invoice Item,Rejected Serial No,நிராகரிக்கப்பட்டது சீரியல் இல்லை apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,"ஆண்டு தொடக்க தேதி அல்லது முடிவு தேதி {0} கொண்டு மேலெழும். நிறுவனம் அமைக்கவும், தயவு செய்து தவிர்க்க" -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு> எண்ணைத் தொடர் வழியாக வருகைக்கான எண்ணைத் தொடரை அமைக்கவும் apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},முன்னணி தலைப்பில் குறிப்பிடவும் {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},தொடக்க தேதி பொருள் முடிவு தேதி விட குறைவாக இருக்க வேண்டும் {0} DocType: Shift Type,Auto Attendance Settings,ஆட்டோ வருகை அமைப்புகள் @@ -7333,6 +7400,7 @@ DocType: Fees,Student Details,மாணவர் விவரங்கள் DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",உருப்படிகள் மற்றும் விற்பனை ஆர்டர்களுக்குப் பயன்படுத்தப்படும் இயல்புநிலை UOM இது. குறைவடையும் UOM "எண்" ஆகும். DocType: Purchase Invoice Item,Stock Qty,பங்கு அளவு DocType: Purchase Invoice Item,Stock Qty,பங்கு அளவு +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,இயல்புநிலை கப்பல் கணக்கு DocType: Loan,Repayment Period in Months,மாதங்களில் கடனை திருப்பி செலுத்தும் காலம் @@ -7361,6 +7429,7 @@ DocType: Authorization Rule,Customerwise Discount,வாடிக்கையா apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,பணிகளை டைம் ஷீட். DocType: Purchase Invoice,Against Expense Account,செலவு கணக்கு எதிராக apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,நிறுவல் குறிப்பு {0} ஏற்கனவே சமர்ப்பித்த +DocType: BOM,Raw Material Cost (Company Currency),மூலப்பொருள் செலவு (நிறுவன நாணயம்) DocType: GSTR 3B Report,October,அக்டோபர் DocType: Bank Reconciliation,Get Payment Entries,கொடுப்பனவு பதிவுகள் பெற DocType: Quotation Item,Against Docname,ஆவணம் பெயர் எதிராக @@ -7407,15 +7476,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,உபயோகத்திற்கான தேதி கிடைக்க வேண்டும் DocType: Request for Quotation,Supplier Detail,சப்ளையர் விபரம் apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},சூத்திரம் அல்லது நிலையில் பிழை: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,விலை விவரம் தொகை +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,விலை விவரம் தொகை apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,அளவுகோல் எடைகள் 100% வரை சேர்க்க வேண்டும் apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,வருகை apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,பங்கு பொருட்கள் DocType: Sales Invoice,Update Billed Amount in Sales Order,விற்பனை ஆணையில் பில்ட் தொகை புதுப்பிக்கவும் +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,விற்பனையாளரை தொடர்புகொள்ளுங்கள் 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,இந்த உருப்படியைப் புகாரளிக்க சந்தை பயனராக உள்நுழைக. ,Sales Partner Commission Summary,விற்பனை கூட்டாளர் ஆணையத்தின் சுருக்கம் ,Item Prices,பொருள் விலைகள் DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,நீங்கள் கொள்முதல் ஆணை சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும். @@ -7428,6 +7499,7 @@ DocType: Dosage Form,Dosage Form,அளவு படிவம் apps/erpnext/erpnext/config/buying.py,Price List master.,விலை பட்டியல் மாஸ்டர் . DocType: Task,Review Date,தேதி DocType: BOM,Allow Alternative Item,மாற்று பொருள் அனுமதி +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,கொள்முதல் ரசீதில் தக்கவைப்பு மாதிரி இயக்கப்பட்ட எந்த உருப்படியும் இல்லை. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,விலைப்பட்டியல் கிராண்ட் மொத்தம் DocType: Company,Series for Asset Depreciation Entry (Journal Entry),சொத்து தேய்மான நுழைவுக்கான தொடர் (ஜர்னல் நுழைவு) DocType: Membership,Member Since,உறுப்பினர் பின்னர் @@ -7436,6 +7508,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,நிகர மொத்தம் 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: Pricing Rule,Product Discount Scheme,தயாரிப்பு தள்ளுபடி திட்டம் +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,அழைப்பாளரால் எந்த பிரச்சினையும் எழுப்பப்படவில்லை. DocType: Restaurant Reservation,Waitlisted,உறுதியாகாத DocType: Employee Tax Exemption Declaration Category,Exemption Category,விலக்கு பிரிவு apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,நாணய வேறு நாணயங்களுக்கு பயன்படுத்தி உள்ளீடுகள் செய்வதில் பிறகு மாற்றிக்கொள்ள @@ -7449,7 +7522,6 @@ DocType: Customer Group,Parent Customer Group,பெற்றோர் வா apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ஈ-வே பில் JSON ஐ விற்பனை விலைப்பட்டியலில் இருந்து மட்டுமே உருவாக்க முடியும் apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,இந்த வினாடி வினாவிற்கான அதிகபட்ச முயற்சிகள் எட்டப்பட்டன! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,சந்தா -DocType: Purchase Invoice,Contact Email,மின்னஞ்சல் தொடர்பு apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,கட்டணம் உருவாக்கம் நிலுவையில் உள்ளது DocType: Project Template Task,Duration (Days),காலம் (நாட்கள்) DocType: Appraisal Goal,Score Earned,ஜூலை ஈட்டிய @@ -7475,7 +7547,6 @@ DocType: Landed Cost Item,Landed Cost Item,இறங்கினார் செ 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","ஒரு பரிவர்த்தனைக்கான தொகை அதிகபட்சமாக அனுமதிக்கப்பட்ட தொகையை மீறுகிறது, பரிவர்த்தனைகளைப் பிரிப்பதன் மூலம் தனி கட்டண வரிசையை உருவாக்கவும்" DocType: Service Level Agreement,Entity,நிறுவனத்தின் DocType: Payment Reconciliation,Receivable / Payable Account,பெறத்தக்க / செலுத்த வேண்டிய கணக்கு DocType: Delivery Note Item,Against Sales Order Item,விற்பனை ஆணை பொருள் எதிராக @@ -7644,6 +7715,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,க DocType: Quality Inspection Reading,Reading 3,3 படித்தல் DocType: Stock Entry,Source Warehouse Address,மூல கிடங்கு முகவரி DocType: GL Entry,Voucher Type,ரசீது வகை +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,எதிர்கால கொடுப்பனவுகள் 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 ,கடைசி செயல்பாடு @@ -7670,6 +7742,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,புலத்தில் காணப்படும் நோய்களின் பட்டியல். தேர்ந்தெடுக்கும் போது தானாக நோய் தீர்க்கும் பணியின் பட்டியல் சேர்க்கப்படும் +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,இது ஒரு ரூட் சுகாதார சேவை அலகு மற்றும் திருத்த முடியாது. DocType: Asset Repair,Repair Status,பழுதுபார்க்கும் நிலை apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","கோரப்பட்ட அளவு: அளவு உத்தரவிட்டார் வாங்குவதற்கு கோரியது, ஆனால் இல்லை." @@ -7684,6 +7757,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,கணக்கு தொகை மாற்றம் DocType: QuickBooks Migrator,Connecting to QuickBooks,குவிக்புக்ஸில் இணைக்கிறது DocType: Exchange Rate Revaluation,Total Gain/Loss,மொத்த லான் / இழப்பு +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,தேர்வு பட்டியலை உருவாக்கவும் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ரோ {0}: கட்சி / கணக்கு பொருந்தவில்லை {1} / {2} உள்ள {3} {4} DocType: Employee Promotion,Employee Promotion,பணியாளர் ஊக்குவிப்பு DocType: Maintenance Team Member,Maintenance Team Member,பராமரிப்பு குழு உறுப்பினர் @@ -7767,6 +7841,7 @@ 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,சொத்து வகை apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,நிகர ஊதியம் எதிர்மறை இருக்க முடியாது @@ -7798,7 +7873,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,தர இலக்கு DocType: BOM,Item to be manufactured or repacked,உருப்படியை உற்பத்தி அல்லது repacked வேண்டும் apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},நிபந்தனை தொடரியல் பிழை: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,வாடிக்கையாளர் எழுப்பிய பிரச்சினை எதுவும் இல்லை. DocType: Fee Structure,EDU-FST-.YYYY.-,Edu-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,முக்கிய / விருப்ப பாடங்கள் apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,வாங்குதல் அமைப்புகளில் சப்ளையர் குழுவை அமைக்கவும். @@ -7891,8 +7965,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,கடன் நாட்கள் apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,ஆய்வக சோதனைகளை பெறுவதற்கு நோயாளித் தேர்ந்தெடுக்கவும் DocType: Exotel Settings,Exotel Settings,எக்சோடெல் அமைப்புகள் -DocType: Leave Type,Is Carry Forward,முன்னோக்கி எடுத்துச்செல் +DocType: Leave Ledger Entry,Is Carry Forward,முன்னோக்கி எடுத்துச்செல் DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),இல்லாத நேரம் குறிக்கப்பட்ட வேலை நேரம். (முடக்க பூஜ்ஜியம்) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,செய்தி அனுப்புங்கள் apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,BOM இருந்து பொருட்களை பெற 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,வருமான வரி செலவுகள் diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv index 7dad9bd235..b49d2479cb 100644 --- a/erpnext/translations/te.csv +++ b/erpnext/translations/te.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,సరఫరాదారుకు తెలియజేయండి apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,మొదటి పార్టీ రకాన్ని ఎంచుకోండి DocType: Item,Customer Items,కస్టమర్ అంశాలు +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,బాధ్యతలు DocType: Project,Costing and Billing,ఖర్చయ్యే బిల్లింగ్ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},అడ్వాన్స్ ఖాతా కరెన్సీ కంపెనీ కరెన్సీ వలె ఉండాలి. {0} DocType: QuickBooks Migrator,Token Endpoint,టోకెన్ ముగింపు @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,మెజర్ డిఫాల్ట్ DocType: SMS Center,All Sales Partner Contact,అన్ని అమ్మకపు భాగస్వామిగా సంప్రదించండి DocType: Department,Leave Approvers,Approvers వదిలి DocType: Employee,Bio / Cover Letter,బయో / కవర్ లెటర్ +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,శోధన అంశాలు ... DocType: Patient Encounter,Investigations,పరిశోధనల DocType: Restaurant Order Entry,Click Enter To Add,జోడించు క్లిక్ చేయండి apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","పాస్వర్డ్, API కీ లేదా Shopify URL కోసం విలువ లేదు" DocType: Employee,Rented,అద్దెకు apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,అన్ని ఖాతాలు apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,ఉద్యోగస్థుని స్థితిని బదిలీ చేయలేరు -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ఆగిపోయింది ఉత్పత్తి ఆర్డర్ రద్దు చేయలేము రద్దు మొదటి అది Unstop DocType: Vehicle Service,Mileage,మైలేజ్ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,మీరు నిజంగా ఈ ఆస్తి ను అనుకుంటున్నారు? DocType: Drug Prescription,Update Schedule,నవీకరణ షెడ్యూల్ @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,కస్టమర్ DocType: Purchase Receipt Item,Required By,ద్వారా అవసరం DocType: Delivery Note,Return Against Delivery Note,డెలివరీ గమనిక వ్యతిరేకంగా తిరిగి DocType: Asset Category,Finance Book Detail,ఫైనాన్స్ బుక్ వివరాలు +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,అన్ని తరుగుదల బుక్ చేయబడింది DocType: Purchase Order,% Billed,% కస్టమర్లకు apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,పేరోల్ సంఖ్య apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),ఎక్స్చేంజ్ రేట్ అదే ఉండాలి {0} {1} ({2}) @@ -95,6 +97,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,బ్యాచ్ అంశం గడువు హోదా apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,బ్యాంక్ డ్రాఫ్ట్ DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-జెవి-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,మొత్తం ఆలస్య ఎంట్రీలు DocType: Mode of Payment Account,Mode of Payment Account,చెల్లింపు ఖాతా మోడ్ apps/erpnext/erpnext/config/healthcare.py,Consultation,కన్సల్టేషన్ DocType: Accounts Settings,Show Payment Schedule in Print,ముద్రణలో చెల్లింపు షెడ్యూల్ను చూపించు @@ -120,6 +123,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,ప్రాథమిక సంప్రదింపు వివరాలు apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,ఓపెన్ ఇష్యూస్ DocType: Production Plan Item,Production Plan Item,ఉత్పత్తి ప్రణాళిక అంశం +DocType: Leave Ledger Entry,Leave Ledger Entry,లెడ్జర్ ఎంట్రీని వదిలివేయండి 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,లీడ్ సృష్టించండి @@ -138,6 +142,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,గ DocType: Purchase Invoice Item,Item Weight Details,అంశం బరువు వివరాలు DocType: Asset Maintenance Log,Periodicity,ఆవర్తకత apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,ఫిస్కల్ ఇయర్ {0} అవసరం +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,నికర లాభం / నష్టం DocType: Employee Group Table,ERPNext User ID,ERPNext యూజర్ ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,వాంఛనీయ వృద్ధి కోసం మొక్కల వరుసల మధ్య కనీస దూరం apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,సూచించిన విధానాన్ని పొందడానికి రోగిని ఎంచుకోండి @@ -164,10 +169,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,ధర జాబితా అమ్మకం DocType: Patient,Tobacco Current Use,పొగాకు ప్రస్తుత ఉపయోగం apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,రేట్ సెల్లింగ్ -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,క్రొత్త ఖాతాను జోడించే ముందు దయచేసి మీ పత్రాన్ని సేవ్ చేయండి 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 ...,ఏదైనా వెతకండి ... DocType: Company,Phone No,ఫోన్ సంఖ్య DocType: Delivery Trip,Initial Email Notification Sent,ప్రారంభ ఇమెయిల్ నోటిఫికేషన్ పంపబడింది DocType: Bank Statement Settings,Statement Header Mapping,ప్రకటన శీర్షిక మ్యాపింగ్ @@ -229,6 +234,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,ప DocType: Exchange Rate Revaluation Account,Gain/Loss,పెరుగుట / నష్టం DocType: Crop,Perennial,నిత్యం DocType: Program,Is Published,ప్రచురించబడింది +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,డెలివరీ గమనికలను చూపించు apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","బిల్లింగ్‌ను అనుమతించడానికి, ఖాతాల సెట్టింగ్‌లు లేదా అంశంలో "ఓవర్ బిల్లింగ్ అలవెన్స్" ను నవీకరించండి." DocType: Patient Appointment,Procedure,విధానము DocType: Accounts Settings,Use Custom Cash Flow Format,కస్టమ్ క్యాష్ ఫ్లో ఫార్మాట్ ఉపయోగించండి @@ -277,6 +283,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,చెల్లింపులో కాలాల ఓవర్ సంఖ్య apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ఉత్పత్తి చేసే పరిమాణం జీరో కంటే తక్కువగా ఉండకూడదు DocType: Stock Entry,Additional Costs,అదనపు వ్యయాలు +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,ఉన్న లావాదేవీతో ఖాతా సమూహం మార్చబడుతుంది సాధ్యం కాదు. DocType: Lead,Product Enquiry,ఉత్పత్తి ఎంక్వయిరీ DocType: Education Settings,Validate Batch for Students in Student Group,స్టూడెంట్ గ్రూప్ లో స్టూడెంట్స్ కోసం బ్యాచ్ ప్రమాణీకరించు @@ -288,7 +295,9 @@ DocType: Employee Education,Under Graduate,గ్రాడ్యుయేట్ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,దయచేసి HR సెట్టింగ్ల్లో లీవ్ స్టేట్ నోటిఫికేషన్ కోసం డిఫాల్ట్ టెంప్లేట్ను సెట్ చేయండి. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ఆన్ టార్గెట్ DocType: BOM,Total Cost,మొత్తం వ్యయం +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,కేటాయింపు గడువు ముగిసింది! DocType: Soil Analysis,Ca/K,CA / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,ఫార్వార్డ్ ఆకులను గరిష్టంగా తీసుకువెళ్లండి DocType: Salary Slip,Employee Loan,ఉద్యోగి లోన్ DocType: Additional Salary,HR-ADS-.YY.-.MM.-,ఆర్ ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,చెల్లింపు అభ్యర్థన ఇమెయిల్ను పంపండి @@ -298,6 +307,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,హౌ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,ఖాతా ప్రకటన apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ఫార్మాస్యూటికల్స్ DocType: Purchase Invoice Item,Is Fixed Asset,స్థిర ఆస్తి ఉంది +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,భవిష్యత్ చెల్లింపులను చూపించు DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,ఈ బ్యాంక్ ఖాతా ఇప్పటికే సమకాలీకరించబడింది DocType: Homepage,Homepage Section,హోమ్‌పేజీ విభాగం @@ -344,7 +354,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,ఎరువులు apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",సీరియల్ నో ద్వారా డెలివరీను హామీ ఇవ్వలేము \ అంశం {0} మరియు సీరియల్ నంబర్ -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,దయచేసి విద్య> విద్య సెట్టింగులలో బోధకుడు నామకరణ వ్యవస్థను సెటప్ చేయండి apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,చెల్లింపు మోడ్ అయినా POS వాయిస్ అవసరం. DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,బ్యాంక్ స్టేట్మెంట్ ట్రాన్సాక్షన్ వాయిస్ ఐటెమ్ DocType: Salary Detail,Tax on flexible benefit,సౌకర్యవంతమైన ప్రయోజనం మీద పన్ను @@ -418,6 +427,7 @@ DocType: Job Offer,Select Terms and Conditions,Select నియమాలు మ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,అవుట్ విలువ DocType: Bank Statement Settings Item,Bank Statement Settings Item,బ్యాంక్ స్టేట్మెంట్ సెట్టింగులు అంశం DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce సెట్టింగులు +DocType: Leave Ledger Entry,Transaction Name,లావాదేవీ పేరు DocType: Production Plan,Sales Orders,సేల్స్ ఆర్డర్స్ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,కస్టమర్ కోసం బహుళ లాయల్టీ ప్రోగ్రామ్ కనుగొనబడింది. దయచేసి మానవీయంగా ఎంచుకోండి. DocType: Purchase Taxes and Charges,Valuation,వాల్యువేషన్ @@ -452,6 +462,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: 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,ఇమెయిల్ అప్డేట్ గ్రూప్ DocType: POS Profile,Only show Customer of these Customer Groups,ఈ కస్టమర్ సమూహాల కస్టమర్‌ను మాత్రమే చూపించు DocType: Sales Invoice,Is Opening Entry,ఎంట్రీ ప్రారంభ ఉంది @@ -460,8 +471,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,మెన్షన్ ప్రామాణికం కాని స్వీకరించదగిన ఖాతా వర్తిస్తే 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,ఈ పిక్ జాబితాకు వ్యతిరేకంగా స్టాక్ ఎంట్రీ ఇప్పటికే సృష్టించబడింది DocType: Supplier Scorecard,Criteria Setup,ప్రమాణం సెటప్ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,వేర్హౌస్ కోసం సమర్పించు ముందు అవసరం +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,అందుకున్న DocType: Codification Table,Medical Code,మెడికల్ కోడ్ apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ERPNext తో అమెజాన్ కనెక్ట్ చేయండి @@ -477,7 +489,7 @@ DocType: Restaurant Order Entry,Add Item,చేర్చు DocType: Party Tax Withholding Config,Party Tax Withholding Config,పార్టీ పన్ను విత్ హోల్డింగ్ కాన్ఫిగ్ DocType: Lab Test,Custom Result,కస్టమ్ ఫలితం apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,బ్యాంక్ ఖాతాలు జోడించబడ్డాయి -DocType: Delivery Stop,Contact Name,సంప్రదింపు పేరు +DocType: Call Log,Contact Name,సంప్రదింపు పేరు DocType: Plaid Settings,Synchronize all accounts every hour,ప్రతి గంటకు అన్ని ఖాతాలను సమకాలీకరించండి DocType: Course Assessment Criteria,Course Assessment Criteria,కోర్సు అంచనా ప్రమాణం DocType: Pricing Rule Detail,Rule Applied,నియమం వర్తింపజేయబడింది @@ -521,7 +533,6 @@ 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,సేల్స్ వాయిస్ లేవు -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,తెలియని సంఖ్య DocType: Website Filter Field,Website Filter Field,వెబ్‌సైట్ ఫిల్టర్ ఫీల్డ్ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,సరఫరా రకం DocType: Material Request Item,Min Order Qty,Min ఆర్డర్ ప్యాక్ చేసిన అంశాల @@ -549,7 +560,6 @@ DocType: Salary Slip,Total Principal Amount,మొత్తం ప్రధా DocType: Student Guardian,Relation,రిలేషన్ DocType: Quiz Result,Correct,సరైన DocType: Student Guardian,Mother,తల్లి -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,దయచేసి మొదట site_config.json లో చెల్లుబాటు అయ్యే ప్లాయిడ్ API కీలను జోడించండి DocType: Restaurant Reservation,Reservation End Time,రిజర్వేషన్ ఎండ్ టైమ్ DocType: Crop,Biennial,ద్వైవార్షిక ,BOM Variance Report,BOM వ్యత్యాస నివేదిక @@ -564,6 +574,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,ప్లాయిడ్ పబ్లిక్ కీ DocType: Payment Term,Payment Term Name,చెల్లింపు టర్మ్ పేరు DocType: Healthcare Settings,Create documents for sample collection,నమూనా సేకరణ కోసం పత్రాలను సృష్టించండి apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},వ్యతిరేకంగా చెల్లింపు {0} {1} అసాధారణ మొత్తాన్ని కంటే ఎక్కువ ఉండకూడదు {2} @@ -611,12 +622,14 @@ DocType: POS Profile,Offline POS Settings,ఆఫ్‌లైన్ POS సెట DocType: Stock Entry Detail,Reference Purchase Receipt,రిఫరెన్స్ కొనుగోలు రసీదు DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,వేరియంట్ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',కంటే 'ప్యాక్ చేసిన అంశాల తయారీకి' పూర్తి ప్యాక్ చేసిన అంశాల ఎక్కువ ఉండకూడదు +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',కంటే 'ప్యాక్ చేసిన అంశాల తయారీకి' పూర్తి ప్యాక్ చేసిన అంశాల ఎక్కువ ఉండకూడదు +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,కాలం ఆధారంగా DocType: Period Closing Voucher,Closing Account Head,ఖాతా తల ముగింపు DocType: Employee,External Work History,బాహ్య వర్క్ చరిత్ర apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,సర్క్యులర్ సూచన లోపం apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,స్టూడెంట్ రిపోర్ట్ కార్డ్ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,పిన్ కోడ్ నుండి +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,సేల్స్ పర్సన్ చూపించు DocType: Appointment Type,Is Inpatient,ఇన్పేషెంట్ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 పేరు DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,మీరు డెలివరీ గమనిక సేవ్ ఒకసారి పదాలు (ఎగుమతి) లో కనిపిస్తుంది. @@ -630,6 +643,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,డైమెన్షన్ పేరు apps/erpnext/erpnext/healthcare/setup.py,Resistant,రెసిస్టెంట్ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},దయచేసి {@} పై హోటల్ రూట్ రేటును సెట్ చేయండి +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,దయచేసి సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబరింగ్ సిరీస్‌ను సెటప్ చేయండి DocType: Journal Entry,Multi Currency,మల్టీ కరెన్సీ DocType: Bank Statement Transaction Invoice Item,Invoice Type,వాయిస్ పద్ధతి apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,తేదీ నుండి చెల్లుబాటు అయ్యే తేదీ కంటే తక్కువగా ఉండాలి @@ -648,6 +662,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,చేరినవారి DocType: Workstation,Rent Cost,రెంట్ ఖర్చు 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,మొత్తం అరుగుదల తరువాత apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,రాబోయే క్యాలెండర్ ఈవెంట్స్ apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,వేరియంట్ గుణాలు @@ -734,7 +749,6 @@ DocType: Request for Quotation,Request for Quotation,కొటేషన్ క 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,సేల్స్ వ్యక్తిని ప్రింట్‌లో చూపించు 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,బలం @@ -742,7 +756,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,ఒక కొత్త కస్టమర్ సృష్టించు apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,ముగుస్తున్నది apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","బహుళ ధర రూల్స్ వ్యాప్తి చెందడం కొనసాగుతుంది, వినియోగదారులు పరిష్కరించవచ్చు మానవీయంగా ప్రాధాన్యత సెట్ కోరతారు." -DocType: Purchase Invoice,Scan Barcode,బార్‌కోడ్‌ను స్కాన్ చేయండి apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,కొనుగోలు ఉత్తర్వులు సృష్టించు ,Purchase Register,కొనుగోలు నమోదు apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,రోగి దొరకలేదు @@ -801,6 +814,7 @@ DocType: Account,Old Parent,పాత మాతృ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,తప్పనిసరి రంగంలో - అకాడెమిక్ ఇయర్ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,తప్పనిసరి రంగంలో - అకాడెమిక్ ఇయర్ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} {2} తో సంబంధం లేదు {3} +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,మిన్ డాక్స్ కౌంట్ @@ -842,6 +856,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet ఆధారంగా పేరోల్ కోసం జీతం భాగం. DocType: Driver,Applicable for external driver,బాహ్య డ్రైవర్ కోసం వర్తించే DocType: Sales Order Item,Used for Production Plan,ఉత్పత్తి ప్లాన్ వుపయోగించే +DocType: BOM,Total Cost (Company Currency),మొత్తం ఖర్చు (కంపెనీ కరెన్సీ) DocType: Loan,Total Payment,మొత్తం చెల్లింపు apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,పూర్తి వర్క్ ఆర్డర్ కోసం లావాదేవీని రద్దు చేయలేరు. DocType: Manufacturing Settings,Time Between Operations (in mins),(నిమిషాలు) ఆపరేషన్స్ మధ్య సమయం @@ -862,6 +877,7 @@ DocType: Supplier Scorecard Standing,Notify Other,ఇతర తెలియజ DocType: Vital Signs,Blood Pressure (systolic),రక్తపోటు (సిస్టోలిక్) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} {2} DocType: Item Price,Valid Upto,చెల్లుబాటు అయ్యే వరకు +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.,మీ వినియోగదారులు కొన్ని జాబితా. వారు సంస్థలు లేదా వ్యక్తులతో కావచ్చు. @@ -923,6 +939,7 @@ DocType: Patient,Risk Factors,ప్రమాద కారకాలు DocType: Patient,Occupational Hazards and Environmental Factors,వృత్తిపరమైన ప్రమాదాలు మరియు పర్యావరణ కారకాలు apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,స్టాక్ ఎంట్రీలు ఇప్పటికే వర్క్ ఆర్డర్ కోసం సృష్టించబడ్డాయి apps/erpnext/erpnext/templates/pages/cart.html,See past orders,గత ఆర్డర్‌లను చూడండి +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} సంభాషణలు DocType: Vital Signs,Respiratory rate,శ్వాసక్రియ రేటు apps/erpnext/erpnext/config/help.py,Managing Subcontracting,మేనేజింగ్ ఉప DocType: Vital Signs,Body Temperature,శరీర ఉష్ణోగ్రత @@ -964,6 +981,7 @@ DocType: Purchase Invoice,Registered Composition,నమోదిత కూర్ apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,హలో apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,తరలించు అంశం DocType: Employee Incentive,Incentive Amount,ప్రోత్సాహక మొత్తం +,Employee Leave Balance Summary,ఉద్యోగి సెలవు బ్యాలెన్స్ సారాంశం DocType: Serial No,Warranty Period (Days),వారంటీ కాలం (రోజులు) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,మొత్తం క్రెడిట్ / డెబిట్ మొత్తం లింక్ జర్నల్ ఎంట్రీ లాగానే ఉండాలి DocType: Installation Note Item,Installation Note Item,సంస్థాపన సూచన అంశం @@ -977,6 +995,7 @@ DocType: Vital Signs,Bloated,మందకొడి DocType: Salary Slip,Salary Slip Timesheet,జీతం స్లిప్ TIMESHEET apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ఉప-ఒప్పంద కొనుగోలు రసీదులు తప్పనిసరి సరఫరాదారు వేర్హౌస్ DocType: Item Price,Valid From,నుండి వరకు చెల్లుతుంది +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,మీ రేటింగ్: DocType: Sales Invoice,Total Commission,మొత్తం కమిషన్ DocType: Tax Withholding Account,Tax Withholding Account,పన్ను అక్రమ హోల్డింగ్ ఖాతా DocType: Pricing Rule,Sales Partner,సేల్స్ భాగస్వామి @@ -984,6 +1003,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,అన్ని DocType: Buying Settings,Purchase Receipt Required,కొనుగోలు రసీదులు అవసరం DocType: Sales Invoice,Rail,రైల్ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,అసలు ఖరీదు +DocType: Item,Website Image,వెబ్‌సైట్ చిత్రం apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,వరుసలో ఉన్న టార్గెట్ గిడ్డంగి {0} వర్క్ ఆర్డర్ వలె ఉండాలి apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,తెరవడం స్టాక్ ఎంటర్ చేస్తే వాల్యువేషన్ రేటు తప్పనిసరి apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,వాయిస్ పట్టిక కనుగొనబడలేదు రికార్డులు @@ -1015,8 +1035,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Receive at Warehou 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,దయచేసి మీ ఖాతాను సమకాలీకరించడానికి ముందు మీ ప్లాయిడ్ API కాన్ఫిగరేషన్‌ను పూర్తి చేయండి apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,హాఫ్ డే తేదీ తప్పనిసరి DocType: Sales Order,Billing and Delivery Status,బిల్లింగ్ మరియు డెలివరీ స్థాయి DocType: Job Applicant,Resume Attachment,పునఃప్రారంభం జోడింపు @@ -1028,7 +1048,6 @@ DocType: Production Plan,Production Plan,ఉత్పత్తి ప్రణ DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,వాయిస్ సృష్టి సాధనాన్ని తెరవడం DocType: Salary Component,Round to the Nearest Integer,సమీప పూర్ణాంకానికి రౌండ్ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,సేల్స్ చూపించు -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,గమనిక: మొత్తం కేటాయించింది ఆకులు {0} ఇప్పటికే ఆమోదం ఆకులు కంటే తక్కువ ఉండకూడదు {1} కాలానికి DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,సీరియల్ నో ఇన్పుట్ ఆధారంగా లావాదేవీల్లో Qty సెట్ చేయండి ,Total Stock Summary,మొత్తం స్టాక్ సారాంశం DocType: Announcement,Posted By,ద్వారా పోస్ట్ @@ -1054,6 +1073,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,స apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,ప్రధాన మొత్తం DocType: Loan Application,Total Payable Interest,మొత్తం చెల్లించవలసిన వడ్డీ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},మొత్తం అత్యుత్తమమైన: {0} +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} DocType: Payroll Entry,Select Payment Account to make Bank Entry,బ్యాంక్ ఎంట్రీ చేయడానికి చెల్లింపు ఖాతా ఎంచుకోండి @@ -1062,6 +1082,7 @@ 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,నవీకరణ ప్రాసెస్ సమయంలో లోపం సంభవించింది DocType: Restaurant Reservation,Restaurant Reservation,రెస్టారెంట్ రిజర్వేషన్ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,మీ అంశాలు apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,ప్రతిపాదన రాయడం DocType: Payment Entry Deduction,Payment Entry Deduction,చెల్లింపు ఎంట్రీ తీసివేత DocType: Service Level Priority,Service Level Priority,సేవా స్థాయి ప్రాధాన్యత @@ -1070,6 +1091,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,బ్యాచ్ సంఖ్య సీరీస్ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,మరో సేల్స్ పర్సన్ {0} అదే ఉద్యోగి ఐడితో ఉంది DocType: Employee Advance,Claimed Amount,దావా వేసిన మొత్తం +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,కేటాయింపు గడువు DocType: QuickBooks Migrator,Authorization Settings,ప్రామాణీకరణ సెట్టింగ్లు DocType: Travel Itinerary,Departure Datetime,బయలుదేరే సమయం apps/erpnext/erpnext/hub_node/api.py,No items to publish,ప్రచురించడానికి అంశాలు లేవు @@ -1138,7 +1160,6 @@ DocType: Student Batch Name,Batch Name,బ్యాచ్ పేరు DocType: Fee Validity,Max number of visit,సందర్శన యొక్క అత్యధిక సంఖ్య DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,లాభం మరియు నష్టం ఖాతాకు తప్పనిసరి ,Hotel Room Occupancy,హోటల్ రూం ఆక్యుపెన్సీ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet రూపొందించినవారు: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},చెల్లింపు విధానం లో డిఫాల్ట్ నగదు లేదా బ్యాంక్ ఖాతా సెట్ దయచేసి {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,నమోదు DocType: GST Settings,GST Settings,జిఎస్టి సెట్టింగులు @@ -1270,6 +1291,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,దయచేసి ఎంచుకోండి ప్రోగ్రామ్ DocType: Project,Estimated Cost,అంచనా వ్యయం DocType: Request for Quotation,Link to material requests,పదార్థం అభ్యర్థనలు లింక్ +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,ప్రచురించు apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ఏరోస్పేస్ ,Fichier des Ecritures Comptables [FEC],ఫిషియర్ డెస్ ఈక్విట్రర్స్ కాంపెబుల్స్ [FEC] DocType: Journal Entry,Credit Card Entry,క్రెడిట్ కార్డ్ ఎంట్రీ @@ -1296,6 +1318,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,ప్రస్తుత ఆస్తులు apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} స్టాక్ అంశం కాదు apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"శిక్షణ ఫీడ్బ్యాక్ మీద క్లిక్ చేసి, తరువాత 'కొత్త'" +DocType: Call Log,Caller Information,కాలర్ సమాచారం DocType: Mode of Payment Account,Default Account,డిఫాల్ట్ ఖాతా apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,మొదటి స్టాక్ సెట్టింగులలో నమూనా Retention Warehouse ఎంచుకోండి apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,ఒకటి కంటే ఎక్కువ సేకరణ నిబంధనలకు బహుళ టైర్ ప్రోగ్రామ్ రకాన్ని ఎంచుకోండి. @@ -1320,6 +1343,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,ఆటో మెటీరియల్ అభ్యర్థనలు రూపొందించినవి DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),హాఫ్ డే గుర్తించబడిన పని గంటలు క్రింద. (నిలిపివేయడానికి సున్నా) DocType: Job Card,Total Completed Qty,మొత్తం పూర్తయింది Qty +DocType: HR Settings,Auto Leave Encashment,ఆటో లీవ్ ఎన్‌కాష్‌మెంట్ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,లాస్ట్ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,మీరు కాలమ్ 'జర్నల్ ఎంట్రీ వ్యతిరేకంగా' ప్రస్తుత రసీదును ఎంటర్ కాదు DocType: Employee Benefit Application Detail,Max Benefit Amount,మాక్స్ బెనిఫిట్ మొత్తం @@ -1349,9 +1373,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,సబ్స్క్రయిబర్ DocType: Item Attribute Value,Item Attribute Value,అంశం విలువను ఆపాదించే apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,కరెన్సీ ఎక్స్ఛేంజ్ కొనుగోలు లేదా అమ్మకం కోసం వర్తింపజేయాలి. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,గడువు ముగిసిన కేటాయింపు మాత్రమే రద్దు చేయబడుతుంది DocType: Item,Maximum sample quantity that can be retained,నిలబెట్టుకోగల గరిష్ట నమూనా పరిమాణం apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},{0} # అంశం {1} కొనుగోలు ఆర్డర్ {2} కంటే {2} కంటే ఎక్కువ బదిలీ చేయబడదు. apps/erpnext/erpnext/config/crm.py,Sales campaigns.,సేల్స్ ప్రచారాలు. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,తెలియని కాలర్ DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1383,6 +1409,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,హెల apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc పేరు DocType: Expense Claim Detail,Expense Claim Type,ఖర్చుల దావా రకం DocType: Shopping Cart Settings,Default settings for Shopping Cart,షాపింగ్ కార్ట్ డిఫాల్ట్ సెట్టింగులను +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,అంశాన్ని సేవ్ చేయండి apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,కొత్త ఖర్చు apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,ఇప్పటికే ఉన్న ఆర్డర్ Qty ని విస్మరించండి apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,టైమ్స్ లాట్లను జోడించు @@ -1394,6 +1421,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,ఆహ్వానం పంపండి సమీక్షించండి DocType: Shift Assignment,Shift Assignment,షిఫ్ట్ కేటాయింపు DocType: Employee Transfer Property,Employee Transfer Property,ఉద్యోగి బదిలీ ఆస్తి +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,ఫీల్డ్ ఈక్విటీ / బాధ్యత ఖాతా ఖాళీగా ఉండకూడదు apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,సమయం నుండి సమయం తక్కువగా ఉండాలి apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,బయోటెక్నాలజీ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1475,11 +1503,13 @@ 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,క్రొత్త పరిచయాన్ని సృష్టించండి apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,కోర్సు షెడ్యూల్ DocType: GSTR 3B Report,GSTR 3B Report,జిఎస్‌టిఆర్ 3 బి రిపోర్ట్ DocType: Request for Quotation Supplier,Quote Status,కోట్ స్థితి DocType: GoCardless Settings,Webhooks Secret,వెబ్క్యుక్స్ సీక్రెట్ DocType: Maintenance Visit,Completion Status,పూర్తి స్థితి +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},మొత్తం చెల్లింపుల మొత్తం {than కంటే ఎక్కువగా ఉండకూడదు DocType: Daily Work Summary Group,Select Users,యూజర్లు ఎంచుకోండి DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,హోటల్ గది ధర అంశం DocType: Loyalty Program Collection,Tier Name,టైర్ పేరు @@ -1517,6 +1547,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST మ DocType: Lab Test Template,Result Format,ఫలితం ఫార్మాట్ DocType: Expense Claim,Expenses,ఖర్చులు DocType: Service Level,Support Hours,మద్దతు గంటలు +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,డెలివరీ గమనికలు DocType: Item Variant Attribute,Item Variant Attribute,అంశం వేరియంట్ లక్షణం ,Purchase Receipt Trends,కొనుగోలు రసీదులు ట్రెండ్లులో DocType: Payroll Entry,Bimonthly,పక్ష @@ -1539,7 +1570,6 @@ DocType: Sales Team,Incentives,ఇన్సెంటివ్స్ DocType: SMS Log,Requested Numbers,అభ్యర్థించిన సంఖ్యలు DocType: Volunteer,Evening,సాయంత్రం DocType: Quiz,Quiz Configuration,క్విజ్ కాన్ఫిగరేషన్ -DocType: Customer,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,స్టాక్ వివరాలు @@ -1586,7 +1616,6 @@ apps/erpnext/erpnext/config/accounting.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 ఫిల్టర్ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},ఆపరేషన్ కోసం తదుపరి {0} రోజుల్లో టైమ్ స్లాట్ దొరక్కపోతే {1} DocType: Work Order,Plan material for sub-assemblies,ఉప శాసనసభలకు ప్రణాళిక పదార్థం 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,బదిలీ కోసం అంశాలు ఏవీ అందుబాటులో లేవు @@ -1600,9 +1629,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,రీ-ఆర్డర్ స్థాయిలను నిర్వహించడానికి మీరు స్టాక్ సెట్టింగులలో ఆటో రీ-ఆర్డర్‌ను ప్రారంభించాలి. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,ఈ నిర్వహణ సందర్శించండి రద్దు ముందు రద్దు మెటీరియల్ సందర్శనల {0} DocType: Pricing Rule,Rate or Discount,రేటు లేదా డిస్కౌంట్ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,బ్యాంక్ వివరములు DocType: Vital Signs,One Sided,ఏక పక్షంగా apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},సీరియల్ లేవు {0} అంశం చెందినది కాదు {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Required ప్యాక్ చేసిన అంశాల +DocType: Purchase Order Item Supplied,Required Qty,Required ప్యాక్ చేసిన అంశాల DocType: Marketplace Settings,Custom Data,అనుకూల డేటా apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,ఉన్న లావాదేవీతో గిడ్డంగులు లెడ్జర్ మార్చబడతాయి కాదు. DocType: Service Day,Service Day,సేవా దినం @@ -1629,7 +1659,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,ఖాతా కరెన్సీ DocType: Lab Test,Sample ID,నమూనా ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,కంపెనీ లో రౌండ్ ఆఫ్ ఖాతా చెప్పలేదు దయచేసి -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,రేంజ్ DocType: Supplier,Default Payable Accounts,డిఫాల్ట్ చెల్లించవలసిన అకౌంట్స్ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,{0} ఉద్యోగి చురుకుగా కాదు లేదా ఉనికిలో లేదు @@ -1670,8 +1699,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,సమాచారం కోసం అభ్యర్థన DocType: Course Activity,Activity Date,కార్యాచరణ తేదీ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} యొక్క {} -,LeaderBoard,లీడర్బోర్డ్ DocType: Sales Invoice Item,Rate With Margin (Company Currency),మార్జిన్తో రేట్ చేయండి (కంపెనీ కరెన్సీ) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,కేటగిరీలు apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,సమకాలీకరణ ఆఫ్లైన్ రసీదులు DocType: Payment Request,Paid,చెల్లింపు DocType: Service Level,Default Priority,డిఫాల్ట్ ప్రాధాన్యత @@ -1706,11 +1735,11 @@ 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,పరోక్ష ఆదాయం DocType: Student Attendance Tool,Student Attendance Tool,విద్యార్థి హాజరు టూల్ DocType: Restaurant Menu,Price List (Auto created),ధర జాబితా (ఆటో సృష్టించబడింది) +DocType: Pick List Item,Picked Qty,Qty ఎంచుకున్నారు DocType: Cheque Print Template,Date Settings,తేదీ సెట్టింగులు 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,ఉద్యోగి ప్రమోషన్ వివరాలు -,Company Name,కంపెనీ పేరు DocType: SMS Center,Total Message(s),మొత్తం సందేశం (లు) DocType: Share Balance,Purchased,కొనుగోలు DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,అంశం లక్షణంలో లక్షణం విలువ పేరు మార్చండి. @@ -1728,7 +1757,6 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Chemical,కెమ DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ఈ మోడ్ ఎంపిక ఉన్నప్పుడు డిఫాల్ట్ బ్యాంక్ / నగదు ఖాతా స్వయంచాలకంగా జీతం జర్నల్ ఎంట్రీ లో అప్డేట్ అవుతుంది. DocType: Quiz,Latest Attempt,తాజా ప్రయత్నం DocType: Quiz Result,Quiz Result,క్విజ్ ఫలితం -DocType: BOM,Raw Material Cost(Company Currency),రా మెటీరియల్ ఖర్చు (కంపెనీ కరెన్సీ) 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,మీటర్ @@ -1794,6 +1822,7 @@ DocType: Travel Itinerary,Train,రైలు ,Delayed Item Report,ఆలస్యం అంశం నివేదిక apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,అర్హత గల ఐటిసి DocType: Healthcare Service Unit,Inpatient Occupancy,ఇన్పేషెంట్ ఆక్యుపెన్సీ +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,మీ మొదటి అంశాలను ప్రచురించండి DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"షిఫ్ట్ ముగిసిన సమయం, హాజరు కోసం చెక్-అవుట్ పరిగణించబడుతుంది." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},దయచేసి పేర్కొనండి ఒక {0} @@ -1911,6 +1940,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,అన్ని BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,ఇంటర్ కంపెనీ జర్నల్ ఎంట్రీని సృష్టించండి DocType: Company,Parent Company,మాతృ సంస్థ +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,రా మెటీరియల్స్ మరియు ఆపరేషన్లలో మార్పుల కోసం BOM లను సరిపోల్చండి apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,పత్రం {0} విజయవంతంగా అస్పష్టంగా ఉంది DocType: Healthcare Practitioner,Default Currency,డిఫాల్ట్ కరెన్సీ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,ఈ ఖాతాను తిరిగి సమన్వయం చేయండి @@ -1945,6 +1975,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,సి ఫారం వాయిస్ వివరాలు DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,చెల్లింపు సయోధ్య వాయిస్ DocType: Clinical Procedure,Procedure Template,పద్ధతి మూస +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,అంశాలను ప్రచురించండి apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,కాంట్రిబ్యూషన్% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","కొనుగోలు సెట్టింగులు ప్రకారం ఉంటే కొనుగోలు ఆర్డర్ అవసరం == 'అవును', అప్పుడు కొనుగోలు వాయిస్ సృష్టించడానికి, యూజర్ అంశం కోసం మొదటి కొనుగోలు ఆర్డర్ సృష్టించాలి {0}" ,HSN-wise-summary of outward supplies,బాహ్య సరఫరా యొక్క HSN- వారీగా-సారాంశం @@ -1956,7 +1987,6 @@ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,షాపిం apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',సెట్ 'న అదనపు డిస్కౌంట్ వర్తించు' దయచేసి DocType: Party Tax Withholding Config,Applicable Percent,వర్తించే శాతం ,Ordered Items To Be Billed,క్రమ అంశాలు బిల్ టు -DocType: Employee Checkin,Exit Grace Period Consequence,గ్రేస్ పీరియడ్ పర్యవసానంగా నిష్క్రమించండి apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,రేంజ్ తక్కువ ఉండాలి కంటే పరిధి DocType: Global Defaults,Global Defaults,గ్లోబల్ డిఫాల్ట్ apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,ప్రాజెక్టు కొలాబరేషన్ ఆహ్వానం @@ -1964,13 +1994,11 @@ DocType: Salary Slip,Deductions,తగ్గింపులకు DocType: Setup Progress Action,Action Name,చర్య పేరు apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ప్రారంభ సంవత్సరం apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,రుణాన్ని సృష్టించండి -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,ప్రస్తుత వాయిస్ యొక్క కాలం తేదీ ప్రారంభించండి DocType: Shift Type,Process Attendance After,ప్రాసెస్ హాజరు తరువాత ,IRS 1099,ఐఆర్ఎస్ 1099 DocType: Salary Slip,Leave Without Pay,పే లేకుండా వదిలి DocType: Payment Request,Outward,బాహ్య -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,పరిమాణ ప్రణాళికా లోపం apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,రాష్ట్ర / యుటి పన్ను ,Trial Balance for Party,పార్టీ కోసం ట్రయల్ బ్యాలెన్స్ ,Gross and Net Profit Report,స్థూల మరియు నికర లాభ నివేదిక @@ -1988,7 +2016,6 @@ DocType: Bank Statement Transaction Entry,Payment Invoice Items,చెల్ల DocType: Payroll Entry,Employee Details,ఉద్యోగి వివరాలు DocType: Amazon MWS Settings,CN,CN DocType: Item Variant Settings,Fields will be copied over only at time of creation.,క్షేత్రాలు సృష్టి సమయంలో మాత్రమే కాపీ చేయబడతాయి. -DocType: Setup Progress Action,Domains,డొమైన్స్ 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,చెల్లింపుదారు సెట్టింగులు @@ -2029,7 +2056,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,మొత 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.",చెల్లింపు రకం కన్ఫిగర్ చేయబడలేదు. ఖాతా చెల్లింపులు మోడ్ మీద లేదా POS ప్రొఫైల్ సెట్ చేయబడ్డాయి వచ్చారో లేదో తనిఖీ చేయండి. apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,అదే అంశం అనేకసార్లు ఎంటర్ చేయలేరు. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","మరింత ఖాతాల గుంపులు కింద తయారు చేయవచ్చు, కానీ ఎంట్రీలు కాని గుంపులు వ్యతిరేకంగా తయారు చేయవచ్చు" -DocType: Email Campaign,Lead,లీడ్ +DocType: Call Log,Lead,లీడ్ DocType: Email Digest,Payables,Payables DocType: Amazon MWS Settings,MWS Auth Token,MWS ఆథ్ టోకెన్ DocType: Email Campaign,Email Campaign For ,కోసం ఇమెయిల్ ప్రచారం @@ -2041,6 +2068,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,కొనుగోలు ఆర్డర్ అంశాలు బిల్ టు 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,క్రెడిట్ పరిమితులు DocType: Purchase Invoice Item,Net Rate,నికర రేటు apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,దయచేసి కస్టమర్ను ఎంచుకోండి DocType: Leave Policy,Leave Allocations,కేటాయింపులను వదిలివేయండి @@ -2054,6 +2082,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,ఇష్యూ డేస్ తర్వాత దగ్గరి ,Eway Bill,ఇవే బిల్ apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,మీరు మార్కెట్ నిర్వాహకులకు వినియోగదారులను జోడించడానికి సిస్టమ్ మేనేజర్ మరియు అంశం మేనేజర్ పాత్రలతో వినియోగదారుగా ఉండాలి. +DocType: Attendance,Early Exit,ప్రారంభ నిష్క్రమణ DocType: Job Opening,Staffing Plan,సిబ్బంది ప్రణాళిక apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,ఇ-వే బిల్ JSON సమర్పించిన పత్రం నుండి మాత్రమే ఉత్పత్తి అవుతుంది apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ఉద్యోగుల పన్ను మరియు ప్రయోజనాలు @@ -2075,6 +2104,7 @@ DocType: Maintenance Team Member,Maintenance Role,నిర్వహణ పా apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},తో నకిలీ వరుసగా {0} అదే {1} DocType: Marketplace Settings,Disable Marketplace,Marketplace ను డిసేబుల్ చెయ్యండి DocType: Quality Meeting,Minutes,మినిట్స్ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,మీ ఫీచర్ చేసిన అంశాలు ,Trial Balance,ట్రయల్ బ్యాలెన్స్ apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,షో పూర్తయింది apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ఫిస్కల్ ఇయర్ {0} దొరకలేదు @@ -2084,8 +2114,8 @@ 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,మొదటి ఉపసర్గ దయచేసి ఎంచుకోండి DocType: Contract,Fulfilment Deadline,నెరవేరడం గడువు +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,నీ దగ్గర DocType: Student,O-,O- -DocType: Shift Type,Consequence,పర్యవసానంగా DocType: Subscription Settings,Subscription Settings,చందా సెట్టింగులు DocType: Purchase Invoice,Update Auto Repeat Reference,నవీకరణ ఆటో రిపీట్ రిఫరెన్స్ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},ఐచ్ఛిక కాలం హాలిడే జాబితా సెలవు కాలం కోసం సెట్ చేయబడలేదు {0} @@ -2096,7 +2126,6 @@ DocType: Maintenance Visit Purpose,Work Done,పని చేసారు apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,గుణాలు పట్టిక లో కనీసం ఒక లక్షణం రాయండి DocType: Announcement,All Students,అన్ని స్టూడెంట్స్ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,అంశం {0} ఒక కాని స్టాక్ అంశం ఉండాలి -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,బ్యాంక్ డీటిల్స్ apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,చూడండి లెడ్జర్ DocType: Grading Scale,Intervals,విరామాలు DocType: Bank Statement Transaction Entry,Reconciled Transactions,పునర్నిర్మించిన లావాదేవీలు @@ -2132,6 +2161,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",అమ్మకపు ఉత్తర్వులను సృష్టించడానికి ఈ గిడ్డంగి ఉపయోగించబడుతుంది. ఫాల్‌బ్యాక్ గిడ్డంగి "స్టోర్స్". DocType: Work Order,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,కొనుగోలు చక్రం పొడవునా అదే రేటు నిర్వహించడానికి DocType: Opportunity Item,Opportunity Item,అవకాశం అంశం DocType: Quality Action,Quality Review,నాణ్యత సమీక్ష @@ -2158,7 +2188,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,అసాధారణ ఇన్వాయిస్లు పొందండి -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,అమ్మకాల ఆర్డర్ {0} చెల్లదు +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,ఉల్లేఖనాల కోసం క్రొత్త అభ్యర్థన కోసం హెచ్చరించండి apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,కొనుగోలు ఆర్డర్లు మీరు ప్లాన్ సహాయం మరియు మీ కొనుగోళ్లపై అనుసరించాల్సి apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,ల్యాబ్ టెస్ట్ ప్రిస్క్రిప్షన్స్ @@ -2182,6 +2212,7 @@ DocType: Employee Onboarding,Notify users by email,ఇమెయిల్ ద్ DocType: Travel Request,International,అంతర్జాతీయ DocType: Training Event,Training Event,శిక్షణ ఈవెంట్ DocType: Item,Auto re-order,ఆటో క్రమాన్ని +DocType: Attendance,Late Entry,లేట్ ఎంట్రీ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,మొత్తం ఆర్జిత DocType: Employee,Place of Issue,ఇష్యూ ప్లేస్ DocType: Promotional Scheme,Promotional Scheme Price Discount,ప్రచార పథకం ధర తగ్గింపు @@ -2228,6 +2259,7 @@ DocType: Serial No,Serial No Details,సీరియల్ సంఖ్య వ DocType: Purchase Invoice Item,Item Tax Rate,అంశం పన్ను రేటు apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,పార్టీ పేరు నుండి apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,నికర జీతం మొత్తం +DocType: Pick List,Delivery against Sales Order,సేల్స్ ఆర్డర్‌కు వ్యతిరేకంగా డెలివరీ DocType: Student Group Student,Group Roll Number,గ్రూప్ రోల్ సంఖ్య DocType: Student Group Student,Group Roll Number,గ్రూప్ రోల్ సంఖ్య apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","{0}, కేవలం క్రెడిట్ ఖాతాల మరొక డెబిట్ ప్రవేశం వ్యతిరేకంగా లింక్ చేయవచ్చు కోసం" @@ -2301,7 +2333,6 @@ DocType: Contract,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,సరఫరాదారు వాయిస్ తేదీ -DocType: Asset Settings,This value is used for pro-rata temporis calculation,ఈ విలువ ప్రో-రాటా తాత్కాలిక లెక్కింపు కోసం ఉపయోగించబడుతుంది apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,మీరు షాపింగ్ కార్ట్ ఎనేబుల్ చెయ్యాలి DocType: Payment Entry,Writeoff,Writeoff DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2324,7 +2355,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,క్రియారహిత అమ్మకపు అంశాలు DocType: Quality Review,Additional Information,అదనపు సమాచారం apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,మొత్తం ఆర్డర్ విలువ -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,సేవా స్థాయి ఒప్పందం రీసెట్. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,ఆహార apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,ఏజింగ్ రేంజ్ 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS ముగింపు వోచర్ వివరాలు @@ -2369,6 +2399,7 @@ 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,ప్రచారం 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',ఆమోద స్థితి 'అప్రూవ్డ్ లేదా' తిరస్కరించింది 'తప్పక DocType: Healthcare Practitioner,Contacts and Address,కాంటాక్ట్స్ మరియు చిరునామా DocType: Shift Type,Determine Check-in and Check-out,చెక్-ఇన్ మరియు చెక్-అవుట్ ని నిర్ణయించండి @@ -2388,7 +2419,6 @@ DocType: Student Admission,Eligibility and Details,అర్హతలు మర apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,స్థూల లాభంలో చేర్చబడింది apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,స్థిర ఆస్తి నికర మార్పును apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,క్లయింట్ కోడ్ apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,రకం 'యదార్థ' వరుసగా బాధ్యతలు {0} అంశాన్ని రేటు చేర్చారు సాధ్యం కాదు apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},మాక్స్: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,తేదీసమయం నుండి @@ -2456,6 +2486,7 @@ DocType: Journal Entry Account,Account Balance,ఖాతా నిలువ apps/erpnext/erpnext/config/accounting.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 (%),ఓవర్ ట్రాన్స్ఫర్ అలవెన్స్ (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: కస్టమర్ స్వీకరించదగిన ఖాతాఫై అవసరం {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),మొత్తం పన్నులు మరియు ఆరోపణలు (కంపెనీ కరెన్సీ) DocType: Weather,Weather Parameter,వాతావరణ పారామీటర్ @@ -2516,6 +2547,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,పని గంటలు apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,గడిపిన మొత్తం మీద ఆధారపడి బహుళ అంచెల సేకరణ అంశం ఉండవచ్చు. కానీ విమోచన కోసం మార్పిడి అంశం ఎల్లప్పుడూ అన్ని స్థాయిలకు సమానంగా ఉంటుంది. apps/erpnext/erpnext/config/help.py,Item Variants,అంశం రకరకాలు apps/erpnext/erpnext/public/js/setup_wizard.js,Services,సర్వీసులు +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,ఉద్యోగి ఇమెయిల్ వేతనం స్లిప్ DocType: Cost Center,Parent Cost Center,మాతృ ఖర్చు సెంటర్ @@ -2526,7 +2558,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields"," DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,షిప్టిప్లో Shopify నుండి దిగుమతి డెలివరీ గమనికలు apps/erpnext/erpnext/templates/pages/projects.html,Show closed,మూసి షో DocType: Issue Priority,Issue Priority,ఇష్యూ ప్రాధాన్యత -DocType: Leave Type,Is Leave Without Pay,పే లేకుండా వదిలి ఉంటుంది +DocType: Leave Ledger Entry,Is Leave Without Pay,పే లేకుండా వదిలి ఉంటుంది apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,ఆస్తి వర్గం స్థిర ఆస్తి అంశం తప్పనిసరి DocType: Fee Validity,Fee Validity,ఫీజు చెల్లుబాటు @@ -2598,6 +2630,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,రెండు-మార్గం DocType: Item,Manufacturers,తయారీదారులు @@ -2634,7 +2667,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,బ్యాంక్ సయోధ్య ప్రకటన DocType: Patient Encounter,Medical Coding,మెడికల్ కోడింగ్ DocType: Healthcare Settings,Reminder Message,రిమైండర్ సందేశం -,Lead Name,లీడ్ పేరు +DocType: Call Log,Lead Name,లీడ్ పేరు ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,వృద్ధి @@ -2666,12 +2699,14 @@ DocType: Purchase Invoice,Supplier Warehouse,సరఫరాదారు వే DocType: Opportunity,Contact Mobile No,సంప్రదించండి మొబైల్ లేవు apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,కంపెనీని ఎంచుకోండి ,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: Student Report Generation Tool,Print Section,విభాగం ముద్రించు DocType: Staffing Plan Detail,Estimated Cost Per Position,స్థానం ప్రకారం అంచనా వ్యయం DocType: Employee,HR-EMP-,ఆర్ EMP- 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,నాణ్యమైన సమావేశ నిమిషాలు +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,ఉద్యోగుల రెఫరల్ DocType: Student Group,Set 0 for no limit,ఎటువంటి పరిమితి 0 సెట్ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,మీరు సెలవు కోసం దరఖాస్తు ఇది రోజు (లు) పండుగలు. మీరు సెలవు కోసం దరఖాస్తు అవసరం లేదు. @@ -2703,12 +2738,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,నగదు నికర మార్పు DocType: Assessment Plan,Grading Scale,గ్రేడింగ్ స్కేల్ apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,మెజర్ {0} యొక్క యూనిట్ మార్పిడి ఫాక్టర్ టేబుల్ లో ఒకసారి కంటే ఎక్కువ నమోదు చేయబడింది -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,ఇప్పటికే పూర్తి apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,చేతిలో స్టాక్ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",దయచేసి అప్లికేషన్ యొక్క మిగిలిన అనుకూల లాభాంశాలు {0} యాడ్-ప్రో-రటా భాగం apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',దయచేసి ప్రజా పరిపాలన '% s' కోసం ఫిస్కల్ కోడ్‌ను సెట్ చేయండి -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},చెల్లింపు అభ్యర్థన ఇప్పటికే ఉంది {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,జారీచేయబడింది వస్తువుల ధర DocType: Healthcare Practitioner,Hospital,హాస్పిటల్ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},పరిమాణం కంటే ఎక్కువ ఉండకూడదు {0} @@ -2752,6 +2785,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,మానవ వనరులు apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,ఉన్నత ఆదాయపు DocType: Item Manufacturer,Item Manufacturer,అంశం తయారీదారు +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,కొత్త లీడ్ సృష్టించండి DocType: BOM Operation,Batch Size,గుంపు పరిమాణం apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,తిరస్కరించు DocType: Journal Entry Account,Debit in Company Currency,కంపెనీ కరెన్సీ లో డెబిట్ @@ -2771,7 +2805,9 @@ DocType: Bank Transaction,Reconciled,రాజీపడి DocType: Expense Claim,Total Amount Reimbursed,మొత్తం మొత్తం డబ్బులు apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,ఈ ఈ వాహనం వ్యతిరేకంగా లాగ్లను ఆధారంగా. వివరాల కోసం ఈ క్రింది కాలక్రమం చూడండి apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,ఉద్యోగి చేరిన తేదీ కంటే పేరోల్ తేదీ తక్కువగా ఉండకూడదు +DocType: Pick List,Item Locations,అంశం స్థానాలు apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} సృష్టించబడింది +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,మీరు 200 అంశాలను ప్రచురించవచ్చు. DocType: Vital Signs,Constipated,constipated apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},సరఫరాదారు వ్యతిరేకంగా వాయిస్ {0} నాటి {1} DocType: Customer,Default Price List,డిఫాల్ట్ ధర జాబితా @@ -2886,6 +2922,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,రిటైర్మెంట్ డేట్ అఫ్ DocType: Upload Attendance,Get Template,మూస పొందండి +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,జాబితా ఎంచుకోండి ,Sales Person Commission Summary,సేల్స్ పర్సన్ కమిషన్ సారాంశం DocType: Material Request,Transferred,బదిలీ DocType: Vehicle,Doors,ది డోర్స్ @@ -2966,7 +3003,7 @@ DocType: Sales Invoice Item,Customer's Item Code,కస్టమర్ యొక DocType: Stock Reconciliation,Stock Reconciliation,స్టాక్ సయోధ్య DocType: Territory,Territory Name,భూభాగం పేరు DocType: Email Digest,Purchase Orders to Receive,స్వీకరించడానికి ఆర్డర్లను కొనుగోలు చేయండి -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,పని లో ప్రోగ్రెస్ వేర్హౌస్ సమర్పించండి ముందు అవసరం +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,పని లో ప్రోగ్రెస్ వేర్హౌస్ సమర్పించండి ముందు అవసరం apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,మీరు చందాలో ఒకే బిల్లింగ్ చక్రం కలిగిన ప్లాన్లను మాత్రమే కలిగి ఉండవచ్చు DocType: Bank Statement Transaction Settings Item,Mapped Data,మాప్ చేసిన డేటా DocType: Purchase Order Item,Warehouse and Reference,వేర్హౌస్ మరియు సూచన @@ -3039,6 +3076,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,డెలివరీ సెట్టింగులు apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,డేటాను పొందు apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},సెలవు రకం {0} లో అనుమతించబడిన గరిష్ఠ సెలవు {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 అంశాన్ని ప్రచురించండి DocType: SMS Center,Create Receiver List,స్వీకర్త జాబితా సృష్టించు DocType: Student Applicant,LMS Only,LMS మాత్రమే apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,అందుబాటులో ఉన్న తేదీకి కొనుగోలు తేదీ తర్వాత అందుబాటులో ఉండాలి @@ -3072,6 +3110,7 @@ DocType: Serial No,Delivery Document No,డెలివరీ డాక్యు DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ఉత్పత్తి సీరియల్ నంబర్ ఆధారంగా డెలివరీని నిర్ధారించండి DocType: Vital Signs,Furry,ఫర్రి apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},కంపెనీ 'ఆస్తి తొలగింపు పై పెరుగుట / నష్టం ఖాతాకు' సెట్ దయచేసి {0} +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} ఆస్తి కోసం లక్ష్య స్థానం అవసరం @@ -3093,9 +3132,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,మంత్ల DocType: Quality Procedure Process,Quality Procedure Process,నాణ్యమైన విధాన ప్రక్రియ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,బ్యాచ్ ID తప్పనిసరి apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,బ్యాచ్ ID తప్పనిసరి +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,దయచేసి మొదట కస్టమర్‌ను ఎంచుకోండి DocType: Sales Person,Parent Sales Person,మాతృ సేల్స్ పర్సన్ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,స్వీకరించవలసిన అంశాలు మీరిన సమయం కాదు apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,విక్రేత మరియు కొనుగోలుదారు ఒకే విధంగా ఉండకూడదు +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,ఇంకా వీక్షణలు లేవు DocType: Project,Collect Progress,ప్రోగ్రెస్ని సేకరించండి DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,మొదట కార్యక్రమం ఎంచుకోండి @@ -3117,6 +3158,7 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,ఆర్జిత DocType: Student Admission,Application Form Route,అప్లికేషన్ ఫారం రూట్ apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,ఒప్పందం యొక్క ముగింపు తేదీ ఈ రోజు కంటే తక్కువగా ఉండకూడదు. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,సమర్పించడానికి Ctrl + Enter ఇవ్వండి DocType: Healthcare Settings,Patient Encounters in valid days,పేషెంట్ ఎన్కౌంటర్స్ చెల్లుబాటు అయ్యే రోజులలో apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,టైప్ {0} పే లేకుండా వదిలి ఉంటుంది నుండి కేటాయించబడతాయి కాదు వదిలి 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} @@ -3164,9 +3206,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,సరఫరా ప్యాక్ చేసిన అంశాల DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,మెటీరియల్ అభ్యర్థన అంశం -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,దయచేసి మొదటి కొనుగోలు కొనుగోలు రసీదు {0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,అంశం గుంపులు వృక్షమును నేలనుండి మొలిపించెను. DocType: Production Plan,Total Produced Qty,మొత్తం ఉత్పత్తి Qty +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,ఇంకా సమీక్షలు లేవు apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,ఈ ఛార్జ్ రకం కోసం ప్రస్తుత వరుస సంఖ్య కంటే ఎక్కువ లేదా సమాన వరుస సంఖ్య చూడండి కాదు DocType: Asset,Sold,సోల్డ్ ,Item-wise Purchase History,అంశం వారీగా కొనుగోలు చరిత్ర @@ -3185,7 +3227,7 @@ DocType: Designation,Required Skills,అవసరమైన నైపుణ్య DocType: Inpatient Record,O Positive,ఓ అనుకూల apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,ఇన్వెస్ట్మెంట్స్ DocType: Issue,Resolution Details,రిజల్యూషన్ వివరాలు -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,లావాదేవీ పద్ధతి +DocType: Leave Ledger Entry,Transaction Type,లావాదేవీ పద్ధతి DocType: Item Quality Inspection Parameter,Acceptance Criteria,అంగీకారం ప్రమాణం apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,పైన ఇచ్చిన పట్టికలో మెటీరియల్ అభ్యర్థనలు నమోదు చేయండి apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,జర్నల్ ఎంట్రీకి తిరిగి చెల్లింపులు అందుబాటులో లేవు @@ -3227,6 +3269,7 @@ DocType: Bank Account,Bank Account No,బ్యాంకు ఖాతా సం DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ఉద్యోగుల పన్ను మినహాయింపు ప్రూఫ్ సబ్మిషన్ DocType: Patient,Surgical History,శస్త్రచికిత్స చరిత్ర DocType: Bank Statement Settings Item,Mapped Header,మ్యాప్ చేసిన శీర్షిక +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులు> హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి DocType: Employee,Resignation Letter Date,రాజీనామా ఉత్తరం తేదీ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,ధర నిబంధనలకు మరింత పరిమాణం ఆధారంగా ఫిల్టర్. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ఉద్యోగికి తీసుకొన్న తేదీ సెట్ దయచేసి {0} @@ -3292,7 +3335,6 @@ DocType: Student Report Generation Tool,Add Letterhead,లెటర్హెడ 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,మొత్తం కేటాయించింది ఆకులు {0} తక్కువ ఉండకూడదు కాలం కోసం ఇప్పటికే ఆమోదం ఆకులు {1} కంటే DocType: Contract Fulfilment Checklist,Requirement,రిక్వైర్మెంట్ DocType: Journal Entry,Accounts Receivable,స్వీకరించదగిన ఖాతాలు DocType: Quality Goal,Objectives,లక్ష్యాలు @@ -3315,7 +3357,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,సింగిల్ DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ఈ విలువ డిఫాల్ట్ సేల్స్ ప్రైస్ జాబితాలో నవీకరించబడింది. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,మీ సరుకుల సంచీ ఖాళీగా నున్నది DocType: Email Digest,New Expenses,న్యూ ఖర్చులు -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC మొత్తం apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,డ్రైవర్ చిరునామా లేదు కాబట్టి మార్గాన్ని ఆప్టిమైజ్ చేయలేరు. DocType: Shareholder,Shareholder,వాటాదారు DocType: Purchase Invoice,Additional Discount Amount,అదనపు డిస్కౌంట్ మొత్తం @@ -3352,6 +3393,7 @@ DocType: Asset Maintenance Task,Maintenance Task,నిర్వహణ టాస apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,దయచేసి GST సెట్టింగులలో B2C పరిమితిని సెట్ చేయండి. 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} డిఫాల్ట్ ఫిస్కల్ ఇయర్ ఇప్పుడు. మార్పు ప్రభావితం కావడానికి మీ బ్రౌజర్ రిఫ్రెష్ చెయ్యండి. @@ -3387,6 +3429,7 @@ DocType: Salary Component,Deduction,తీసివేత DocType: Item,Retain Sample,నమూనాను నిలుపుకోండి apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,రో {0}: టైమ్ నుండి మరియు సమయం తప్పనిసరి. DocType: Stock Reconciliation Item,Amount Difference,మొత్తం తక్షణ +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,ఈ పేజీ మీరు అమ్మకందారుల నుండి కొనాలనుకుంటున్న వస్తువులను ట్రాక్ చేస్తుంది. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},అంశం ధర కోసం జోడించిన {0} ధర జాబితా లో {1} DocType: Delivery Stop,Order Information,ఆర్డర్ సమాచారం apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,ఈ విక్రయాల వ్యక్తి యొక్క ఉద్యోగి ID నమోదు చేయండి @@ -3415,6 +3458,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ఫిస్కల్ ఇయర్ ** ఆర్థిక సంవత్సరం సూచిస్తుంది. అన్ని అకౌంటింగ్ ఎంట్రీలు మరియు ఇతర ప్రధాన లావాదేవీల ** ** ఫిస్కల్ ఇయర్ వ్యతిరేకంగా చూడబడతాయి. DocType: Opportunity,Customer / Lead Address,కస్టమర్ / లీడ్ చిరునామా DocType: Supplier Scorecard Period,Supplier Scorecard Setup,సరఫరాదారు స్కోర్కార్డ్ సెటప్ +DocType: Customer Credit Limit,Customer Credit Limit,కస్టమర్ క్రెడిట్ పరిమితి apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,అంచనా ప్రణాళిక పేరు apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,లక్ష్య వివరాలు apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","కంపెనీ స్పా, సాపా లేదా ఎస్‌ఆర్‌ఎల్ అయితే వర్తిస్తుంది" @@ -3467,7 +3511,6 @@ DocType: Company,Transactions Annual History,లావాదేవీల వా 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,బ్యాంకు పేరు -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Above 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,ద్రవం @@ -3521,6 +3564,7 @@ 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,ఫీచర్ చేసిన అంశాలకు జోడించబడింది apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,సంవత్సరానికి లాభం 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,ప్రక్రియ లో @@ -3574,12 +3618,10 @@ 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,ఈ అంశం బహుళ సమయాలను అనుమతించు -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,కంపెనీకి జీఎస్టీ నెం. 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,ఉద్యోగులు DocType: Question,Single Correct Answer,ఒకే సరైన సమాధానం -DocType: Employee,Contact Details,సంప్రదింపు వివరాలు DocType: C-Form,Received Date,స్వీకరించిన తేదీ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","మీరు సేల్స్ పన్నులు మరియు ఆరోపణలు మూస లో ఒక ప్రామాణిక టెంప్లేట్ సృష్టించి ఉంటే, ఒకదాన్ని ఎంచుకోండి మరియు క్రింది బటన్ పై క్లిక్." DocType: BOM Scrap Item,Basic Amount (Company Currency),ప్రాథమిక మొత్తం (కంపెనీ కరెన్సీ) @@ -3609,12 +3651,13 @@ DocType: BOM Website Operation,BOM Website Operation,బిఒఎం వెబ DocType: Bank Statement Transaction Payment Item,outstanding_amount,చాలా పెద్ద మొత్తం DocType: Supplier Scorecard,Supplier Score,సరఫరాదారు స్కోరు apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,షెడ్యూల్ అడ్మిషన్ +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,మొత్తం చెల్లింపు అభ్యర్థన మొత్తం {0} మొత్తానికి మించకూడదు DocType: Tax Withholding Rate,Cumulative Transaction Threshold,సంచిత లావాదేవీల త్రెషోల్డ్ DocType: Promotional Scheme Price Discount,Discount Type,డిస్కౌంట్ రకం -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,మొత్తం ఇన్వాయిస్ ఆంట్ DocType: Purchase Invoice Item,Is Free Item,ఉచిత అంశం +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"ఆదేశించిన పరిమాణానికి వ్యతిరేకంగా ఎక్కువ బదిలీ చేయడానికి మీకు అనుమతి ఉన్న శాతం. ఉదాహరణకు: మీరు 100 యూనిట్లను ఆర్డర్ చేసి ఉంటే. మరియు మీ భత్యం 10%, అప్పుడు మీకు 110 యూనిట్లను బదిలీ చేయడానికి అనుమతి ఉంది." DocType: Supplier,Warn RFQs,RFQ లను హెచ్చరించండి -apps/erpnext/erpnext/templates/pages/home.html,Explore,అన్వేషించండి +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,అన్వేషించండి DocType: BOM,Conversion Rate,మారకపు ధర apps/erpnext/erpnext/www/all-products/index.html,Product Search,ఉత్పత్తి శోధన ,Bank Remittance,బ్యాంక్ చెల్లింపులు @@ -3626,6 +3669,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,మొత్తం చెల్లింపు మొత్తం DocType: Asset,Insurance End Date,బీమా ముగింపు తేదీ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,దయచేసి చెల్లించిన విద్యార్ధి దరఖాస్తుదారునికి తప్పనిసరిగా తప్పనిసరి అయిన స్టూడెంట్ అడ్మిషన్ ఎంచుకోండి +DocType: Pick List,STO-PICK-.YYYY.-,STO-పికప్ .YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,బడ్జెట్ జాబితా DocType: Campaign,Campaign Schedules,ప్రచార షెడ్యూల్ DocType: Job Card Time Log,Completed Qty,పూర్తైన ప్యాక్ చేసిన అంశాల @@ -3648,6 +3692,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,క్ర DocType: Quality Inspection,Sample Size,నమూనా పరిమాణం apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,స్వీకరణపై డాక్యుమెంట్ నమోదు చేయండి apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,అన్ని అంశాలను ఇప్పటికే ఇన్వాయిస్ చేశారు +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,తీసుకున్న ఆకులు apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.','కేస్ నెం నుండి' చెల్లని రాయండి 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,మరింత ఖర్చు కేంద్రాలు గుంపులు కింద తయారు చేయవచ్చు కానీ ఎంట్రీలు కాని గుంపులు వ్యతిరేకంగా తయారు చేయవచ్చు 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,మొత్తం కేటాయించిన ఆకులు కాలం లో ఉద్యోగి {1} {0} సెలవు రకం యొక్క గరిష్ట కేటాయింపు కంటే ఎక్కువ రోజులు @@ -3747,6 +3792,8 @@ 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: Call Log,Received By,అందుకున్నవారు 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.,ప్రత్యేక ఆదాయం ట్రాక్ మరియు ఉత్పత్తి అంశాలతో లేదా విభాగాలు వ్యయం. @@ -3800,6 +3847,7 @@ DocType: Support Search Source,Result Title Field,ఫలితం శీర్ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,కాల్ సారాంశం DocType: Sample Collection,Collected Time,సేకరించిన సమయం DocType: Employee Skill Map,Employee Skills,ఉద్యోగుల నైపుణ్యాలు +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,ఇంధన వ్యయం DocType: Company,Sales Monthly History,సేల్స్ మంత్లీ హిస్టరీ apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,దయచేసి పన్నులు మరియు ఛార్జీల పట్టికలో కనీసం ఒక అడ్డు వరుసను సెట్ చేయండి DocType: Asset Maintenance Task,Next Due Date,తదుపరి గడువు తేదీ @@ -3833,11 +3881,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,ఉద్యోగి వేతనం స్లిప్ {0} ఇప్పటికే ఈ కాలానికి రూపొందించినవారు apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,ఫార్మాస్యూటికల్ apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,చెల్లుబాటు అయ్యే ఎన్చాస్మెంట్ మొత్తానికి మీరు లీవ్ ఎన్కాష్మెంట్ని మాత్రమే సమర్పించవచ్చు +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,ద్వారా అంశాలు apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,కొనుగోలు వస్తువుల ధర DocType: Employee Separation,Employee Separation Template,Employee విడిపోవడానికి మూస DocType: Selling Settings,Sales Order Required,అమ్మకాల ఆర్డర్ అవసరం apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,ఒక విక్రేత అవ్వండి -DocType: Shift Type,The number of occurrence after which the consequence is executed.,పర్యవసానంగా అమలు చేయబడిన సంఘటనల సంఖ్య. ,Procurement Tracker,సేకరణ ట్రాకర్ DocType: Purchase Invoice,Credit To,క్రెడిట్ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ఐటిసి రివర్స్డ్ @@ -3850,6 +3898,7 @@ DocType: Quality Meeting,Agenda,అజెండా DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,నిర్వహణ షెడ్యూల్ వివరాలు DocType: Supplier Scorecard,Warn for new Purchase Orders,కొత్త కొనుగోలు ఆర్డర్లు కోసం హెచ్చరించండి DocType: Quality Inspection Reading,Reading 9,9 పఠనం +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,మీ ఎక్సోటెల్ ఖాతాను ERPNext కు కనెక్ట్ చేయండి మరియు కాల్ లాగ్‌లను ట్రాక్ చేయండి DocType: Supplier,Is Frozen,ఘనీభవించిన DocType: Tally Migration,Processed Files,ప్రాసెస్ చేసిన ఫైళ్ళు apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,గ్రూప్ నోడ్ గిడ్డంగిలో లావాదేవీలకు ఎంచుకోండి అనుమతి లేదు @@ -3858,6 +3907,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,ఒక ఫిని DocType: Upload Attendance,Attendance To Date,తేదీ హాజరు 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,మందు చీటీలు @@ -3882,7 +3932,6 @@ DocType: Room,Room Number,గది సంఖ్య apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,అభ్యర్ధనదారునికి apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},చెల్లని సూచన {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,విభిన్న ప్రచార పథకాలను వర్తింపజేయడానికి నియమాలు. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ప్రణాళిక quanitity కంటే ఎక్కువ ఉండకూడదు ({2}) ఉత్పత్తి ఆర్డర్ {3} DocType: Shipping Rule,Shipping Rule Label,షిప్పింగ్ రూల్ లేబుల్ DocType: Journal Entry Account,Payroll Entry,పేరోల్ ఎంట్రీ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,చూడండి ఫీజు రికార్డ్స్ @@ -3894,6 +3943,7 @@ DocType: Contract,Fulfilment Status,నెరవేర్చుట స్థి DocType: Lab Test Sample,Lab Test Sample,ల్యాబ్ పరీక్ష నమూనా DocType: Item Variant Settings,Allow Rename Attribute Value,లక్షణం విలువ పేరు మార్చడానికి అనుమతించండి apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,త్వరిత జర్నల్ ఎంట్రీ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,భవిష్యత్ చెల్లింపు మొత్తం apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,బిఒఎం ఏ అంశం agianst పేర్కొన్నారు ఉంటే మీరు రేటు మార్చలేరు DocType: Restaurant,Invoice Series Prefix,ఇన్వాయిస్ సిరీస్ ప్రిఫిక్స్ DocType: Employee,Previous Work Experience,మునుపటి పని అనుభవం @@ -3923,6 +3973,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,ప్రాజెక్టు హోదా DocType: UOM,Check this to disallow fractions. (for Nos),భిన్నాలు నిరాకరించేందుకు ఈ తనిఖీ. (NOS కోసం) DocType: Student Admission Program,Naming Series (for Student Applicant),సిరీస్ నేమింగ్ (స్టూడెంట్ దరఖాస్తుదారు కోసం) +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/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,ప్రాక్టీషనర్ సర్వీస్ యూనిట్ షెడ్యూల్ @@ -3938,6 +3989,7 @@ DocType: Fiscal Year,Year End Date,ఇయర్ ముగింపు తేద 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} మూసి @@ -3946,6 +3998,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,ప్రస్తుత స్టాక్ పొందండి DocType: Purchase Invoice,ineligible,అనర్హులైన apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,మెటీరియల్స్ బిల్లుని ట్రీ +DocType: BOM,Exploded Items,పేలిన అంశాలు DocType: Student,Joining Date,చేరడం తేదీ ,Employees working on a holiday,ఒక సెలవు ఉద్యోగులు ,TDS Computation Summary,TDS గణన సారాంశం @@ -3978,6 +4031,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),ప్రాథమి DocType: SMS Log,No of Requested SMS,అభ్యర్థించిన SMS సంఖ్య apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,పే లేకుండా వదిలి లేదు ఆమోదం అప్లికేషన్ లీవ్ రికార్డులు సరిపోలడం లేదు apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,తదుపరి దశలు +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,సేవ్ చేసిన అంశాలు DocType: Travel Request,Domestic,దేశీయ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,ఉత్తమమైన రేట్లు వద్ద పేర్కొన్న అంశాలను అందించండి apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,బదిలీ తేదీకి ముందు ఉద్యోగి బదిలీ సమర్పించబడదు @@ -4029,7 +4083,7 @@ 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,ఆస్తి వర్గం ఖాతా apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,రో # {0} (చెల్లింపు టేబుల్): మొత్తాన్ని సానుకూలంగా ఉండాలి -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},అమ్మకాల ఆర్డర్ పరిమాణం కంటే ఎక్కువ అంశం {0} ఉత్పత్తి కాదు {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},అమ్మకాల ఆర్డర్ పరిమాణం కంటే ఎక్కువ అంశం {0} ఉత్పత్తి కాదు {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,స్థూలంగా ఏమీ చేర్చబడలేదు apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,ఈ పత్రం కోసం ఇ-వే బిల్ ఇప్పటికే ఉంది apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,ఎంచుకోండి లక్షణం విలువలు @@ -4064,12 +4118,10 @@ 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,సెటప్ కంపెనీ -DocType: Shift Type,Enable Different Consequence for Early Exit,ప్రారంభ నిష్క్రమణ కోసం విభిన్న పరిణామాలను ప్రారంభించండి ,Lab Test Report,ల్యాబ్ పరీక్ష నివేదిక DocType: Employee Benefit Application,Employee Benefit Application,ఉద్యోగుల బెనిఫిట్ అప్లికేషన్ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,అదనపు జీతం భాగం ఉంది. DocType: Purchase Invoice,Unregistered,నమోదుకాని -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,దయచేసి డెలివరీ గమనిక మొదటి DocType: Student Applicant,Application Date,దరఖాస్తు తేదీ DocType: Salary Component,Amount based on formula,మొత్తం ఫార్ములా ఆధారంగా DocType: Purchase Invoice,Currency and Price List,కరెన్సీ మరియు ధర జాబితా @@ -4098,6 +4150,7 @@ DocType: Purchase Receipt,Time at which materials were received,పదార్ DocType: Products Settings,Products per Page,పేజీకి ఉత్పత్తులు 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,బిల్లింగ్ తేదీ apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,కేటాయించిన మొత్తం ప్రతికూలంగా ఉండకూడదు DocType: Sales Order,Billing Status,బిల్లింగ్ స్థితి apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ఒక సమస్యను నివేదించండి @@ -4113,6 +4166,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},వరుస {0}: ఆస్తి అంశం {1} కోసం స్థానాన్ని నమోదు చేయండి DocType: Employee Checkin,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.","మొదలైనవి కంపెనీ, కరెన్సీ, ప్రస్తుత ఆర్థిక సంవత్సరంలో వంటి సెట్ డిఫాల్ట్ విలువలు" DocType: Payment Entry,Payment Type,చెల్లింపు పద్ధతి apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,దయచేసి అంశం కోసం ఒక బ్యాచ్ ఎంచుకోండి {0}. ఈ అవసరాన్ని తీర్చగల ఒకే బ్యాచ్ దొరక్కపోతే @@ -4141,6 +4195,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,షాపింగ్ క DocType: Journal Entry,Accounting Entries,అకౌంటింగ్ ఎంట్రీలు 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.","ఎంచుకున్న ప్రైసింగ్ రూల్ 'రేట్' కోసం తయారు చేస్తే, ఇది ధర జాబితాను ఓవర్రైట్ చేస్తుంది. ధర నియమావళి రేటు అనేది ఆఖరి రేటు, అందువల్ల తదుపరి డిస్కౌంట్ను ఉపయోగించరాదు. అందువల్ల సేల్స్ ఆర్డర్, పర్చేస్ ఆర్డర్ మొదలైన లావాదేవీలలో, ఇది 'ధర జాబితా రేట్' ఫీల్డ్ కాకుండా 'రేట్' ఫీల్డ్లో పొందబడుతుంది." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,దయచేసి విద్య> విద్య సెట్టింగులలో బోధకుడు నామకరణ వ్యవస్థను సెటప్ చేయండి DocType: Journal Entry,Paid Loan,చెల్లించిన లోన్ 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,రిఫరెన్స్ గడువు తేదీ @@ -4157,12 +4212,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks వివరాలు apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,ఏ సమయంలో షీట్లు DocType: GoCardless Mandate,GoCardless Customer,GoCardless కస్టమర్ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} క్యారీ-ఫార్వార్డ్ కాదు టైప్ వదిలి +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ఐటెమ్ కోడ్> ఐటెమ్ గ్రూప్> బ్రాండ్ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',నిర్వహణ షెడ్యూల్ అన్ని అంశాలను ఉత్పత్తి లేదు. 'రూపొందించండి షెడ్యూల్' క్లిక్ చేయండి ,To Produce,ఉత్పత్తి DocType: Leave Encashment,Payroll,పేరోల్ 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} కూడా చేర్చారు తప్పక" DocType: Healthcare Service Unit,Parent Service Unit,పేరెంట్ సర్వీస్ యూనిట్ DocType: Packing Slip,Identification of the package for the delivery (for print),డెలివరీ కోసం ప్యాకేజీ గుర్తింపు (ముద్రణ కోసం) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,సేవా స్థాయి ఒప్పందం రీసెట్ చేయబడింది. DocType: Bin,Reserved Quantity,రిసర్వ్డ్ పరిమాణం apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,చెల్లుబాటు అయ్యే ఇమెయిల్ చిరునామాను నమోదు చేయండి DocType: Volunteer Skill,Volunteer Skill,వాలంటీర్ నైపుణ్యం @@ -4183,7 +4240,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,ధర లేదా ఉత్పత్తి తగ్గింపు apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,వరుస కోసం {0}: అనుకున్న qty ను నమోదు చేయండి DocType: Account,Income Account,ఆదాయపు ఖాతా -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం DocType: Payment Request,Amount in customer's currency,కస్టమర్ యొక్క కరెన్సీ లో మొత్తం apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,డెలివరీ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,నిర్మాణాలను కేటాయించడం ... @@ -4206,6 +4262,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,మీరు గతంలో ఉత్పత్తి చేయబడిన ఇన్వాయిస్ల యొక్క రికార్డులను కోల్పోతారు. మీరు ఖచ్చితంగా ఈ సభ్యత్వాన్ని పునఃప్రారంభించదలిచారా? @@ -4260,11 +4317,10 @@ DocType: Additional Salary,HR User,ఆర్ వాడుకరి DocType: Bank Guarantee,Reference Document Name,సూచన పత్రం పేరు DocType: Purchase Invoice,Taxes and Charges Deducted,పన్నులు మరియు ఆరోపణలు తగ్గించబడుతూ DocType: Support Settings,Issues,ఇష్యూస్ -DocType: Shift Type,Early Exit Consequence after,ప్రారంభ నిష్క్రమణ పరిణామం DocType: Loyalty Program,Loyalty Program Name,విశ్వసనీయ ప్రోగ్రామ్ పేరు apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},స్థితి ఒకటి ఉండాలి {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,GSTIN పంపినట్లు రిమైండర్ పంపండి -DocType: Sales Invoice,Debit To,డెబిట్ +DocType: Discounted Invoice,Debit To,డెబిట్ DocType: Restaurant Menu Item,Restaurant Menu Item,రెస్టారెంట్ మెను అంశం DocType: Delivery Note,Required only for sample item.,నమూనా మాత్రమే అంశం కోసం అవసరం. DocType: Stock Ledger Entry,Actual Qty After Transaction,లావాదేవీ తరువాత వాస్తవంగా ప్యాక్ చేసిన అంశాల @@ -4347,6 +4403,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,పారామీ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,మాత్రమే స్థితి కూడిన దరఖాస్తులను లీవ్ 'ఆమోదించబడింది' మరియు '' తిరస్కరించింది సమర్పించిన చేయవచ్చు apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,కొలతలు సృష్టిస్తోంది ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},స్టూడెంట్ గ్రూప్ పేరు వరుసగా తప్పనిసరి {0} +DocType: Customer Credit Limit,Bypass credit limit_check,క్రెడిట్ పరిమితిని తనిఖీ చేయండి DocType: Homepage,Products to be shown on website homepage,ఉత్పత్తులు వెబ్సైట్ హోమ్ చూపబడుతుంది DocType: HR Settings,Password Policy,పాస్వర్డ్ విధానం apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,ఈ రూట్ కస్టమర్ సమూహం ఉంది మరియు సవరించడం సాధ్యం కాదు. @@ -4393,10 +4450,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),ఉ apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,దయచేసి రెస్టారెంట్ సెట్టింగ్లలో డిఫాల్ట్ కస్టమర్ను సెట్ చేయండి ,Salary Register,జీతం నమోదు DocType: Company,Default warehouse for Sales Return,సేల్స్ రిటర్న్ కోసం డిఫాల్ట్ గిడ్డంగి -DocType: Warehouse,Parent Warehouse,మాతృ వేర్హౌస్ +DocType: Pick List,Parent Warehouse,మాతృ వేర్హౌస్ DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},డిఫాల్ట్ BOM అంశం దొరకలేదు {0} మరియు ప్రాజెక్ట్ {1} +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 రేటు @@ -4433,6 +4490,7 @@ DocType: Travel Itinerary,Lodging Required,లాడ్జింగ్ అవస DocType: Promotional Scheme,Price Discount Slabs,ధర తగ్గింపు స్లాబ్‌లు DocType: Stock Reconciliation Item,Current Serial No,ప్రస్తుత సీరియల్ నం DocType: Employee,Attendance and Leave Details,హాజరు మరియు సెలవు వివరాలు +,BOM Comparison Tool,BOM పోలిక సాధనం ,Requested,అభ్యర్థించిన apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,సంఖ్య వ్యాఖ్యలు DocType: Asset,In Maintenance,నిర్వహణలో @@ -4454,6 +4512,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Include UOM,UOM apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Material Request No,మెటీరియల్ అభ్యర్థన లేవు DocType: Service Level Agreement,Default Service Level Agreement,డిఫాల్ట్ సేవా స్థాయి ఒప్పందం DocType: SG Creation Tool Course,Course Code,కోర్సు కోడ్ +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,ముడి పదార్థాల క్యూటి పూర్తయిన వస్తువుల వస్తువు యొక్క క్యూటి ఆధారంగా నిర్ణయించబడుతుంది DocType: Location,Parent Location,మాతృ స్థానం DocType: POS Settings,Use POS in Offline Mode,ఆఫ్లైన్ మోడ్లో POS ని ఉపయోగించండి apps/erpnext/erpnext/accounts/page/pos/pos.js,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2},"{0} తప్పనిసరి. {1} {2} కు," @@ -4471,7 +4530,7 @@ DocType: Stock Settings,Sample Retention Warehouse,నమూనా నిలు DocType: Company,Default Receivable Account,డిఫాల్ట్ స్వీకరించదగిన ఖాతా apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,అంచనా వేసిన పరిమాణం ఫార్ములా DocType: Sales Invoice,Deemed Export,డీమ్డ్ ఎక్స్పోర్ట్ -DocType: Stock Entry,Material Transfer for Manufacture,తయారీ కోసం మెటీరియల్ ట్రాన్స్ఫర్ +DocType: Pick List,Material Transfer for Manufacture,తయారీ కోసం మెటీరియల్ ట్రాన్స్ఫర్ 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.,డిస్కౌంట్ శాతం ఒక ధర జాబితా వ్యతిరేకంగా లేదా అన్ని ధర జాబితా కోసం గాని అన్వయించవచ్చు. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,స్టాక్ కోసం అకౌంటింగ్ ఎంట్రీ DocType: Lab Test,LabTest Approver,ల్యాబ్ టెస్ట్ అప్ప్రోవర్ @@ -4513,7 +4572,6 @@ DocType: Training Event,Theory,థియరీ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,హెచ్చరిక: Qty అభ్యర్థించిన మెటీరియల్ కనీస ఆర్డర్ ప్యాక్ చేసిన అంశాల కంటే తక్కువ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,ఖాతా {0} ఘనీభవించిన DocType: Quiz Question,Quiz Question,క్విజ్ ప్రశ్న -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు రకం 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","ఫుడ్, బేవరేజ్ పొగాకు" @@ -4542,6 +4600,7 @@ 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,ప్రచురించిన అంశాలు DocType: Account,Expense Account,అధిక వ్యయ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,సాఫ్ట్వేర్ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,కలర్ @@ -4579,6 +4638,7 @@ 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,అన్ని బ్యాంక్ లావాదేవీలు సృష్టించబడ్డాయి DocType: Fee Validity,Visited yet,ఇంకా సందర్శించారు +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,మీరు 8 అంశాల వరకు ఫీచర్ చేయవచ్చు. 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.,సేల్స్ ట్రాన్సాక్షన్స్ ఆధారంగా ఎంత తరచుగా ప్రాజెక్ట్ మరియు కంపెనీ అప్డేట్ చేయాలి. @@ -4586,7 +4646,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,నిల్వ ఉష్ణోగ్రత @@ -4610,7 +4669,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,గంటలలో DocType: Contract,Signee Details,సంతకం వివరాలు apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} ప్రస్తుతం {1} సరఫరాదారు స్కోర్కార్డ్ నిలబడి ఉంది, మరియు ఈ సరఫరాదారుకి RFQ లు హెచ్చరికతో జారీ చేయాలి." DocType: Certified Consultant,Non Profit Manager,లాభరహిత మేనేజర్ -DocType: BOM,Total Cost(Company Currency),మొత్తం వ్యయం (కంపెనీ కరెన్సీ) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,{0} రూపొందించినవారు సీరియల్ లేవు DocType: Homepage,Company Description for website homepage,వెబ్సైట్ హోమ్ కోసం కంపెనీ వివరణ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","వినియోగదారుల సౌలభ్యం కోసం, ఈ సంకేతాలు ఇన్వాయిస్లు మరియు డెలివరీ గమనికలు వంటి ముద్రణ ఫార్మాట్లలో ఉపయోగించవచ్చు" @@ -4638,7 +4696,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,కొన DocType: Amazon MWS Settings,Enable Scheduled Synch,షెడ్యూల్ చేసిన సమకాలీకరణను ప్రారంభించండి apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,తేదీసమయం కు apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,SMS పంపిణీ స్థితి నిర్వహించాల్సిన దినచర్య -DocType: Shift Type,Early Exit Consequence,ప్రారంభ నిష్క్రమణ పరిణామం DocType: Accounts Settings,Make Payment via Journal Entry,జర్నల్ ఎంట్రీ ద్వారా చెల్లింపు చేయండి apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,దయచేసి ఒకేసారి 500 కంటే ఎక్కువ అంశాలను సృష్టించవద్దు apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,ప్రింటెడ్ న @@ -4694,6 +4751,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,పరిమి 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,సీక్రెట్ +DocType: Plaid Settings,Plaid Secret,ప్లాయిడ్ సీక్రెట్ DocType: Company,Date of Establishment,ఎస్టాబ్లిష్మెంట్ తేదీ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,వెంచర్ కాపిటల్ apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,ఈ 'విద్యా సంవత్సరం' ఒక విద్యాపరమైన పదం {0} మరియు 'టర్మ్ పేరు' {1} ఇప్పటికే ఉంది. ఈ ప్రవేశాలు మార్చి మళ్ళీ ప్రయత్నించండి. @@ -4754,6 +4812,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,కస్టమర్ పద్ధతి DocType: Compensatory Leave Request,Leave Allocation,కేటాయింపు వదిలి DocType: Payment Request,Recipient Message And Payment Details,గ్రహీత సందేశం మరియు చెల్లింపు వివరాలు +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,దయచేసి డెలివరీ గమనికను ఎంచుకోండి DocType: Support Search Source,Source DocType,మూల పత్రం apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,క్రొత్త టికెట్ తెరవండి DocType: Training Event,Trainer Email,శిక్షణ ఇమెయిల్ @@ -4874,6 +4933,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,ఫార్వర్డ్ ఆకులు తీసుకెళ్లండి apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','తేదీ నుండి' తర్వాత 'తేదీ' ఉండాలి apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,ఈ హోదా కోసం స్టాఫింగ్ ప్లాన్స్ లేదు apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,అంశం యొక్క {0} బ్యాచ్ {1} నిలిపివేయబడింది. @@ -4895,7 +4955,7 @@ DocType: Clinical Procedure,Patient,రోగి apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,సేల్స్ ఆర్డర్ వద్ద బైపాస్ క్రెడిట్ చెక్ DocType: Employee Onboarding Activity,Employee Onboarding Activity,ఉద్యోగుల ఆన్బోర్డింగ్ కార్యాచరణ DocType: Location,Check if it is a hydroponic unit,ఇది ఒక హైడ్రోపోనిక్ యూనిట్ అయితే తనిఖీ చేయండి -DocType: Stock Reconciliation Item,Serial No and Batch,సీరియల్ లేవు మరియు బ్యాచ్ +DocType: Pick List Item,Serial No and Batch,సీరియల్ లేవు మరియు బ్యాచ్ DocType: Warranty Claim,From Company,కంపెనీ నుండి DocType: GSTR 3B Report,January,జనవరి apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,అంచనా ప్రమాణం స్కోర్లు మొత్తం {0} ఉండాలి. @@ -4919,7 +4979,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ఇంటర్ కంపెనీ లావాదేవీలకు ఎటువంటి {0} దొరకలేదు. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,అద్దె కారు apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,మీ కంపెనీ గురించి apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,ఖాతాకు క్రెడిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి @@ -4951,6 +5010,7 @@ apps/erpnext/erpnext/config/accounting.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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,మిగిలిన DocType: Appraisal,Appraisal,అప్రైసల్ @@ -5018,6 +5078,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),ప్యాకేజీ యొక్క స్థూల బరువు. సాధారణంగా నికర బరువు + ప్యాకేజింగ్ పదార్థం బరువు. (ముద్రణ కోసం) DocType: Assessment Plan,Program,ప్రోగ్రామ్ DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ఈ పాత్ర తో వినియోగదారులు ఘనీభవించిన ఖాతాల వ్యతిరేకంగా అకౌంటింగ్ ఎంట్రీలు ఘనీభవించిన ఖాతాల సెట్ మరియు సృష్టించడానికి / సవరించడానికి అనుమతించింది ఉంటాయి +DocType: Plaid Settings,Plaid Environment,ప్లాయిడ్ ఎన్విరాన్మెంట్ ,Project Billing Summary,ప్రాజెక్ట్ బిల్లింగ్ సారాంశం DocType: Vital Signs,Cuts,కోతలు DocType: Serial No,Is Cancelled,రద్దయింది ఉంది @@ -5078,7 +5139,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,గమనిక: {0} పరిమాణం లేదా మొత్తం 0 డెలివరీ ఓవర్ మరియు ఓవర్ బుకింగ్ అంశం కోసం సిస్టమ్ తనిఖీ చెయ్యదు DocType: Issue,Opening Date,ప్రారంభ తేదీ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,మొదటి రోగిని దయచేసి సేవ్ చేయండి -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,క్రొత్త సంప్రదింపులు చేయండి apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,హాజరు విజయవంతంగా మార్క్ చెయ్యబడింది. DocType: Program Enrollment,Public Transport,ప్రజా రవాణా DocType: Sales Invoice,GST Vehicle Type,GST వాహన రకం @@ -5104,6 +5164,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,సప్ DocType: POS Profile,Write Off Account,ఖాతా ఆఫ్ వ్రాయండి DocType: Patient Appointment,Get prescribed procedures,సూచించిన విధానాలను పొందండి DocType: Sales Invoice,Redemption Account,విముక్తి ఖాతా +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,మొదట ఐటెమ్ స్థానాల పట్టికలో అంశాలను జోడించండి DocType: Pricing Rule,Discount Amount,డిస్కౌంట్ మొత్తం DocType: Pricing Rule,Period Settings,కాలం సెట్టింగ్‌లు DocType: Purchase Invoice,Return Against Purchase Invoice,ఎగైనెస్ట్ కొనుగోలు వాయిస్ తిరిగి @@ -5135,7 +5196,6 @@ DocType: Assessment Plan,Assessment Plan,అసెస్మెంట్ ప్ DocType: Travel Request,Fully Sponsored,పూర్తిగా ప్రాయోజితం apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,రివర్స్ జర్నల్ ఎంట్రీ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,జాబ్ కార్డ్ సృష్టించండి -DocType: Shift Type,Consequence after,పరిణామం తరువాత DocType: Quality Procedure Process,Process Description,ప్రాసెస్ వివరణ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,కస్టమర్ {0} సృష్టించబడింది. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,ఏ గిడ్డంగిలో ప్రస్తుతం స్టాక్ లేదు @@ -5169,6 +5229,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,క్లియరెన్ DocType: Delivery Settings,Dispatch Notification Template,డిస్ప్లేట్ నోటిఫికేషన్ మూస apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,అసెస్మెంట్ రిపోర్ట్ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,ఉద్యోగులను పొందండి +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 పరిష్కరించేందుకు @@ -5291,7 +5352,6 @@ 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} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,ఈ రూట్ అమ్మకాలు వ్యక్తి ఉంది మరియు సవరించడం సాధ్యం కాదు. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","ఎంచుకున్నట్లయితే, ఈ భాగం లో పేర్కొన్న లేదా లెక్కించిన విలువ ఆదాయాలు లేదా తగ్గింపులకు దోహదం చేయదు. అయితే, అది విలువ చేర్చవచ్చు లేదా తీసివేయబడుతుంది ఇతర భాగాలు ద్వారానే సూచించబడతాయి వార్తలు." -DocType: Asset Settings,Number of Days in Fiscal Year,ఫిస్కల్ ఇయర్ లో డేస్ సంఖ్య ,Stock Ledger,స్టాక్ లెడ్జర్ DocType: Company,Exchange Gain / Loss Account,ఎక్స్చేంజ్ పెరుగుట / నష్టం ఖాతాకు DocType: Amazon MWS Settings,MWS Credentials,MWS ఆధారాలు @@ -5325,6 +5385,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,బ్యాంక్ ఫైల్‌లో కాలమ్ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},విద్యార్థి {1} కి వ్యతిరేకంగా అప్లికేషన్ {0} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,మెటీరియల్స్ అన్ని బిల్లులో తాజా ధరను నవీకరించడానికి క్యూ. దీనికి కొన్ని నిమిషాలు పట్టవచ్చు. +DocType: Pick List,Get Item Locations,అంశం స్థానాలను పొందండి apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,కొత్త ఖాతా యొక్క పేరు. గమనిక: వినియోగదారులు మరియు సరఫరాదారులతో కోసం ఖాతాలను సృష్టించడం లేదు దయచేసి DocType: POS Profile,Display Items In Stock,స్టాక్ లో డిస్ప్లే అంశాలు apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,దేశం వారీగా డిఫాల్ట్ చిరునామా టెంప్లేట్లు @@ -5348,6 +5409,7 @@ DocType: Crop,Materials Required,అవసరమైన మెటీరియల apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,తోబుట్టువుల విద్యార్థులు దొరకలేదు DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,నెలవారీ HRA మినహాయింపు DocType: Clinical Procedure,Medical Department,మెడికల్ డిపార్ట్మెంట్ +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,మొత్తం ప్రారంభ నిష్క్రమణలు DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,సరఫరాదారు స్కోర్కార్డింగ్ స్కోరింగ్ ప్రమాణం apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,వాయిస్ పోస్టింగ్ తేదీ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,సెల్ @@ -5359,11 +5421,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి {0} delete ను తొలగించండి" DocType: Program Enrollment,School House,స్కూల్ హౌస్ DocType: Serial No,Out of AMC,AMC యొక్క అవుట్ DocType: Opportunity,Opportunity Amount,అవకాశం మొత్తం +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,మీ ప్రొఫైల్ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,బుక్ Depreciations సంఖ్య Depreciations మొత్తం సంఖ్య కంటే ఎక్కువ ఉండకూడదు DocType: Purchase Order,Order Confirmation Date,ఆర్డర్ నిర్ధారణ తేదీ DocType: Driver,HR-DRI-.YYYY.-,ఆర్-డ్రై-.YYYY.- @@ -5456,7 +5517,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","రేట్ల సంఖ్య, వాటాల సంఖ్య మరియు లెక్కించిన మొత్తం మధ్య అసమానతలు ఉన్నాయి" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,మీరు పరిహార సెలవు రోజు అభ్యర్థుల మధ్య రోజు మొత్తం రోజులు లేవు apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,తిరిగి రకం కంపెనీ పేరు నిర్ధారించడానికి దయచేసి -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,మొత్తం అద్భుతమైన ఆంట్ DocType: Journal Entry,Printing Settings,ప్రింటింగ్ సెట్టింగ్స్ DocType: Payment Order,Payment Order Type,చెల్లింపు ఆర్డర్ రకం DocType: Employee Advance,Advance Account,అడ్వాన్స్ అకౌంట్ @@ -5544,7 +5604,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,ఇయర్ పేరు apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,పని రోజుల కంటే ఎక్కువ సెలవులు ఈ నెల ఉన్నాయి. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,అంశాల తర్వాత {0} {1} అంశంగా గుర్తించబడలేదు. మీరు వాటిని ఐటమ్ మాస్టర్ నుండి {1} అంశంగా ఎనేబుల్ చేయవచ్చు -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,ఉత్పత్తి కట్ట అంశం DocType: Sales Partner,Sales Partner Name,సేల్స్ భాగస్వామి పేరు apps/erpnext/erpnext/hooks.py,Request for Quotations,కొటేషన్స్ కోసం అభ్యర్థన @@ -5553,7 +5612,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,సాధారణ టెస్ట్ అంశాలు DocType: QuickBooks Migrator,Company Settings,కంపెనీ సెట్టింగులు DocType: Additional Salary,Overwrite Salary Structure Amount,జీతం నిర్మాణం మొత్తాన్ని ఓవర్రైట్ చేయండి -apps/erpnext/erpnext/config/hr.py,Leaves,ఆకులు +DocType: Leave Ledger Entry,Leaves,ఆకులు DocType: Student Language,Student Language,స్టూడెంట్ భాషా DocType: Cash Flow Mapping,Is Working Capital,పని రాజధాని apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,రుజువు సమర్పించండి @@ -5561,7 +5620,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,ఆర్డర్ / QUOT% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,రికార్డ్ పేషెంట్ వైల్ట్లు DocType: Fee Schedule,Institution,ఇన్స్టిట్యూషన్ -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: Asset,Partially Depreciated,పాక్షికంగా సింధియా DocType: Issue,Opening Time,ప్రారంభ సమయం apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,నుండి మరియు అవసరమైన తేదీలు @@ -5612,6 +5670,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,గరిష్టంగా అనుమతించబడిన విలువ DocType: Journal Entry Account,Employee Advance,ఉద్యోగి అడ్వాన్స్ DocType: Payroll Entry,Payroll Frequency,పేరోల్ ఫ్రీక్వెన్సీ +DocType: Plaid Settings,Plaid Client ID,ప్లాయిడ్ క్లయింట్ ID DocType: Lab Test Template,Sensitivity,సున్నితత్వం DocType: Plaid Settings,Plaid Settings,ప్లాయిడ్ సెట్టింగులు apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,గరిష్ట ప్రయత్నాలను అధిగమించినందున సమకాలీకరణ తాత్కాలికంగా నిలిపివేయబడింది @@ -5629,6 +5688,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,మొదటి పోస్టింగ్ తేదీ దయచేసి ఎంచుకోండి apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,తేదీ తెరవడం తేదీ మూసివేయడం ముందు ఉండాలి DocType: Travel Itinerary,Flight,ఫ్లైట్ +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,తిరిగి ఇంటికి DocType: Leave Control Panel,Carry Forward,కుంటున్న apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,ఉన్న లావాదేవీలతో ఖర్చు సెంటర్ లెడ్జర్ మార్చబడతాయి కాదు DocType: Budget,Applicable on booking actual expenses,అసలు ఖర్చులను బుక్ చేయడంలో వర్తించబడుతుంది @@ -5730,6 +5790,7 @@ DocType: Batch,Source Document Name,మూల డాక్యుమెంట్ DocType: Batch,Source Document Name,మూల డాక్యుమెంట్ పేరు DocType: Production Plan,Get Raw Materials For Production,ఉత్పత్తికి ముడిపదార్థాలను పొందండి DocType: Job Opening,Job Title,ఉద్యోగ శీర్షిక +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,భవిష్యత్ చెల్లింపు Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} {1} ఉల్లేఖనాన్ని అందించదు అని సూచిస్తుంది, కానీ అన్ని అంశాలు \ కోట్ చెయ్యబడ్డాయి. RFQ కోట్ స్థితిని నవీకరిస్తోంది." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,గరిష్ట నమూనాలు - {0} బ్యాచ్ {1} మరియు బ్యాచ్ {3} లో అంశం {2} కోసం ఇప్పటికే ఉంచబడ్డాయి. @@ -5740,12 +5801,10 @@ 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: Company,Product Code,ఉత్పత్తి కోడ్ DocType: Quality Review Table,Objective,ఆబ్జెక్టివ్ DocType: Supplier Scorecard,Per Month,ఒక నెలకి DocType: Education Settings,Make Academic Term Mandatory,అకాడెమిక్ టర్మ్ తప్పనిసరి చేయండి -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,తయారీకి పరిమాణం 0 కన్నా ఎక్కువ ఉండాలి. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,ఫిస్కల్ ఇయర్ ఆధారంగా ధృవీకరించబడిన అరుగుదల షెడ్యూల్ను లెక్కించండి +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,తయారీకి పరిమాణం 0 కన్నా ఎక్కువ ఉండాలి. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,నిర్వహణ కాల్ కోసం నివేదిక సందర్శించండి. DocType: Stock Entry,Update Rate and Availability,నవీకరణ రేటు మరియు అందుబాటు 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 యూనిట్ల పురమాయించారు ఉంటే. మరియు మీ భత్యం అప్పుడు మీరు 110 యూనిట్ల అందుకోవడానికి అనుమతించబడతాయి 10% ఉంది. @@ -5757,7 +5816,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,విడుదల తేదీ భవిష్యత్తులో ఉండాలి DocType: BOM,Website Description,వెబ్సైట్ వివరణ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,ఈక్విటీ నికర మార్పు -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,మొదటి కొనుగోలు వాయిస్ {0} రద్దు చేయండి apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,అనుమతి లేదు. దయచేసి సర్వీస్ యూనిట్ పద్ధతిని నిలిపివేయండి apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","ఇమెయిల్ అడ్రస్ కోసం ఇప్పటికే ఉనికిలో ఉంది, ప్రత్యేకంగా ఉండాలి {0}" DocType: Serial No,AMC Expiry Date,ఎఎంసి గడువు తేదీ @@ -5800,6 +5858,7 @@ DocType: Pricing Rule,Price Discount Scheme,ధర తగ్గింపు ప apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,నిర్వహణ స్థితి రద్దు చేయబడాలి లేదా సమర్పించవలసి ఉంటుంది DocType: Amazon MWS Settings,US,సంయుక్త DocType: Holiday List,Add Weekly Holidays,వీక్లీ సెలవులు జోడించండి +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,అంశాన్ని నివేదించండి DocType: Staffing Plan Detail,Vacancies,ఖాళీలు DocType: Hotel Room,Hotel Room,హోటల్ గది apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},ఖాతా {0} చేస్తుంది కంపెనీ చెందినవి కాదు {1} @@ -5850,12 +5909,15 @@ DocType: Email Digest,Open Quotations,ఉల్లేఖనాలు తెర 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","ఈ పత్రాన్ని రద్దు చేయడానికి దయచేసి ఉద్యోగి {0} delete ను తొలగించండి" apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,సమయం చిట్టాలు చర్యలు రకాలు DocType: Opening Invoice Creation Tool,Sales,సేల్స్ DocType: Stock Entry Detail,Basic Amount,ప్రాథమిక సొమ్ము @@ -5869,6 +5931,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,ఖాళీగా DocType: Patient,Alcohol Past Use,ఆల్కహాల్ పాస్ట్ యూజ్ DocType: Fertilizer Content,Fertilizer Content,ఎరువులు కంటెంట్ +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,వివరణ లేదు apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,బిల్లింగ్ రాష్ట్రం DocType: Quality Goal,Monitoring Frequency,పర్యవేక్షణ ఫ్రీక్వెన్సీ @@ -5886,6 +5949,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,తేదీ ముగిసే ముందు తేదీ ముగియలేము. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,బ్యాచ్ ఎంట్రీలు DocType: Journal Entry,Pay To / Recd From,నుండి / Recd పే +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,అంశాన్ని ప్రచురించవద్దు DocType: Naming Series,Setup Series,సెటప్ సిరీస్ DocType: Payment Reconciliation,To Invoice Date,తేదీ వాయిస్ DocType: Bank Account,Contact HTML,సంప్రదించండి HTML @@ -5907,6 +5971,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,రిటైల్ DocType: Student Attendance,Absent,ఆబ్సెంట్ DocType: Staffing Plan,Staffing Plan Detail,సిబ్బంది ప్రణాళిక వివరాలు DocType: Employee Promotion,Promotion Date,ప్రమోషన్ తేదీ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,సెలవు కేటాయింపు% s సెలవు దరఖాస్తు% s తో ముడిపడి ఉంది 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} వద్ద ప్రారంభమయ్యే స్కోర్ను కనుగొనడం సాధ్యం కాలేదు. మీరు 100 నుండి 100 వరకు ఉన్న స్కోర్లను కలిగి ఉండాలి apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Invalid reference {1},రో {0}: చెల్లని సూచన {1} @@ -5941,9 +6006,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,వాయిస్ {0} ఇకపై లేదు DocType: Guardian Interest,Guardian Interest,గార్డియన్ వడ్డీ DocType: Volunteer,Availability,లభ్యత +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,సెలవు కేటాయింపు సెలవు కేటాయింపులతో అనుసంధానించబడి ఉంది {0}. సెలవు దరఖాస్తును జీతం లేకుండా సెలవుగా సెట్ చేయలేరు apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS ఇన్వాయిస్లు కోసం డిఫాల్ట్ విలువలను సెటప్ చేయండి DocType: Employee Training,Training,శిక్షణ DocType: Project,Time to send,పంపవలసిన సమయం +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,కొనుగోలుదారులు కొంత ఆసక్తి చూపిన మీ వస్తువులను ఈ పేజీ ట్రాక్ చేస్తుంది. 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 ఇమెయిల్ ID @@ -6043,11 +6110,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ఓపెనింగ్ విలువ DocType: Salary Component,Formula,ఫార్ములా apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,సీరియల్ # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి మానవ వనరులు> హెచ్ ఆర్ సెట్టింగులలో ఉద్యోగుల నామకరణ వ్యవస్థను సెటప్ చేయండి DocType: Material Request Plan Item,Required Quantity,అవసరమైన పరిమాణం DocType: Lab Test Template,Lab Test Template,ల్యాబ్ టెస్ట్ మూస apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,సేల్స్ ఖాతా DocType: Purchase Invoice Item,Total Weight,మొత్తం బరువు +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}" @@ -6071,6 +6138,7 @@ DocType: Company,Default Employee Advance Account,డిఫాల్ట్ ఉ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),శోధన అంశం (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,ఇప్పటికే లావాదేవీతో ఖాతా తొలగించడం సాధ్యం కాదు +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,ఈ అంశం ఎందుకు తొలగించబడాలని అనుకుంటున్నారు? DocType: Vehicle,Last Carbon Check,చివరి కార్బన్ పరిశీలించడం apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,లీగల్ ఖర్చులు apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,దయచేసి వరుసగా న పరిమాణం ఎంచుకోండి @@ -6090,6 +6158,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,విభజన DocType: Travel Itinerary,Vegetarian,శాఖాహారం DocType: Patient Encounter,Encounter Date,ఎన్కౌంటర్ డేట్ +DocType: Work Order,Update Consumed Material Cost In Project,ప్రాజెక్ట్‌లో వినియోగించే మెటీరియల్ వ్యయాన్ని నవీకరించండి apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,ఖాతా: {0} కరెన్సీతో: {1} ఎంపిక సాధ్యం కాదు DocType: Bank Statement Transaction Settings Item,Bank Data,బ్యాంక్ డేటా DocType: Purchase Receipt Item,Sample Quantity,నమూనా పరిమాణం @@ -6143,7 +6212,7 @@ DocType: GSTR 3B Report,April,ఏప్రిల్ DocType: Plant Analysis,Collection Datetime,సేకరణ డేటాటైమ్ DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ఏఎస్ఆర్-.YYYY.- DocType: Work Order,Total Operating Cost,మొత్తం నిర్వహణ వ్యయంలో -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,గమనిక: అంశం {0} అనేకసార్లు ఎంటర్ +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,గమనిక: అంశం {0} అనేకసార్లు ఎంటర్ apps/erpnext/erpnext/config/buying.py,All Contacts.,అన్ని కాంటాక్ట్స్. DocType: Accounting Period,Closed Documents,మూసివేసిన పత్రాలు DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,"నియామకం ఇన్వాయిస్ పేషెంట్ ఎన్కౌంటర్ కోసం స్వయంచాలకంగా సమర్పించి, రద్దు చేయండి" @@ -6222,7 +6291,6 @@ DocType: Member,Membership Type,సభ్యత్వ రకం ,Reqd By Date,Reqd తేదీ ద్వారా apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,రుణదాతల DocType: Assessment Plan,Assessment Name,అసెస్మెంట్ పేరు -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,ప్రింట్ లో PDC ను చూపించు apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,రో # {0}: సీరియల్ సంఖ్య తప్పనిసరి ఉంది DocType: Purchase Taxes and Charges,Item Wise Tax Detail,అంశం వైజ్ పన్ను వివరాలు DocType: Employee Onboarding,Job Offer,జాబ్ ఆఫర్ @@ -6282,6 +6350,7 @@ DocType: Serial No,Out of Warranty,వారంటీ బయటకు DocType: Bank Statement Transaction Settings Item,Mapped Data Type,మ్యాప్ చేసిన డేటా రకం DocType: BOM Update Tool,Replace,పునఃస్థాపించుము apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,ఏ ఉత్పత్తులు దొరకలేదు. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,మరిన్ని అంశాలను ప్రచురించండి apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} సేల్స్ వాయిస్ వ్యతిరేకంగా {1} DocType: Antibiotic,Laboratory User,ప్రయోగశాల వాడుకరి DocType: Request for Quotation Item,Project Name,ప్రాజెక్ట్ పేరు @@ -6302,7 +6371,6 @@ DocType: Payment Order Reference,Bank Account Details,బ్యాంక్ ఖ DocType: Purchase Order Item,Blanket Order,దుప్పటి క్రమము 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,పన్ను ఆస్తులను -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},ఉత్పత్తి ఆర్డర్ ఉంది {0} DocType: BOM Item,BOM No,బిఒఎం లేవు 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,మూవింగ్ సగటు @@ -6376,6 +6444,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),బాహ్య పన్ను పరిధిలోకి వచ్చే సరఫరా (సున్నా రేట్) DocType: BOM,Materials Required (Exploded),మెటీరియల్స్ (పేలుతున్న) అవసరం 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/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,పోస్ట్ చేసిన తేదీ భవిష్య తేదీలో ఉండకూడదు @@ -6433,7 +6502,6 @@ DocType: Pricing Rule,Same Item,అదే అంశం DocType: Stock Ledger Entry,Stock Ledger Entry,స్టాక్ లెడ్జర్ ఎంట్రీ DocType: Quality Action Resolution,Quality Action Resolution,నాణ్యత చర్య తీర్మానం apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} హాఫ్ డే సెలవులో {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,అదే అంశం అనేకసార్లు నమోదయ్యేలా DocType: Department,Leave Block List,బ్లాక్ జాబితా వదిలి DocType: Purchase Invoice,Tax ID,పన్ను ID apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,{0} అంశం సీరియల్ నాస్ కొరకు సెటప్ కాదు. కాలమ్ ఖాళీగా ఉండాలి @@ -6469,7 +6537,7 @@ 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} నిలిపివేస్తే లేదా ఉనికిలో లేదు DocType: Purchase Invoice,Return,రిటర్న్ -DocType: Accounting Dimension,Disable,ఆపివేయి +DocType: Account,Disable,ఆపివేయి apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,చెల్లింపు విధానం ఒక చెల్లింపు చేయడానికి అవసరం DocType: Task,Pending Review,సమీక్ష పెండింగ్లో apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","ఆస్తులు, వరుస సంఖ్య, బ్యాచ్లు మొదలైన మరిన్ని ఎంపికలు కోసం పూర్తి పేజీలో సవరించండి." @@ -6581,7 +6649,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,కలిపి ఇన్వాయిస్ భాగం తప్పక 100% DocType: Item Default,Default Expense Account,డిఫాల్ట్ వ్యయం ఖాతా DocType: GST Account,CGST Account,CGST ఖాతా -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,ఐటెమ్ కోడ్> ఐటమ్ గ్రూప్> బ్రాండ్ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,స్టూడెంట్ అడ్రెస్ DocType: Employee,Notice (days),నోటీసు (రోజులు) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS మూసివేత రసీదు ఇన్వాయిస్లు @@ -6592,6 +6659,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,ఇన్వాయిస్ సేవ్ చెయ్యడానికి ఐటమ్లను ఎంచుకోండి DocType: Employee,Encashment Date,ఎన్క్యాష్మెంట్ తేదీ DocType: Training Event,Internet,ఇంటర్నెట్ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,విక్రేత సమాచారం DocType: Special Test Template,Special Test Template,ప్రత్యేక టెస్ట్ మూస DocType: Account,Stock Adjustment,స్టాక్ అడ్జస్ట్మెంట్ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},డిఫాల్ట్ కార్యాచరణ ఖర్చు కార్యాచరణ పద్ధతి ఉంది - {0} @@ -6604,7 +6672,6 @@ 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,ట్రయల్ పీరియడ్ ప్రారంభ తేదీ మరియు ట్రయల్ వ్యవధి ముగింపు తేదీ సెట్ చేయబడాలి -DocType: Company,Bank Remittance Settings,బ్యాంక్ చెల్లింపుల సెట్టింగులు apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,సగటు వెల 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","కస్టమర్ అందించిన అంశం" విలువ రేటును కలిగి ఉండకూడదు @@ -6632,6 +6699,7 @@ DocType: Grading Scale Interval,Threshold,త్రెష్ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),ఉద్యోగులను ఫిల్టర్ చేయండి (ఐచ్ఛికం) DocType: BOM Update Tool,Current BOM,ప్రస్తుత BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),సంతులనం (డాక్టర్ - CR) +DocType: Pick List,Qty of Finished Goods Item,పూర్తయిన వస్తువుల అంశం apps/erpnext/erpnext/public/js/utils.js,Add Serial No,సీరియల్ లేవు జోడించండి DocType: Work Order Item,Available Qty at Source Warehouse,మూల వేర్హౌస్ వద్ద అందుబాటులో ప్యాక్ చేసిన అంశాల apps/erpnext/erpnext/config/support.py,Warranty,వారంటీ @@ -6708,7 +6776,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ఇక్కడ మీరు etc ఎత్తు, బరువు, అలెర్జీలు, వైద్య ఆందోళనలు అందుకోగలదు" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,ఖాతాలను సృష్టిస్తోంది ... DocType: Leave Block List,Applies to Company,కంపెనీకి వర్తిస్తుంది -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,సమర్పించిన స్టాక్ ఎంట్రీ {0} ఉంది ఎందుకంటే రద్దు కాదు +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,సమర్పించిన స్టాక్ ఎంట్రీ {0} ఉంది ఎందుకంటే రద్దు కాదు DocType: Loan,Disbursement Date,చెల్లించుట తేదీ DocType: Service Level Agreement,Agreement Details,ఒప్పంద వివరాలు apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,ఒప్పందం యొక్క ప్రారంభ తేదీ ముగింపు తేదీ కంటే ఎక్కువ లేదా సమానంగా ఉండకూడదు. @@ -6717,6 +6785,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,మెడికల్ రికార్డు DocType: Vehicle,Vehicle,వాహనం DocType: Purchase Invoice,In Words,వర్డ్స్ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,తేదీకి తేదీ ముందు ఉండాలి apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,సమర్పించే ముందు బ్యాంకు లేదా రుణ సంస్థ పేరును నమోదు చేయండి. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} సమర్పించబడాలి DocType: POS Profile,Item Groups,అంశం గుంపులు @@ -6789,7 +6858,6 @@ DocType: Customer,Sales Team Details,సేల్స్ టీం వివర apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,శాశ్వతంగా తొలగించాలా? DocType: Expense Claim,Total Claimed Amount,మొత్తం క్లెయిమ్ చేసిన మొత్తం apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,అమ్మకం కోసం సమర్థవంతమైన అవకాశాలు. -DocType: Plaid Settings,Link a new bank account,క్రొత్త బ్యాంక్ ఖాతాను లింక్ చేయండి apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} చెల్లని హాజరు స్థితి. DocType: Shareholder,Folio no.,ఫోలియో సంఖ్య. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},చెల్లని {0} @@ -6805,7 +6873,6 @@ DocType: Production Plan,Material Requested,విషయం అభ్యర్ DocType: Warehouse,PIN,పిన్ DocType: Bin,Reserved Qty for sub contract,ఉప ఒప్పందం కోసం Qty కేటాయించబడింది DocType: Patient Service Unit,Patinet Service Unit,పాటినెట్ సర్వీస్ యూనిట్ -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,టెక్స్ట్ ఫైల్ను రూపొందించండి DocType: Sales Invoice,Base Change Amount (Company Currency),బేస్ మార్చు మొత్తం (కంపెనీ కరెన్సీ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,క్రింది గిడ్డంగులు కోసం అకౌంటింగ్ ఎంట్రీలు apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},అంశం {1} కోసం స్టాక్లో మాత్రమే {0} @@ -6819,6 +6886,7 @@ DocType: Item,No of Months,నెలల సంఖ్య DocType: Item,Max Discount (%),మాక్స్ డిస్కౌంట్ (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,క్రెడిట్ డేస్ ప్రతికూల సంఖ్య కాదు apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,స్టేట్‌మెంట్‌ను అప్‌లోడ్ చేయండి +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,ఈ అంశాన్ని నివేదించండి DocType: Purchase Invoice Item,Service Stop Date,సర్వీస్ స్టాప్ తేదీ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,చివరి ఆర్డర్ పరిమాణం DocType: Cash Flow Mapper,e.g Adjustments for:,ఉదా కోసం సర్దుబాట్లు: @@ -6910,16 +6978,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,ఉద్యోగి పన్ను మినహాయింపు వర్గం apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,మొత్తం సున్నా కంటే తక్కువ ఉండకూడదు. DocType: Sales Invoice,C-Form Applicable,సి ఫారం వర్తించే -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},ఆపరేషన్ సమయం ఆపరేషన్ కోసం 0 కంటే ఎక్కువ ఉండాలి {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},ఆపరేషన్ సమయం ఆపరేషన్ కోసం 0 కంటే ఎక్కువ ఉండాలి {0} DocType: Support Search Source,Post Route String,మార్గంలో పోస్ట్ స్ట్రింగ్ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,వేర్హౌస్ తప్పనిసరి apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,వెబ్సైట్ని సృష్టించడం విఫలమైంది DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UoM మార్పిడి వివరాలు apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,ప్రవేశం మరియు నమోదు -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,నిలుపుదల స్టాక్ ఎంట్రీ ఇప్పటికే సృష్టించబడింది లేదా నమూనా పరిమాణం అందించలేదు +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,నిలుపుదల స్టాక్ ఎంట్రీ ఇప్పటికే సృష్టించబడింది లేదా నమూనా పరిమాణం అందించలేదు DocType: Program,Program Abbreviation,ప్రోగ్రామ్ సంక్షిప్తీకరణ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,ఉత్పత్తి ఆర్డర్ ఒక అంశం మూస వ్యతిరేకంగా లేవనెత్తిన సాధ్యం కాదు apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),వోచర్ చేత సమూహం (ఏకీకృత) DocType: HR Settings,Encrypt Salary Slips in Emails,ఇమెయిల్‌లలో జీతం స్లిప్‌లను గుప్తీకరించండి DocType: Question,Multiple Correct Answer,బహుళ సరైన సమాధానం @@ -6966,7 +7033,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,నిల్ రేట DocType: Employee,Educational Qualification,అర్హతలు DocType: Workstation,Operating Costs,నిర్వహణ వ్యయాలు apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},కరెన్సీ కోసం {0} ఉండాలి {1} -DocType: Employee Checkin,Entry Grace Period Consequence,ఎంట్రీ గ్రేస్ పీరియడ్ పర్యవసానం DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,ఈ షిఫ్ట్‌కు కేటాయించిన ఉద్యోగుల కోసం 'ఎంప్లాయీ చెకిన్' ఆధారంగా హాజరును గుర్తించండి. DocType: Asset,Disposal Date,తొలగింపు తేదీ DocType: Service Level,Response and Resoution Time,ప్రతిస్పందన మరియు ఫలితం సమయం @@ -7015,6 +7081,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,పూర్తిచేసే తేదీ DocType: Purchase Invoice Item,Amount (Company Currency),మొత్తం (కంపెనీ కరెన్సీ) DocType: Program,Is Featured,ఫీచర్ చేయబడింది +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,తెస్తోంది ... DocType: Agriculture Analysis Criteria,Agriculture User,వ్యవసాయ వినియోగదారు apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,తేదీ వరకు చెల్లుతుంది లావాదేవీ తేదీకి ముందు ఉండకూడదు 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} ఈ లావాదేవీని పూర్తి చేయడానికి యూనిట్లు. @@ -7047,7 +7114,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,మొత్తం చెల్లించిన ఆంట్ 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,జిఎస్టి వర్గీకరించబడ్డాయి సేల్స్ నమోదు @@ -7071,6 +7137,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,అనామ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,నుండి అందుకున్న DocType: Lead,Converted,కన్వర్టెడ్ DocType: Item,Has Serial No,సీరియల్ లేవు ఉంది +DocType: Stock Entry Detail,PO Supplied Item,పిఒ సరఫరా చేసిన అంశం 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} @@ -7182,7 +7249,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,సిన్చ్ పన 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,కోసం {0} దొరకలేదు డిఫాల్ట్ బిఒఎం +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}: క్రమాన్ని పరిమాణం సెట్ చెయ్యండి apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,వాటిని ఇక్కడ జోడించడానికి అంశాలను నొక్కండి @@ -7218,7 +7285,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,నిర్వహణ తేదీ DocType: Purchase Invoice Item,Rejected Serial No,తిరస్కరించబడిన సీరియల్ లేవు apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,ఇయర్ ప్రారంభ తేదీ లేదా ముగింపు తేదీ {0} ఓవర్ల్యాప్ ఉంది. నివారించేందుకు కంపెనీని స్థాపించారు దయచేసి -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,దయచేసి సెటప్> నంబరింగ్ సిరీస్ ద్వారా హాజరు కోసం నంబరింగ్ సిరీస్‌ను సెటప్ చేయండి apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},దయచేసి లీడ్ లో లీడ్ పేరును ప్రస్తావించండి {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},అంశం కోసం ముగింపు తేదీ కంటే తక్కువ ఉండాలి తేదీ ప్రారంభించండి {0} DocType: Shift Type,Auto Attendance Settings,ఆటో హాజరు సెట్టింగ్‌లు @@ -7228,6 +7294,7 @@ DocType: Upload Attendance,Upload Attendance,అప్లోడ్ హాజర apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,బిఒఎం అండ్ మానుఫ్యాక్చరింగ్ పరిమాణం అవసరం apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,ఏజింగ్ రేంజ్ 2 DocType: SG Creation Tool Course,Max Strength,మాక్స్ శక్తి +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","పిల్లల సంస్థ {1} లో ఖాతా {0} ఇప్పటికే ఉంది. కింది ఫీల్డ్‌లు వేర్వేరు విలువలను కలిగి ఉంటాయి, అవి ఒకే విధంగా ఉండాలి:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,ప్రీసెట్లు ఇన్స్టాల్ చేస్తోంది DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},కస్టమర్ కోసం డెలివరీ నోట్ ఎంపిక చేయబడలేదు @@ -7276,6 +7343,7 @@ DocType: Fees,Student Details,విద్యార్థి వివరాల DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",అంశాలు మరియు అమ్మకపు ఆర్డర్‌ల కోసం ఉపయోగించే డిఫాల్ట్ UOM ఇది. తిరిగి UOM "నోస్". DocType: Purchase Invoice Item,Stock Qty,స్టాక్ ప్యాక్ చేసిన అంశాల DocType: Purchase Invoice Item,Stock Qty,స్టాక్ ప్యాక్ చేసిన అంశాల +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,డిఫాల్ట్ షిప్పింగ్ ఖాతా DocType: Loan,Repayment Period in Months,నెలల్లో తిరిగి చెల్లించే కాలం @@ -7304,6 +7372,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise డిస్క apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,పనులు కోసం timesheet. DocType: Purchase Invoice,Against Expense Account,ఖర్చుల ఖాతా వ్యతిరేకంగా apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,సంస్థాపన సూచన {0} ఇప్పటికే సమర్పించబడింది +DocType: BOM,Raw Material Cost (Company Currency),రా మెటీరియల్ ఖర్చు (కంపెనీ కరెన్సీ) DocType: GSTR 3B Report,October,అక్టోబర్ DocType: Bank Reconciliation,Get Payment Entries,చెల్లింపు ఎంట్రీలు పొందండి DocType: Quotation Item,Against Docname,Docname వ్యతిరేకంగా @@ -7350,15 +7419,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,ఉపయోగ తేదీ కోసం అందుబాటులో ఉంది DocType: Request for Quotation,Supplier Detail,సరఫరాదారు వివరాలు apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},ఫార్ములా లేదా స్థితిలో లోపం: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,ఇన్వాయిస్ మొత్తం +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,ఇన్వాయిస్ మొత్తం apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,ప్రమాణం బరువులు తప్పక 100% వరకు ఉండాలి apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,హాజరు apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,స్టాక్ అంశాలు DocType: Sales Invoice,Update Billed Amount in Sales Order,సేల్స్ ఆర్డర్లో బిల్డ్ మొత్తం నవీకరించండి +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,విక్రేతను సంప్రదించండి 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,ఈ అంశాన్ని నివేదించడానికి దయచేసి మార్కెట్ ప్లేస్‌ యూజర్‌గా లాగిన్ అవ్వండి. ,Sales Partner Commission Summary,సేల్స్ పార్టనర్ కమిషన్ సారాంశం ,Item Prices,అంశం ధరలు DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,మీరు కొనుగోలు ఆర్డర్ సేవ్ ఒకసారి వర్డ్స్ కనిపిస్తుంది. @@ -7371,6 +7442,7 @@ DocType: Dosage Form,Dosage Form,మోతాదు ఫారం apps/erpnext/erpnext/config/buying.py,Price List master.,ధర జాబితా మాస్టర్. DocType: Task,Review Date,రివ్యూ తేదీ DocType: BOM,Allow Alternative Item,ప్రత్యామ్నాయ అంశం అనుమతించు +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,కొనుగోలు రశీదులో నిలుపుదల నమూనా ప్రారంభించబడిన అంశం లేదు. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ఇన్వాయిస్ గ్రాండ్ టోటల్ DocType: Company,Series for Asset Depreciation Entry (Journal Entry),అసెట్ డిప్రిజెనైజేషన్ ఎంట్రీ (జర్నల్ ఎంట్రీ) కోసం సిరీస్ DocType: Membership,Member Since,అప్పటి నుండి సభ్యుడు @@ -7379,6 +7451,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,నికర మొత్తం 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: Pricing Rule,Product Discount Scheme,ఉత్పత్తి తగ్గింపు పథకం +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,కాల్ చేసినవారు ఏ సమస్యను లేవనెత్తలేదు. DocType: Restaurant Reservation,Waitlisted,waitlisted DocType: Employee Tax Exemption Declaration Category,Exemption Category,మినహాయింపు వర్గం apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,కరెన్సీ కొన్ని ఇతర కరెన్సీ ఉపయోగించి ఎంట్రీలు తరువాత మారలేదు @@ -7392,7 +7465,6 @@ DocType: Customer Group,Parent Customer Group,మాతృ కస్టమర్ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ఇ-వే బిల్ JSON ను సేల్స్ ఇన్వాయిస్ నుండి మాత్రమే ఉత్పత్తి చేయవచ్చు apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ఈ క్విజ్ కోసం గరిష్ట ప్రయత్నాలు చేరుకున్నాయి! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,సభ్యత్వ -DocType: Purchase Invoice,Contact Email,సంప్రదించండి ఇమెయిల్ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,ఫీజు సృష్టి పెండింగ్లో ఉంది DocType: Project Template Task,Duration (Days),వ్యవధి (రోజులు) DocType: Appraisal Goal,Score Earned,స్కోరు సాధించాడు @@ -7417,7 +7489,6 @@ DocType: Landed Cost Item,Landed Cost Item,అడుగుపెట్టాయ 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","ఒకే లావాదేవీకి మొత్తం అనుమతించబడిన మొత్తాన్ని మించి, లావాదేవీలను విభజించడం ద్వారా ప్రత్యేక చెల్లింపు క్రమాన్ని సృష్టించండి" DocType: Service Level Agreement,Entity,సంస్థ DocType: Payment Reconciliation,Receivable / Payable Account,స్వీకరించదగిన / చెల్లించవలసిన ఖాతా DocType: Delivery Note Item,Against Sales Order Item,అమ్మకాల ఆర్డర్ అంశం వ్యతిరేకంగా @@ -7586,6 +7657,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,అ DocType: Quality Inspection Reading,Reading 3,3 పఠనం DocType: Stock Entry,Source Warehouse Address,మూల వేర్హౌస్ చిరునామా DocType: GL Entry,Voucher Type,ఓచర్ టైప్ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,భవిష్యత్ చెల్లింపులు 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 ,చివరి కార్యాచరణ @@ -7612,6 +7684,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,ఫీల్డ్లో గుర్తించిన వ్యాధుల జాబితా. ఎంచుకున్నప్పుడు అది వ్యాధిని ఎదుర్కోడానికి స్వయంచాలకంగా పనుల జాబితాను జోడిస్తుంది +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,ఇది ఒక రూట్ హెల్త్ కేర్ యూనిట్ మరియు సవరించబడదు. DocType: Asset Repair,Repair Status,రిపేరు స్థితి apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","అభ్యర్థించిన Qty: పరిమాణం కొనుగోలు కోసం అభ్యర్థించబడింది, కానీ ఆర్డర్ చేయలేదు." @@ -7626,6 +7699,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,మొత్తం చేంజ్ ఖాతా DocType: QuickBooks Migrator,Connecting to QuickBooks,క్విక్బుక్స్లో కనెక్ట్ చేస్తోంది DocType: Exchange Rate Revaluation,Total Gain/Loss,మొత్తం లాభం / నష్టం +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,పిక్ జాబితాను సృష్టించండి apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},రో {0}: పార్టీ / ఖాతాతో సరిపోలడం లేదు {1} / {2} లో {3} {4} DocType: Employee Promotion,Employee Promotion,ఉద్యోగి ప్రమోషన్ DocType: Maintenance Team Member,Maintenance Team Member,నిర్వహణ జట్టు సభ్యుడు @@ -7709,6 +7783,7 @@ 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,ఆస్తి వర్గం apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,నికర పే ప్రతికూల ఉండకూడదు @@ -7740,7 +7815,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,నాణ్యమైన లక్ష్యం DocType: BOM,Item to be manufactured or repacked,అంశం తయారు లేదా repacked వుంటుంది apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},స్థితిలో సింటాక్స్ లోపం: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,కస్టమర్ లేవనెత్తిన సమస్య లేదు. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,మేజర్ / ఆప్షనల్ సబ్జెక్ట్స్ apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,దయచేసి సెట్టింగులను కొనడంలో సరఫరాదారు సమూహాన్ని సెట్ చేయండి. @@ -7833,8 +7907,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,క్రెడిట్ డేస్ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,దయచేసి ల్యాబ్ పరీక్షలను పొందడానికి రోగిని ఎంచుకోండి DocType: Exotel Settings,Exotel Settings,ఎక్సోటెల్ సెట్టింగులు -DocType: Leave Type,Is Carry Forward,ఫార్వర్డ్ కారి ఉంటుంది +DocType: Leave Ledger Entry,Is Carry Forward,ఫార్వర్డ్ కారి ఉంటుంది DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),అబ్సెంట్ గుర్తించబడిన పని గంటలు క్రింద. (నిలిపివేయడానికి సున్నా) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,సందేశం పంపండి apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,బిఒఎం నుండి అంశాలు పొందండి 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,ఆదాయ పన్ను ఖర్చు diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index 8c7dd854f7..39ec5526b5 100644 --- a/erpnext/translations/th.csv +++ b/erpnext/translations/th.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,แจ้งผู้จัดจำหน่าย apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,กรุณาเลือกประเภทพรรคแรก DocType: Item,Customer Items,รายการลูกค้า +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,หนี้สิน DocType: Project,Costing and Billing,ต้นทุนและการเรียกเก็บเงิน apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},สกุลเงินของบัญชี Advance ควรเหมือนกับสกุลเงินของ บริษัท {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,หน่วยเริ่มต้นข DocType: SMS Center,All Sales Partner Contact,ทั้งหมดติดต่อพันธมิตรการขาย DocType: Department,Leave Approvers,ผู้อนุมัติการลา DocType: Employee,Bio / Cover Letter,จดหมายชีวภาพ / หนังสือปกอ่อน +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,ค้นหารายการ ... DocType: Patient Encounter,Investigations,สืบสวน DocType: Restaurant Order Entry,Click Enter To Add,คลิก Enter เพื่อเพิ่ม apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL",ไม่มีค่าสำหรับรหัสผ่านรหัส API หรือ Shopify URL DocType: Employee,Rented,เช่า apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,บัญชีทั้งหมด apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,ไม่สามารถโอนพนักงานที่มีสถานะเหลือ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",หยุดใบสั่งผลิตไม่สามารถยกเลิกจุกมันเป็นครั้งแรกที่จะยกเลิก DocType: Vehicle Service,Mileage,ระยะทาง apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,คุณไม่อยากที่จะทิ้งสินทรัพย์นี้? DocType: Drug Prescription,Update Schedule,อัปเดตตารางเวลา @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,ลูกค้า DocType: Purchase Receipt Item,Required By,ที่จำเป็นโดย DocType: Delivery Note,Return Against Delivery Note,กลับไปกับใบส่งมอบ DocType: Asset Category,Finance Book Detail,การเงิน Book Detail +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,การคิดค่าเสื่อมราคาทั้งหมดได้รับการจอง DocType: Purchase Order,% Billed,% เรียกเก็บแล้ว apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,หมายเลขบัญชีเงินเดือน apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),อัตราแลกเปลี่ยนจะต้องเป็นเช่นเดียวกับ {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Batch รายการสถานะหมดอายุ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,ตั๋วแลกเงิน DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,ผลงานล่าช้าทั้งหมด DocType: Mode of Payment Account,Mode of Payment Account,โหมดของการบัญชีการชำระเงิน apps/erpnext/erpnext/config/healthcare.py,Consultation,การปรึกษาหารือ DocType: Accounts Settings,Show Payment Schedule in Print,แสดงกำหนดการชำระเงินในการพิมพ์ @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,รายละเอียดการติดต่อหลัก apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,เปิดประเด็น DocType: Production Plan Item,Production Plan Item,สินค้าแผนการผลิต +DocType: Leave Ledger Entry,Leave Ledger Entry,ออกจากรายการบัญชีแยกประเภท apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},ผู้ใช้ {0} จะถูก กำหนดให้กับ พนักงาน {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},ฟิลด์ {0} ถูก จำกัด ที่ขนาด {1} DocType: Lab Test Groups,Add new line,เพิ่มบรรทัดใหม่ apps/erpnext/erpnext/utilities/activation.py,Create Lead,สร้างลูกค้าเป้าหมาย DocType: Production Plan,Projected Qty Formula,สูตรปริมาณที่คาดการณ์ @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,จ DocType: Purchase Invoice Item,Item Weight Details,รายละเอียดน้ำหนักรายการ DocType: Asset Maintenance Log,Periodicity,การเป็นช่วง ๆ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,ปีงบประมาณ {0} จะต้อง +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,กำไร / ขาดทุนสุทธิ DocType: Employee Group Table,ERPNext User ID,ERPNext ID ผู้ใช้ DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,ระยะห่างระหว่างแถวของพืชน้อยที่สุดสำหรับการเจริญเติบโตที่ดีที่สุด apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,กรุณาเลือกผู้ป่วยที่จะได้รับขั้นตอนที่กำหนด @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,รายการราคาขาย DocType: Patient,Tobacco Current Use,การใช้ในปัจจุบันของยาสูบ apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,ราคาขาย -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,โปรดบันทึกเอกสารของคุณก่อนที่จะเพิ่มบัญชีใหม่ 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 ...,ค้นหาอะไรก็ได้ ... DocType: Company,Phone No,โทรศัพท์ไม่มี DocType: Delivery Trip,Initial Email Notification Sent,ส่งอีเมลแจ้งเตือนครั้งแรกแล้ว DocType: Bank Statement Settings,Statement Header Mapping,การทำแผนที่ส่วนหัวของคำแถลง @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,ก DocType: Exchange Rate Revaluation Account,Gain/Loss,กำไร / ขาดทุน DocType: Crop,Perennial,ตลอดกาล DocType: Program,Is Published,เผยแพร่แล้ว +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,แสดงใบส่งมอบ apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",หากต้องการอนุญาตให้เรียกเก็บเงินเกินอัปเดต "การอนุญาตการเรียกเก็บเงินเกิน" ในการตั้งค่าบัญชีหรือรายการ DocType: Patient Appointment,Procedure,ขั้นตอน DocType: Accounts Settings,Use Custom Cash Flow Format,ใช้รูปแบบกระแสเงินสดที่กำหนดเอง @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,ปล่อยรายละเอียดนโยบาย DocType: BOM,Item Image (if not slideshow),รูปภาพสินค้า (ถ้าไม่สไลด์โชว์) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,แถว # {0}: การดำเนินการ {1} ไม่เสร็จสมบูรณ์สำหรับ {2} จำนวนสินค้าสำเร็จรูปในใบสั่งงาน {3} โปรดอัพเดทสถานะการทำงานผ่าน Job Card {4} -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again",{0} มีผลบังคับใช้สำหรับการสร้างการชำระเงินผ่านธนาคารกำหนดฟิลด์และลองอีกครั้ง DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(อัตราค่าแรง / 60) * เวลาที่ดำเนินงานจริง apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,แถว # {0}: ประเภทเอกสารอ้างอิงต้องเป็นหนึ่งในการเรียกร้องค่าใช้จ่ายหรือบันทึกประจำวัน apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,เลือก BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,ชำระคืนกว่าจำนวนงวด apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,ปริมาณที่จะผลิตต้องไม่น้อยกว่าศูนย์ DocType: Stock Entry,Additional Costs,ค่าใช้จ่ายเพิ่มเติม +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> อาณาเขต apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น กลุ่ม DocType: Lead,Product Enquiry,สอบถามสินค้า DocType: Education Settings,Validate Batch for Students in Student Group,ตรวจสอบรุ่นสำหรับนักเรียนในกลุ่มนักเรียน @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,ภายใต้บัณฑิต apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,โปรดตั้งค่าเทมเพลตมาตรฐานสำหรับการแจ้งเตือนสถานะการลาออกในการตั้งค่า HR apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,เป้าหมาย ที่ DocType: BOM,Total Cost,ค่าใช้จ่ายรวม +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,การจัดสรรหมดอายุ! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,การพกพาที่ถูกส่งต่อสูงสุด DocType: Salary Slip,Employee Loan,เงินกู้พนักงาน DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,ส่งอีเมลคำขอชำระเงิน @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,อส apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,งบบัญชี apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,ยา DocType: Purchase Invoice Item,Is Fixed Asset,เป็นสินทรัพย์ถาวร +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,แสดงการชำระเงินในอนาคต DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,บัญชีธนาคารนี้ซิงโครไนซ์แล้ว DocType: Homepage,Homepage Section,มาตราโฮมเพจ @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,ปุ๋ย apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",ไม่สามารถรับรองการส่งมอบโดย Serial No เป็น \ Item {0} ถูกเพิ่มด้วยและโดยไม่ต้องแน่ใจว่ามีการจัดส่งโดย \ Serial No. -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา> การตั้งค่าการศึกษา apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,อย่างน้อยหนึ่งโหมดการชำระเงินเป็นสิ่งจำเป็นสำหรับใบแจ้งหนี้ จุดขาย apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},ไม่ต้องแบทช์สำหรับรายการที่แบทช์ {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,รายการใบแจ้งรายการธุรกรรมของธนาคาร @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,เลือกข้อตกล apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,ราคาออกมา DocType: Bank Statement Settings Item,Bank Statement Settings Item,รายการการตั้งค่ารายการบัญชีธนาคาร DocType: Woocommerce Settings,Woocommerce Settings,การตั้งค่า Woocommerce +DocType: Leave Ledger Entry,Transaction Name,ชื่อธุรกรรม DocType: Production Plan,Sales Orders,ใบสั่งขาย apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,โปรแกรมความภักดีหลายรายการที่พบสำหรับลูกค้า โปรดเลือกด้วยตนเอง DocType: Purchase Taxes and Charges,Valuation,การประเมินค่า @@ -461,6 +469,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: 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,อีเมลกลุ่มปรับปรุง DocType: POS Profile,Only show Customer of these Customer Groups,แสดงเฉพาะลูกค้าของกลุ่มลูกค้าเหล่านี้ DocType: Sales Invoice,Is Opening Entry,จะเปิดรายการ @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,ถ้าพูดถึงไม่ได้มาตรฐานลูกหนี้บังคับ 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,รายการสต็อคได้รับการสร้างขึ้นแล้วจากรายการเลือกนี้ DocType: Supplier Scorecard,Criteria Setup,การตั้งค่าเกณฑ์ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,สำหรับ คลังสินค้า จะต้อง ก่อนที่จะ ส่ง +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,ที่ได้รับใน DocType: Codification Table,Medical Code,รหัสทางการแพทย์ apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,เชื่อมต่อ Amazon กับ ERPNext @@ -486,7 +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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,เพิ่มบัญชีธนาคารแล้ว -DocType: Delivery Stop,Contact Name,ชื่อผู้ติดต่อ +DocType: Call Log,Contact Name,ชื่อผู้ติดต่อ DocType: Plaid Settings,Synchronize all accounts every hour,ประสานบัญชีทั้งหมดทุกชั่วโมง DocType: Course Assessment Criteria,Course Assessment Criteria,เกณฑ์การประเมินหลักสูตร DocType: Pricing Rule Detail,Rule Applied,นำกฎมาใช้ @@ -530,7 +540,6 @@ 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,ขายใบแจ้งหนี้ไม่มี -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,ไม่ทราบจำนวน DocType: Website Filter Field,Website Filter Field,ฟิลด์ตัวกรองเว็บไซต์ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,ชนิดของวัสดุสิ้นเปลือง DocType: Material Request Item,Min Order Qty,จำนวนสั่งซื้อขั้นต่ำ @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,ยอดรวมเงินต้ DocType: Student Guardian,Relation,ความสัมพันธ์ DocType: Quiz Result,Correct,แก้ไข DocType: Student Guardian,Mother,แม่ -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,โปรดเพิ่มคีย์ api ที่ถูกต้องใน site_config.json ก่อน DocType: Restaurant Reservation,Reservation End Time,เวลาสิ้นสุดการจอง DocType: Crop,Biennial,ล้มลุก ,BOM Variance Report,รายงานความแตกต่างของ BOM @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,กุญแจสาธารณะลายสก๊อต DocType: Payment Term,Payment Term Name,ชื่อระยะจ่ายชำระ DocType: Healthcare Settings,Create documents for sample collection,สร้างเอกสารสำหรับการเก็บตัวอย่าง apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},การชำระเงินกับ {0} {1} ไม่สามารถจะสูงกว่าจำนวนเงินที่โดดเด่น {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,การตั้งค่า POS อ DocType: Stock Entry Detail,Reference Purchase Receipt,ใบเสร็จรับเงินอ้างอิงการซื้อ DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,แตกต่างจาก -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',เสร็จสมบูรณ์จำนวนไม่สามารถจะสูงกว่า 'จำนวนการผลิต' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',เสร็จสมบูรณ์จำนวนไม่สามารถจะสูงกว่า 'จำนวนการผลิต' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,ระยะเวลาขึ้นอยู่กับ DocType: Period Closing Voucher,Closing Account Head,ปิดหัวบัญชี DocType: Employee,External Work History,ประวัติการทำงานภายนอก apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,ข้อผิดพลาดในการอ้างอิงแบบวงกลม apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,บัตรรายงานนักเรียน apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,จากรหัสพิน +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,แสดงพนักงานขาย DocType: Appointment Type,Is Inpatient,เป็นผู้ป่วยใน apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,ชื่อ Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,ในคำพูดของ (ส่งออก) จะปรากฏเมื่อคุณบันทึกหมายเหตุจัดส่งสินค้า @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,ชื่อส่วนข้อมูล apps/erpnext/erpnext/healthcare/setup.py,Resistant,ต้านทาน apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},โปรดตั้งค่าห้องพักโรงแรมเมื่อ {@} +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า> ลำดับเลข DocType: Journal Entry,Multi Currency,หลายสกุลเงิน DocType: Bank Statement Transaction Invoice Item,Invoice Type,ประเภทใบแจ้งหนี้ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,ที่ถูกต้องจากวันที่จะต้องน้อยกว่าที่ถูกต้องจนถึงวันที่ @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,ที่ยอมรับ DocType: Workstation,Rent Cost,ต้นทุนการ ให้เช่า 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,จำนวนเงินหลังจากที่ค่าเสื่อมราคา apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,ที่จะเกิดขึ้นปฏิทินเหตุการณ์ apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,ตัวแปรคุณลักษณะ @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,ขอใบเสนอร 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,แสดงพนักงานขายในการพิมพ์ 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,ความแข็งแรง @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,สร้างลูกค้าใหม่ apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,หมดอายุเมื่อ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",ถ้ากฎการกำหนดราคาหลายยังคงเหนือกว่าผู้ใช้จะขอให้ตั้งลำดับความสำคัญด้วยตนเองเพื่อแก้ไขความขัดแย้ง -DocType: Purchase Invoice,Scan Barcode,สแกนบาร์โค้ด apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,สร้างใบสั่งซื้อ ,Purchase Register,สั่งซื้อสมัครสมาชิก apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,ไม่พบผู้ป่วย @@ -817,6 +828,7 @@ DocType: Account,Old Parent,ผู้ปกครองเก่า apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,ฟิลด์บังคับ - Academic Year apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,ฟิลด์บังคับ - ปีการศึกษา apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} ไม่มีส่วนเกี่ยวข้องกับ {2} {3} +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} @@ -860,6 +872,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,ตัวแทนเงินเดือนสำหรับ timesheet ตามบัญชีเงินเดือน DocType: Driver,Applicable for external driver,ใช้ได้กับไดรเวอร์ภายนอก DocType: Sales Order Item,Used for Production Plan,ที่ใช้ในการวางแผนการผลิต +DocType: BOM,Total Cost (Company Currency),ต้นทุนทั้งหมด (สกุลเงินของ บริษัท ) DocType: Loan,Total Payment,การชำระเงินรวม apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,ไม่สามารถยกเลิกการทำธุรกรรมสำหรับคำสั่งซื้อที่เสร็จสมบูรณ์ได้ DocType: Manufacturing Settings,Time Between Operations (in mins),เวลาระหว่างการดำเนินงาน (ในนาที) @@ -881,6 +894,7 @@ DocType: Supplier Scorecard Standing,Notify Other,แจ้งอื่น ๆ DocType: Vital Signs,Blood Pressure (systolic),ความดันโลหิต (systolic) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} คือ {2} DocType: Item Price,Valid Upto,ที่ถูกต้องไม่เกิน +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.,รายการ บางส่วนของ ลูกค้าของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล @@ -899,6 +913,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},การเปลี่ยนแปลงใน {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,กรุณาเลือก บริษัท DocType: Employee Skill,Employee Skill,ทักษะของพนักงาน apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,บัญชี ที่แตกต่างกัน @@ -943,6 +958,7 @@ DocType: Patient,Risk Factors,ปัจจัยเสี่ยง DocType: Patient,Occupational Hazards and Environmental Factors,อาชีวอนามัยและปัจจัยแวดล้อม apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,สร้างสต็อกที่สร้างไว้แล้วสำหรับใบสั่งงาน apps/erpnext/erpnext/templates/pages/cart.html,See past orders,ดูคำสั่งซื้อที่ผ่านมา +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} การสนทนา DocType: Vital Signs,Respiratory rate,อัตราการหายใจ apps/erpnext/erpnext/config/help.py,Managing Subcontracting,รับเหมาช่วงการจัดการ DocType: Vital Signs,Body Temperature,อุณหภูมิของร่างกาย @@ -984,6 +1000,7 @@ DocType: Purchase Invoice,Registered Composition,องค์ประกอบ apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,สวัสดี apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,ย้ายรายการ DocType: Employee Incentive,Incentive Amount,จำนวนเงินที่จูงใจ +,Employee Leave Balance Summary,สรุปยอดการลาพนักงาน DocType: Serial No,Warranty Period (Days),ระยะเวลารับประกัน (วัน) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,จำนวนเครดิต / เดบิตทั้งหมดควรเหมือนกับยอดรวมสมุดรายวันที่เชื่อมโยงกัน DocType: Installation Note Item,Installation Note Item,รายการหมายเหตุการติดตั้ง @@ -997,6 +1014,7 @@ DocType: Vital Signs,Bloated,ป่อง DocType: Salary Slip,Salary Slip Timesheet,Timesheet สลิปเงินเดือน apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,คลังสินค้า ผู้จัดจำหน่าย ผลบังคับใช้สำหรับ ย่อย ทำสัญญา รับซื้อ DocType: Item Price,Valid From,ที่ถูกต้อง จาก +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,คะแนนของคุณ: DocType: Sales Invoice,Total Commission,คณะกรรมการรวม DocType: Tax Withholding Account,Tax Withholding Account,บัญชีหักภาษี DocType: Pricing Rule,Sales Partner,พันธมิตรการขาย @@ -1004,6 +1022,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,ดัชนี DocType: Buying Settings,Purchase Receipt Required,รับซื้อที่จำเป็น DocType: Sales Invoice,Rail,ทางรถไฟ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,ต้นทุนที่แท้จริง +DocType: Item,Website Image,ภาพเว็บไซต์ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,คลังสินค้าเป้าหมายในแถว {0} ต้องเหมือนกับสั่งทำงาน apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,อัตราการประเมินมีผลบังคับใช้หากเปิดการแจ้งเข้ามา apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,ไม่พบใบแจ้งหนี้ในตารางบันทึก @@ -1038,8 +1057,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,โปรดทำให้การกำหนดค่า Plaid API ของคุณเสร็จสมบูรณ์ก่อนซิงโครไนซ์บัญชีของคุณ 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,สถานะการเรียกเก็บเงินและการจัดส่ง DocType: Job Applicant,Resume Attachment,Resume สิ่งที่แนบมา @@ -1051,7 +1070,6 @@ DocType: Production Plan,Production Plan,แผนการผลิต DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,เปิดเครื่องมือสร้างใบแจ้งหนี้ DocType: Salary Component,Round to the Nearest Integer,ปัดเศษให้เป็นจำนวนเต็มที่ใกล้ที่สุด apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,ขายกลับ -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,หมายเหตุ: ใบที่จัดสรรทั้งหมด {0} ไม่ควรจะน้อยกว่าใบอนุมัติแล้ว {1} สําหรับงวด DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,ตั้งค่าจำนวนในรายการตาม Serial Input ไม่มี ,Total Stock Summary,สรุปสต็อคทั้งหมด apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1080,6 +1098,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,โ apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,เงินต้น DocType: Loan Application,Total Payable Interest,รวมดอกเบี้ยเจ้าหนี้ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},ยอดคงค้างทั้งหมด: {0} +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} @@ -1089,6 +1108,7 @@ 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,เกิดข้อผิดพลาดระหว่างการอัพเดต DocType: Restaurant Reservation,Restaurant Reservation,จองร้านอาหาร +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,รายการของคุณ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,การเขียน ข้อเสนอ DocType: Payment Entry Deduction,Payment Entry Deduction,หักรายการชำระเงิน DocType: Service Level Priority,Service Level Priority,ระดับความสำคัญของการบริการ @@ -1097,6 +1117,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Batch Number Series apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,อีกคนขาย {0} อยู่กับรหัสพนักงานเดียวกัน DocType: Employee Advance,Claimed Amount,จำนวนเงินที่อ้างสิทธิ์ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,การจัดสรรที่หมดอายุ DocType: QuickBooks Migrator,Authorization Settings,การตั้งค่าการให้สิทธิ์ DocType: Travel Itinerary,Departure Datetime,Datetime ออกเดินทาง apps/erpnext/erpnext/hub_node/api.py,No items to publish,ไม่มีรายการที่จะเผยแพร่ @@ -1166,7 +1187,6 @@ DocType: Student Batch Name,Batch Name,ชื่อแบทช์ DocType: Fee Validity,Max number of visit,จำนวนการเข้าชมสูงสุด DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,จำเป็นสำหรับบัญชีกำไรและขาดทุน ,Hotel Room Occupancy,อัตราห้องพักของโรงแรม -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet สร้าง: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},กรุณาตั้ง ค่าเริ่มต้น เงินสด หรือ บัญชีเงินฝากธนาคาร ใน โหมด ของ การชำระเงิน {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,ลงทะเบียน DocType: GST Settings,GST Settings,การตั้งค่า GST @@ -1300,6 +1320,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,โปรดเลือกโปรแกรม DocType: Project,Estimated Cost,ค่าใช้จ่ายประมาณ DocType: Request for Quotation,Link to material requests,เชื่อมโยงไปยังการร้องขอวัสดุ +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,ประกาศ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,การบินและอวกาศ ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,เข้าบัตรเครดิต @@ -1326,6 +1347,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,สินทรัพย์หมุนเวียน apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} ไม่ได้เป็นรายการควบคุมสต้อก apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',โปรดแบ่งปันความคิดเห็นของคุณในการฝึกอบรมโดยคลิกที่ 'Training Feedback' จากนั้นคลิก 'New' +DocType: Call Log,Caller Information,ข้อมูลผู้โทร DocType: Mode of Payment Account,Default Account,บัญชีเริ่มต้น apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,โปรดเลือกคลังสินค้าการเก็บรักษาตัวอย่างในการตั้งค่าสต็อกก่อน apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,โปรดเลือกประเภทโปรแกรมหลายชั้นสำหรับกฎการรวบรวมข้อมูลมากกว่าหนึ่งชุด @@ -1350,6 +1372,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Auto วัสดุการขอสร้าง DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),ชั่วโมงการทำงานด้านล่างซึ่งทำเครื่องหมายครึ่งวัน (ศูนย์ปิดการใช้งาน) DocType: Job Card,Total Completed Qty,จำนวนที่เสร็จสมบูรณ์โดยรวม +DocType: HR Settings,Auto Leave Encashment,ปล่อยให้เป็นอัตโนมัติ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,สูญหาย apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,คุณไม่สามารถใส่บัตรกำนัลในปัจจุบัน 'กับอนุทิน' คอลัมน์ DocType: Employee Benefit Application Detail,Max Benefit Amount,จำนวนเงินสวัสดิการสูงสุด @@ -1379,9 +1402,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,สมาชิก DocType: Item Attribute Value,Item Attribute Value,รายการค่าแอตทริบิวต์ apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,ต้องใช้การแลกเปลี่ยนสกุลเงินเพื่อซื้อหรือขาย +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,สามารถยกเลิกการจัดสรรที่หมดอายุเท่านั้น DocType: Item,Maximum sample quantity that can be retained,จำนวนตัวอย่างสูงสุดที่สามารถเก็บรักษาได้ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},แถว {0} # รายการ {1} ไม่สามารถถ่ายโอนได้มากกว่า {2} กับใบสั่งซื้อ {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,แคมเปญการขาย +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,ไม่ทราบผู้โทร DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1432,6 +1457,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,กำห apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,ชื่อหมอ DocType: Expense Claim Detail,Expense Claim Type,เรียกร้องประเภทค่าใช้จ่าย DocType: Shopping Cart Settings,Default settings for Shopping Cart,การตั้งค่าเริ่มต้นสำหรับรถเข็น +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,บันทึกรายการ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,ค่าใช้จ่ายใหม่ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,ละเว้นจำนวนสั่งซื้อที่มีอยู่ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,เพิ่ม Timeslots @@ -1444,6 +1470,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,ส่งคำเชิญแล้ว DocType: Shift Assignment,Shift Assignment,Shift Assignment DocType: Employee Transfer Property,Employee Transfer Property,โอนทรัพย์สินของพนักงาน +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,บัญชีอิควิตี้ / บัญชีความรับผิดต้องไม่ว่างเปล่า apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,จากเวลาควรน้อยกว่าเวลา apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,เทคโนโลยีชีวภาพ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1526,11 +1553,13 @@ 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,สร้างผู้ติดต่อใหม่ apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,ตารางเรียน DocType: GSTR 3B Report,GSTR 3B Report,รายงาน GSTR 3B DocType: Request for Quotation Supplier,Quote Status,สถานะการอ้างอิง DocType: GoCardless Settings,Webhooks Secret,ความลับของ Webhooks DocType: Maintenance Visit,Completion Status,สถานะเสร็จ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},จำนวนเงินที่ชำระรวมต้องไม่เกิน {} DocType: Daily Work Summary Group,Select Users,เลือกผู้ใช้ DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,การกำหนดราคาห้องพักของโรงแรม DocType: Loyalty Program Collection,Tier Name,ชื่อระดับ @@ -1568,6 +1597,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST จ DocType: Lab Test Template,Result Format,รูปแบบผลลัพธ์ DocType: Expense Claim,Expenses,รายจ่าย DocType: Service Level,Support Hours,ชั่วโมงการสนับสนุน +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,หมายเหตุการจัดส่ง DocType: Item Variant Attribute,Item Variant Attribute,รายการตัวแปรคุณสมบัติ ,Purchase Receipt Trends,ซื้อแนวโน้มใบเสร็จรับเงิน DocType: Payroll Entry,Bimonthly,สองเดือนต่อครั้ง @@ -1590,7 +1620,6 @@ DocType: Sales Team,Incentives,แรงจูงใจ DocType: SMS Log,Requested Numbers,ตัวเลขการขอ DocType: Volunteer,Evening,ตอนเย็น DocType: Quiz,Quiz Configuration,การกำหนดค่าแบบทดสอบ -DocType: Customer,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,หุ้นรายละเอียด @@ -1637,7 +1666,6 @@ apps/erpnext/erpnext/config/accounting.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,กรองจำนวนรวมศูนย์ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},ไม่สามารถหาช่วงเวลาใน {0} วันถัดไปสำหรับการปฏิบัติงาน {1} DocType: Work Order,Plan material for sub-assemblies,วัสดุแผนประกอบย่อย 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,ไม่มีรายการสำหรับโอน @@ -1652,9 +1680,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,คุณต้องเปิดใช้งานการสั่งซื้ออัตโนมัติในการตั้งค่าสต็อกเพื่อรักษาระดับการสั่งซื้อใหม่ apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,ยกเลิก การเข้าชม วัสดุ {0} ก่อนที่จะ ยกเลิก การบำรุงรักษา นี้ เยี่ยมชม DocType: Pricing Rule,Rate or Discount,ราคาหรือส่วนลด +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,รายละเอียดธนาคาร DocType: Vital Signs,One Sided,ด้านเดียว apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},อนุกรม ไม่มี {0} ไม่ได้อยู่ใน รายการ {1} -DocType: Purchase Receipt Item Supplied,Required Qty,จำนวนที่ต้องการ +DocType: Purchase Order Item Supplied,Required Qty,จำนวนที่ต้องการ DocType: Marketplace Settings,Custom Data,ข้อมูลที่กำหนดเอง apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,โกดังกับการทำธุรกรรมที่มีอยู่ไม่สามารถแปลงบัญชีแยกประเภท DocType: Service Day,Service Day,วันที่ให้บริการ @@ -1682,7 +1711,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,สกุลเงินของบัญชี DocType: Lab Test,Sample ID,รหัสตัวอย่าง apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,กรุณาระบุบัญชีรอบปิด บริษัท -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,เทือกเขา DocType: Supplier,Default Payable Accounts,บัญชีเจ้าหนี้เริ่มต้น apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,พนักงาน {0} ไม่ได้ ใช้งานอยู่หรือ ไม่อยู่ @@ -1723,8 +1751,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,การร้องขอข้อมูล DocType: Course Activity,Activity Date,กิจกรรมวันที่ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} จาก {} -,LeaderBoard,ลีดเดอร์ DocType: Sales Invoice Item,Rate With Margin (Company Currency),อัตราที่มีอัตรากำไร (สกุลเงินของ บริษัท ) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,หมวดหมู่ apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,ซิงค์ออฟไลน์ใบแจ้งหนี้ DocType: Payment Request,Paid,ชำระ DocType: Service Level,Default Priority,ระดับความสำคัญเริ่มต้น @@ -1759,11 +1787,11 @@ 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,รายได้ ทางอ้อม DocType: Student Attendance Tool,Student Attendance Tool,เครื่องมือนักศึกษาเข้าร่วม DocType: Restaurant Menu,Price List (Auto created),รายการราคา (สร้างโดยอัตโนมัติ) +DocType: Pick List Item,Picked Qty,เลือกจำนวน DocType: Cheque Print Template,Date Settings,การตั้งค่าของวันที่ 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,รายละเอียดโปรโมชั่นของพนักงาน -,Company Name,ชื่อ บริษัท DocType: SMS Center,Total Message(s),ข้อความ รวม (s) DocType: Share Balance,Purchased,สั่งซื้อ DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,เปลี่ยนชื่อค่าแอตทริบิวต์ในแอตทริบิวต์ของรายการ @@ -1782,7 +1810,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,ความพยายามครั้งล่าสุด DocType: Quiz Result,Quiz Result,ผลการทดสอบ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total leaves allocated is mandatory for Leave Type {0},ใบที่จัดสรรไว้ทั้งหมดเป็นข้อบังคับสำหรับ Leave Type {0} -DocType: BOM,Raw Material Cost(Company Currency),ต้นทุนวัตถุดิบ ( บริษัท สกุล) 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,เมตร @@ -1850,6 +1877,7 @@ DocType: Travel Itinerary,Train,รถไฟ ,Delayed Item Report,รายงานรายการล่าช้า apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC ที่มีสิทธิ์ DocType: Healthcare Service Unit,Inpatient Occupancy,อัตราเข้าพักผู้ป่วยใน +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,เผยแพร่รายการแรกของคุณ DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,เวลาหลังจากสิ้นสุดการกะในระหว่างการพิจารณาเช็คเอาต์ apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},โปรดระบุ {0} @@ -1968,6 +1996,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,BOMs ทั้ง apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,สร้างรายการบันทึกระหว่าง บริษัท DocType: Company,Parent Company,บริษัท แม่ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},ห้องพักประเภท {0} ไม่มีให้บริการใน {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,เปรียบเทียบ BOM สำหรับการเปลี่ยนแปลงในวัตถุดิบและการปฏิบัติงาน apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,เอกสาร {0} ถูกลบสำเร็จ DocType: Healthcare Practitioner,Default Currency,สกุลเงินเริ่มต้น apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,กระทบยอดบัญชีนี้ @@ -2002,6 +2031,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form รายละเอียดใบแจ้งหนี้ DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,กระทบยอดใบแจ้งหนี้การชำระเงิน DocType: Clinical Procedure,Procedure Template,แม่แบบขั้นตอน +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,เผยแพร่รายการ apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,เงินสมทบ% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",ตามการตั้งค่าการซื้อหากต้องการสั่งซื้อสินค้า == 'ใช่' จากนั้นสำหรับการสร้างใบกำกับการซื้อผู้ใช้จำเป็นต้องสร้างใบสั่งซื้อก่อนสำหรับรายการ {0} ,HSN-wise-summary of outward supplies,HSN-wise สรุปของวัสดุสิ้นเปลืองภายนอก @@ -2014,7 +2044,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',โปรดตั้ง 'ใช้ส่วนลดเพิ่มเติมใน' DocType: Party Tax Withholding Config,Applicable Percent,เปอร์เซ็นต์ที่ใช้บังคับ ,Ordered Items To Be Billed,รายการที่สั่งซื้อจะเรียกเก็บเงิน -DocType: Employee Checkin,Exit Grace Period Consequence,ออกจากช่วงเวลาผ่อนผัน apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,จากช่วงจะต้องมีน้อยกว่าในช่วง DocType: Global Defaults,Global Defaults,เริ่มต้นทั่วโลก apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,ขอเชิญร่วมโครงการ @@ -2022,13 +2051,11 @@ DocType: Salary Slip,Deductions,การหักเงิน DocType: Setup Progress Action,Action Name,ชื่อการกระทำ apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,ปีวันเริ่มต้น apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,สร้างสินเชื่อ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,วันที่เริ่มต้นของระยะเวลาการออกใบแจ้งหนี้ปัจจุบัน DocType: Shift Type,Process Attendance After,กระบวนการเข้าร่วมหลังจาก ,IRS 1099,"IRS 1,099" DocType: Salary Slip,Leave Without Pay,ฝากโดยไม่ต้องจ่าย DocType: Payment Request,Outward,ภายนอก -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,ข้อผิดพลาดการวางแผนกำลังการผลิต apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,ภาษีของรัฐ / UT ,Trial Balance for Party,งบทดลองสำหรับพรรค ,Gross and Net Profit Report,รายงานกำไรขั้นต้นและกำไรสุทธิ @@ -2047,7 +2074,6 @@ DocType: Payroll Entry,Employee Details,รายละเอียดของ 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} -DocType: Setup Progress Action,Domains,โดเมน 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} @@ -2090,7 +2116,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,การ 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.",วิธีการชำระเงินไม่ได้กำหนดค่า กรุณาตรวจสอบไม่ว่าจะเป็นบัญชีที่ได้รับการตั้งค่าในโหมดของการชำระเงินหรือบนโปรไฟล์ POS apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,รายการเดียวกันไม่สามารถเข้ามาหลายครั้ง apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",บัญชีเพิ่มเติมสามารถทำภายใต้กลุ่ม แต่รายการที่สามารถทำกับกลุ่มที่ไม่ -DocType: Email Campaign,Lead,ช่องทาง +DocType: Call Log,Lead,ช่องทาง DocType: Email Digest,Payables,เจ้าหนี้ DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,แคมเปญอีเมลสำหรับ @@ -2102,6 +2128,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,รายการใบสั่งซื้อที่จะได้รับจำนวนมากที่สุด 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,วงเงินเครดิต DocType: Purchase Invoice Item,Net Rate,อัตราการสุทธิ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,โปรดเลือกลูกค้า DocType: Leave Policy,Leave Allocations,ยกเลิกการจัดสรร @@ -2115,6 +2142,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,ปิดฉบับหลังจากวัน ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,คุณต้องเป็นผู้ใช้ที่มีบทบาท System Manager และ Item Manager เพื่อเพิ่มผู้ใช้ลงใน Marketplace +DocType: Attendance,Early Exit,ออกก่อนเวลา DocType: Job Opening,Staffing Plan,แผนการจัดหาพนักงาน apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON สามารถสร้างได้จากเอกสารที่ส่งมาเท่านั้น apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ภาษีและผลประโยชน์ของพนักงาน @@ -2137,6 +2165,7 @@ DocType: Maintenance Team Member,Maintenance Role,บทบาทการบำ apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},แถว ที่ซ้ำกัน {0} ด้วย เหมือนกัน {1} DocType: Marketplace Settings,Disable Marketplace,ปิดการใช้งาน Marketplace DocType: Quality Meeting,Minutes,รายงานการประชุม +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,รายการแนะนำของคุณ ,Trial Balance,งบทดลอง apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,แสดงเสร็จสมบูรณ์ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,ปีงบประมาณ {0} ไม่พบ @@ -2146,8 +2175,8 @@ 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,กรุณาเลือก คำนำหน้า เป็นครั้งแรก DocType: Contract,Fulfilment Deadline,Fulfillment Deadline +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,ใกล้คุณ DocType: Student,O-,O- -DocType: Shift Type,Consequence,ผลพวง DocType: Subscription Settings,Subscription Settings,การตั้งค่าการสมัครสมาชิก DocType: Purchase Invoice,Update Auto Repeat Reference,อัปเดตข้อมูลอ้างอิงการทำซ้ำอัตโนมัติ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},รายการวันหยุดเสริมไม่ได้ตั้งไว้สำหรับระยะเวลาการลา {0} @@ -2158,7 +2187,6 @@ DocType: Maintenance Visit Purpose,Work Done,งานที่ทำ apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,โปรดระบุอย่างน้อยหนึ่งแอตทริบิวต์ในตารางคุณสมบัติ DocType: Announcement,All Students,นักเรียนทุกคน apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,รายการ {0} จะต้องเป็นรายการที่ไม่สต็อก -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,ธนาคาร Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,ดู บัญชีแยกประเภท DocType: Grading Scale,Intervals,ช่วงเวลา DocType: Bank Statement Transaction Entry,Reconciled Transactions,การเจรจาต่อรอง @@ -2194,6 +2222,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",คลังสินค้านี้จะถูกใช้เพื่อสร้างคำสั่งขาย คลังสินค้าทางเลือกคือ "ร้านค้า" DocType: Work Order,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,รักษาอัตราเดียวกันตลอดวงจรการซื้อ DocType: Opportunity Item,Opportunity Item,รายการโอกาส DocType: Quality Action,Quality Review,ตรวจสอบคุณภาพ @@ -2220,7 +2249,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,รับใบแจ้งหนี้ค้าง -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,การขายสินค้า {0} ไม่ถูกต้อง +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,แจ้งเตือนคำขอใหม่สำหรับใบเสนอราคา apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,คำสั่งซื้อที่ช่วยให้คุณวางแผนและติดตามในการซื้อสินค้าของคุณ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,ข้อกำหนดการทดสอบในแล็บ @@ -2245,6 +2274,7 @@ DocType: Employee Onboarding,Notify users by email,แจ้งผู้ใช DocType: Travel Request,International,ระหว่างประเทศ DocType: Training Event,Training Event,กิจกรรมการฝึกอบรม DocType: Item,Auto re-order,Auto สั่งซื้อใหม่ +DocType: Attendance,Late Entry,สายเข้า apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,รวมประสบความสำเร็จ DocType: Employee,Place of Issue,สถานที่ได้รับการรับรอง DocType: Promotional Scheme,Promotional Scheme Price Discount,โปรโมชั่นลดราคาโครงการ @@ -2291,6 +2321,7 @@ DocType: Serial No,Serial No Details,รายละเอียดหมาย DocType: Purchase Invoice Item,Item Tax Rate,อัตราภาษีสินค้า apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,จากชื่อปาร์ตี้ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,จำนวนเงินเดือนสุทธิ +DocType: Pick List,Delivery against Sales Order,จัดส่งเทียบกับใบสั่งขาย DocType: Student Group Student,Group Roll Number,หมายเลขกลุ่ม DocType: Student Group Student,Group Roll Number,หมายเลขกลุ่ม apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",มีบัญชีประเภทเครดิตเท่านั้น ที่สามารถเชื่อมโยงกับรายการประเภทเดบิต สำหรับ {0} @@ -2364,7 +2395,6 @@ DocType: Contract,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,วันที่ใบแจ้งหนี้ผู้จัดจำหน่าย -DocType: Asset Settings,This value is used for pro-rata temporis calculation,ค่านี้ถูกใช้สำหรับการคำนวณชั่วคราว proisrata apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,คุณจำเป็นต้องเปิดการใช้งานรถเข็น DocType: Payment Entry,Writeoff,ตัดค่าใช้จ่าย DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2378,6 +2408,7 @@ DocType: Delivery Trip,Total Estimated Distance,รวมระยะทาง DocType: Invoice Discounting,Accounts Receivable Unpaid Account,บัญชีลูกหนี้ที่ยังไม่ได้ชำระ DocType: Tally Migration,Tally Company,บริษัท Tally apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM เบราว์เซอร์ +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},ไม่อนุญาตให้สร้างมิติการบัญชีสำหรับ {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,โปรดอัปเดตสถานะของคุณสำหรับกิจกรรมการฝึกอบรมนี้ DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,เพิ่มหรือหัก @@ -2387,7 +2418,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,รายการขายที่ไม่ใช้งาน DocType: Quality Review,Additional Information,ข้อมูลเพิ่มเติม apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,มูลค่าการสั่งซื้อทั้งหมด -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,รีเซ็ตข้อตกลงระดับการบริการ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,อาหาร apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,ช่วงสูงอายุ 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,รายละเอียดบัตรกำนัลการปิดบัญชี POS @@ -2434,6 +2464,7 @@ 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,รณรงค์ 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',สถานะการอนุมัติ ต้อง 'อนุมัติ ' หรือ ' ปฏิเสธ ' DocType: Healthcare Practitioner,Contacts and Address,ที่อยู่ติดต่อและที่อยู่ DocType: Shift Type,Determine Check-in and Check-out,กำหนดเช็คอินและเช็คเอาท์ @@ -2453,7 +2484,6 @@ DocType: Student Admission,Eligibility and Details,คุณสมบัติ apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,รวมอยู่ในกำไรขั้นต้น apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,เปลี่ยนสุทธิในสินทรัพย์ถาวร apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,จำนวน Reqd -DocType: Company,Client Code,รหัสลูกค้า apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ค่าใช้จ่าย ประเภท ' จริง ' ในแถว {0} ไม่สามารถ รวมอยู่ใน อัตรา รายการ apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},สูงสุด: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,จาก Datetime @@ -2522,6 +2552,7 @@ DocType: Journal Entry Account,Account Balance,ยอดเงินในบั apps/erpnext/erpnext/config/accounting.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 (%),โอนเงินเกิน (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ลูกค้าเป็นสิ่งจำเป็นในบัญชีลูกหนี้ {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),รวมภาษีและค่าบริการ (สกุลเงิน บริษัท ) DocType: Weather,Weather Parameter,พารามิเตอร์สภาพอากาศ @@ -2584,6 +2615,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,เกณฑ์ชั่ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,อาจมีหลายปัจจัยการจัดเก็บแยกตามสัดส่วนการใช้จ่ายทั้งหมด แต่ปัจจัยการแปลงสำหรับการไถ่ถอนจะเหมือนกันสำหรับทุกระดับ apps/erpnext/erpnext/config/help.py,Item Variants,รายการที่แตกต่าง apps/erpnext/erpnext/public/js/setup_wizard.js,Services,การบริการ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,อีเมล์สลิปเงินเดือนให้กับพนักงาน DocType: Cost Center,Parent Cost Center,ศูนย์ต้นทุนผู้ปกครอง @@ -2594,7 +2626,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields", DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,บันทึกการนำส่งสินค้าจาก Shopify เมื่อมีการจัดส่ง apps/erpnext/erpnext/templates/pages/projects.html,Show closed,แสดงปิด DocType: Issue Priority,Issue Priority,ลำดับความสำคัญของปัญหา -DocType: Leave Type,Is Leave Without Pay,ถูกทิ้งไว้โดยไม่ต้องจ่ายเงิน +DocType: Leave Ledger Entry,Is Leave Without Pay,ถูกทิ้งไว้โดยไม่ต้องจ่ายเงิน apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,ประเภทสินทรัพย์ที่มีผลบังคับใช้สำหรับรายการสินทรัพย์ถาวร DocType: Fee Validity,Fee Validity,ความถูกต้องของค่าธรรมเนียม @@ -2643,6 +2675,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,จำนวนช apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,รูปแบบการพิมพ์การปรับปรุง DocType: Bank Account,Is Company Account,บัญชี บริษัท apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,ปล่อยให้ประเภท {0} ไม่สามารถเข้ารหัสได้ +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},มีการกำหนดวงเงินเครดิตสำหรับ บริษัท {0} แล้ว DocType: Landed Cost Voucher,Landed Cost Help,Landed ช่วยเหลือค่าใช้จ่าย DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,เลือกที่อยู่ในการจัดส่ง @@ -2667,6 +2700,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,สองทาง DocType: Item,Manufacturers,ผู้ผลิต @@ -2704,7 +2738,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,งบกระทบยอดธนาคาร DocType: Patient Encounter,Medical Coding,Medical Coding DocType: Healthcare Settings,Reminder Message,ข้อความเตือน -,Lead Name,ชื่อช่องทาง +DocType: Call Log,Lead Name,ชื่อช่องทาง ,POS,จุดขาย DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,การตรวจหาแร่ @@ -2736,12 +2770,14 @@ DocType: Purchase Invoice,Supplier Warehouse,คลังสินค้าผ DocType: Opportunity,Contact Mobile No,เบอร์มือถือไม่มี apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,เลือก บริษัท ,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: Student Report Generation Tool,Print Section,ส่วนการพิมพ์ DocType: Staffing Plan Detail,Estimated Cost Per Position,ค่าใช้จ่ายโดยประมาณต่อตำแหน่ง DocType: Employee,HR-EMP-,HR-EMP- 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,รายงานการประชุมคุณภาพ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ผู้ผลิต> ประเภทผู้จัดจำหน่าย apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,การแนะนำผลิตภัณฑ์ของพนักงาน DocType: Student Group,Set 0 for no limit,ตั้ง 0 ไม่มีขีด จำกัด apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,วันที่ (s) ที่คุณจะใช้สำหรับการลาวันหยุด คุณไม่จำเป็นต้องใช้สำหรับการลา @@ -2775,12 +2811,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,เปลี่ยนเป็นเงินสดสุทธิ DocType: Assessment Plan,Grading Scale,ระดับคะแนน apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,หน่วย ของการวัด {0} ได้รับการป้อน มากกว่าหนึ่งครั้งใน การแปลง ปัจจัย ตาราง -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,เสร็จสิ้นแล้ว apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,หุ้นอยู่ในมือ apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",โปรดเพิ่มผลประโยชน์ที่เหลือ {0} ลงในแอ็พพลิเคชันเป็นส่วนประกอบ \ pro-rata apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',กรุณาตั้งค่ารหัสการคลังสำหรับการบริหารสาธารณะ '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},รวมเข้ากับการชำระเงินที่มีอยู่แล้ว {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,ค่าใช้จ่ายของรายการที่ออก DocType: Healthcare Practitioner,Hospital,โรงพยาบาล apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},จำนวนต้องไม่เกิน {0} @@ -2825,6 +2859,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,ทรัพยากรบุคคล apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,รายได้บน DocType: Item Manufacturer,Item Manufacturer,ผู้ผลิตรายการ +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,สร้างลูกค้าใหม่ DocType: BOM Operation,Batch Size,ขนาดแบทช์ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,ปฏิเสธ DocType: Journal Entry Account,Debit in Company Currency,เดบิตใน บริษัท สกุล @@ -2845,9 +2880,11 @@ DocType: Bank Transaction,Reconciled,คืนดี DocType: Expense Claim,Total Amount Reimbursed,รวมจำนวนเงินชดเชย apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,แห่งนี้ตั้งอยู่บนพื้นฐานของบันทึกกับรถคันนี้ ดูระยะเวลารายละเอียดด้านล่าง apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,วันที่จ่ายเงินเดือนต้องไม่น้อยกว่าวันที่เข้าร่วมของพนักงาน +DocType: Pick List,Item Locations,รายการสถานที่ apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,สร้าง {0} {1} แล้ว apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",การเปิดงานสำหรับการแต่งตั้ง {0} เปิดอยู่แล้ว \ หรือการว่าจ้างเสร็จสิ้นตามแผนการจัดหาพนักงาน {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,คุณสามารถเผยแพร่ได้สูงสุด 200 รายการ DocType: Vital Signs,Constipated,มีอาการท้องผูก apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},กับผู้ผลิตใบแจ้งหนี้ {0} วัน {1} DocType: Customer,Default Price List,รายการราคาเริ่มต้น @@ -2941,6 +2978,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Shift เริ่มจริง DocType: Tally Migration,Is Day Book Data Imported,นำเข้าข้อมูลหนังสือรายวันแล้ว apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,ค่าใช้จ่ายใน การตลาด +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} หน่วยของ {1} ไม่พร้อมใช้งาน ,Item Shortage Report,รายงานสินค้าไม่เพียงพอ 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,ไม่สามารถสร้างเกณฑ์มาตรฐานได้ โปรดเปลี่ยนชื่อเกณฑ์ @@ -2964,6 +3002,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,วันที่ของการเกษียณอายุ DocType: Upload Attendance,Get Template,รับแม่แบบ +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,เลือกรายการ ,Sales Person Commission Summary,รายละเอียดสรุปยอดขายของพนักงานขาย DocType: Material Request,Transferred,โอน DocType: Vehicle,Doors,ประตู @@ -3044,7 +3083,7 @@ DocType: Sales Invoice Item,Customer's Item Code,รหัสสินค้า DocType: Stock Reconciliation,Stock Reconciliation,สมานฉันท์สต็อก DocType: Territory,Territory Name,ชื่อดินแดน DocType: Email Digest,Purchase Orders to Receive,สั่งซื้อเพื่อรับ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,ทำงาน ความคืบหน้าใน คลังสินค้า จะต้อง ก่อนที่จะ ส่ง +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,ทำงาน ความคืบหน้าใน คลังสินค้า จะต้อง ก่อนที่จะ ส่ง apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,คุณสามารถมีแผนเดียวกับรอบการเรียกเก็บเงินเดียวกันในการสมัครรับข้อมูล DocType: Bank Statement Transaction Settings Item,Mapped Data,ข้อมูลที่แมป DocType: Purchase Order Item,Warehouse and Reference,คลังสินค้าและการอ้างอิง @@ -3120,6 +3159,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,การตั้งค่าการจัดส่ง apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ดึงข้อมูล apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},อนุญาตให้ใช้งานได้สูงสุดในประเภทการลา {0} คือ {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,เผยแพร่ 1 รายการ DocType: SMS Center,Create Receiver List,สร้างรายการรับ DocType: Student Applicant,LMS Only,LMS เท่านั้น apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,วันที่มีจำหน่ายสำหรับวันที่ซื้อควรเป็นหลังจากวันที่ซื้อ @@ -3153,6 +3193,7 @@ DocType: Serial No,Delivery Document No,เอกสารจัดส่งส DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,ตรวจสอบให้แน่ใจว่ามีการส่งมอบตามเลขที่ผลิตภัณฑ์ DocType: Vital Signs,Furry,มีขนยาว apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},โปรดตั้ง 'บัญชี / ขาดทุนกำไรจากการขายสินทรัพย์ใน บริษัท {0} +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} @@ -3164,6 +3205,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},ดูปัญหาทั้งหมดจาก {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,โต๊ะประชุมคุณภาพ +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/templates/pages/help.html,Visit the forums,ไปที่ฟอรัม DocType: Student,Student Mobile Number,หมายเลขโทรศัพท์มือถือของนักเรียน DocType: Item,Has Variants,มีหลากหลายรูปแบบ @@ -3175,9 +3217,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,ชื่อข DocType: Quality Procedure Process,Quality Procedure Process,กระบวนการคุณภาพ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ต้องใช้รหัสแบทช์ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ต้องใช้รหัสแบทช์ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,โปรดเลือกลูกค้าก่อน DocType: Sales Person,Parent Sales Person,ผู้ปกครองคนขาย apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,ไม่มีรายการที่จะได้รับค้างชำระ apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,ผู้ขายและผู้ซื้อต้องไม่เหมือนกัน +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,ยังไม่มีการดู DocType: Project,Collect Progress,รวบรวมความคืบหน้า DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,เลือกโปรแกรมก่อน @@ -3199,11 +3243,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,ที่ประสบความสำเร็จ DocType: Student Admission,Application Form Route,แบบฟอร์มใบสมัครเส้นทาง apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,วันที่สิ้นสุดของข้อตกลงต้องไม่น้อยกว่าวันนี้ +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter เพื่อส่ง DocType: Healthcare Settings,Patient Encounters in valid days,พบผู้ป่วยในวันที่ถูกต้อง apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,การออกจากชนิด {0} ไม่สามารถได้รับการจัดสรรตั้งแต่มันถูกทิ้งไว้โดยไม่ต้องจ่าย 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกใบแจ้งหนี้การขาย DocType: Lead,Follow Up,ติดตาม +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,ศูนย์ต้นทุน: {0} ไม่มีอยู่ DocType: Item,Is Sales Item,รายการขาย apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,กลุ่มสินค้า ต้นไม้ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,รายการที่ {0} ไม่ได้ ติดตั้ง สำหรับต้นแบบ อนุกรม Nos ได้ ตรวจสอบ รายการ @@ -3248,9 +3294,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,จำหน่ายจำนวน DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,รายการวัสดุที่ขอ -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,โปรดยกเลิกการรับซื้อ {0} ครั้งแรก apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,ต้นไม้ ของ กลุ่ม รายการ DocType: Production Plan,Total Produced Qty,จำนวนที่ผลิตรวม +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,ยังไม่มีรีวิว apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,ไม่ สามารถดู จำนวน แถว มากกว่าหรือ เท่ากับจำนวน แถวปัจจุบัน ค่าใช้จ่าย สำหรับประเภท นี้ DocType: Asset,Sold,ขาย ,Item-wise Purchase History,ประวัติการซื้อสินค้าที่ชาญฉลาด @@ -3269,7 +3315,7 @@ DocType: Designation,Required Skills,ทักษะที่จำเป็น DocType: Inpatient Record,O Positive,O Positive apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,เงินลงทุน DocType: Issue,Resolution Details,รายละเอียดความละเอียด -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,ประเภทธุรกรรม +DocType: Leave Ledger Entry,Transaction Type,ประเภทธุรกรรม DocType: Item Quality Inspection Parameter,Acceptance Criteria,เกณฑ์การยอมรับ กําหนดเกณฑ์ การยอมรับ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,กรุณากรอกคำขอวัสดุในตารางข้างต้น apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,ไม่มีการชำระคืนสำหรับรายการบันทึก @@ -3311,6 +3357,7 @@ DocType: Bank Account,Bank Account No,หมายเลขบัญชีธน DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,การส่งหลักฐานการได้รับการยกเว้นภาษีพนักงาน DocType: Patient,Surgical History,ประวัติการผ่าตัด DocType: Bank Statement Settings Item,Mapped Header,หัวกระดาษที่แมป +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์> การตั้งค่าทรัพยากรบุคคล DocType: Employee,Resignation Letter Date,วันที่ใบลาออก apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,กฎการกำหนดราคาจะถูกกรองต่อไปขึ้นอยู่กับปริมาณ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},โปรดกำหนดวันที่เข้าร่วมสำหรับพนักงาน {0} @@ -3379,7 +3426,6 @@ DocType: Student Report Generation Tool,Add Letterhead,เพิ่มหัว DocType: Program Enrollment,Self-Driving Vehicle,รถยนต์ขับเอง 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ใบจัดสรรรวม {0} ไม่สามารถจะน้อยกว่าการอนุมัติแล้วใบ {1} สําหรับงวด DocType: Contract Fulfilment Checklist,Requirement,ความต้องการ DocType: Journal Entry,Accounts Receivable,ลูกหนี้ DocType: Quality Goal,Objectives,วัตถุประสงค์ @@ -3402,7 +3448,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,เกณฑ์กา DocType: Lab Test Template,This value is updated in the Default Sales Price List.,ค่านี้ได้รับการปรับปรุงในรายการราคาขายเริ่มต้น apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,รถเข็นของคุณว่างเปล่า DocType: Email Digest,New Expenses,ค่าใช้จ่ายใหม่ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,จำนวน PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,ไม่สามารถปรับเส้นทางให้เหมาะสมเนื่องจากที่อยู่ไดรเวอร์หายไป DocType: Shareholder,Shareholder,ผู้ถือหุ้น DocType: Purchase Invoice,Additional Discount Amount,จำนวนส่วนลดเพิ่มเติม @@ -3439,6 +3484,7 @@ DocType: Asset Maintenance Task,Maintenance Task,งานบำรุงรั apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,โปรดตั้งขีด จำกัด B2C ในการตั้งค่า GST DocType: Marketplace Settings,Marketplace Settings,การตั้งค่า Marketplace 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} ตอนนี้เป็นปีงบประมาณเริ่มต้น กรุณารีเฟรชเบราว์เซอร์ ของคุณ สำหรับการเปลี่ยนแปลงที่จะมีผลบังคับใช้ @@ -3475,6 +3521,7 @@ DocType: Salary Component,Deduction,การหัก DocType: Item,Retain Sample,เก็บตัวอย่าง apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,แถว {0}: จากเวลาและต้องการเวลามีผลบังคับใช้ DocType: Stock Reconciliation Item,Amount Difference,จำนวนเงินที่แตกต่าง +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,หน้านี้ติดตามรายการที่คุณต้องการซื้อจากผู้ขาย apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},รายการสินค้าเพิ่มสำหรับ {0} ในราคา {1} DocType: Delivery Stop,Order Information,ข้อมูลการสั่งซื้อ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,กรุณากรอกพนักงาน Id นี้คนขาย @@ -3503,6 +3550,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ปีงบประมาณ ** หมายถึงปีทางการเงิน ทุกรายการบัญชีและการทำธุรกรรมอื่น ๆ ที่สำคัญมีการติดตามต่อปี ** ** การคลัง DocType: Opportunity,Customer / Lead Address,ลูกค้า / ที่อยู่ DocType: Supplier Scorecard Period,Supplier Scorecard Setup,การตั้งค่า Scorecard ของผู้จัดหา +DocType: Customer Credit Limit,Customer Credit Limit,วงเงินเครดิตของลูกค้า apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,ชื่อแผนประเมิน apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,รายละเอียดเป้าหมาย apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","บังคับใช้หาก บริษัท คือ SpA, SApA หรือ SRL" @@ -3555,7 +3603,6 @@ DocType: Company,Transactions Annual History,ประวัติประจ 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,ชื่อธนาคาร -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,- ขึ้นไป 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,ของเหลว @@ -3609,6 +3656,7 @@ 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,เพิ่มไปยังรายการแนะนำ apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,กำไรสำหรับปี 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,ในกระบวนการ @@ -3663,12 +3711,10 @@ 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,อนุญาตให้ใช้รายการเดียวกันหลายครั้ง -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,ไม่พบหมายเลข GST สำหรับ บริษัท 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,พนักงาน DocType: Question,Single Correct Answer,คำตอบที่ถูกต้องเดียว -DocType: Employee,Contact Details,รายละเอียดการติดต่อ DocType: C-Form,Received Date,วันที่ได้รับ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",ถ้าคุณได้สร้างแม่แบบมาตรฐานในการภาษีขายและค่าใช้จ่ายแม่แบบให้เลือกและคลิกที่ปุ่มด้านล่าง DocType: BOM Scrap Item,Basic Amount (Company Currency),จำนวนเงินขั้นพื้นฐาน ( บริษัท สกุล) @@ -3698,12 +3744,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM การดำเน DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,คะแนน Supplier apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,กำหนดการรับสมัคร +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,จำนวนคำขอการชำระเงินทั้งหมดต้องไม่เกิน {0} จำนวน DocType: Tax Withholding Rate,Cumulative Transaction Threshold,เกณฑ์การทำธุรกรรมสะสม DocType: Promotional Scheme Price Discount,Discount Type,ประเภทส่วนลด -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,รวมใบแจ้งหนี้ Amt DocType: Purchase Invoice Item,Is Free Item,เป็นรายการฟรี +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,เปอร์เซ็นต์ที่คุณได้รับอนุญาตให้ถ่ายโอนเพิ่มเติมกับปริมาณที่สั่ง ตัวอย่างเช่น: หากคุณสั่งซื้อ 100 หน่วย และค่าเผื่อของคุณคือ 10% จากนั้นคุณจะได้รับอนุญาตให้โอน 110 หน่วย DocType: Supplier,Warn RFQs,เตือน RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,สำรวจ +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,สำรวจ DocType: BOM,Conversion Rate,อัตราการแปลง apps/erpnext/erpnext/www/all-products/index.html,Product Search,ค้นหาสินค้า ,Bank Remittance,โอนเงินผ่านธนาคาร @@ -3715,6 +3762,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,จำนวนเงินที่จ่าย DocType: Asset,Insurance End Date,วันที่สิ้นสุดการประกัน apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,โปรดเลือกการรับนักศึกษาซึ่งเป็นข้อบังคับสำหรับผู้สมัครที่ได้รับค่าเล่าเรียน +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,รายชื่องบประมาณ DocType: Campaign,Campaign Schedules,กำหนดการของแคมเปญ DocType: Job Card Time Log,Completed Qty,จำนวนเสร็จ @@ -3737,6 +3785,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,ที่ DocType: Quality Inspection,Sample Size,ขนาดของกลุ่มตัวอย่าง apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,กรุณากรอกเอกสารใบเสร็จรับเงิน apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,รายการทั้งหมดที่ ได้รับการ ออกใบแจ้งหนี้ แล้ว +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,ใบไม้นำมา apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',โปรดระบุที่ถูกต้อง 'จากคดีหมายเลข' 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,ศูนย์ต้นทุนเพิ่มเติมสามารถทำภายใต้กลุ่ม แต่รายการที่สามารถทำกับกลุ่มที่ไม่ 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,ใบที่จัดสรรแล้วทั้งหมดเป็นจำนวนวันมากกว่าการจัดสรร {0} การปล่อยให้กับพนักงาน {1} ในช่วงเวลามากที่สุด @@ -3837,6 +3886,8 @@ 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: Call Log,Received By,ที่ได้รับจาก 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.,ติดตามรายได้และค่าใช้จ่ายแยกต่างหากสำหรับแนวดิ่งผลิตภัณฑ์หรือหน่วยงาน @@ -3890,6 +3941,7 @@ DocType: Support Search Source,Result Title Field,หัวเรื่อง apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,สรุปการโทร DocType: Sample Collection,Collected Time,เวลาที่รวบรวม DocType: Employee Skill Map,Employee Skills,ทักษะของพนักงาน +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,ค่าใช้จ่ายน้ำมันเชื้อเพลิง DocType: Company,Sales Monthly History,ประวัติการขายรายเดือน apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,โปรดตั้งอย่างน้อยหนึ่งแถวในตารางภาษีและค่าใช้จ่าย DocType: Asset Maintenance Task,Next Due Date,วันครบกำหนดถัดไป @@ -3899,6 +3951,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,สัญ DocType: Payment Entry,Payment Deductions or Loss,การหักเงินชำระเงินหรือการสูญเสีย DocType: Soil Analysis,Soil Analysis Criterias,เกณฑ์การวิเคราะห์ดิน apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,ข้อสัญญา มาตรฐานสำหรับ การขายหรือการ ซื้อ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},แถวถูกลบใน {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),เริ่มการเช็คอินก่อนเวลาเริ่มกะ (เป็นนาที) DocType: BOM Item,Item operation,การทำงานของรายการ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,จัดกลุ่มตาม Voucher @@ -3924,11 +3977,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,สลิปเงินเดือนของพนักงาน {0} สร้างไว้แล้วสำหรับช่วงเวลานี้ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,เภสัชกรรม apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,คุณสามารถส่ง Leave Encashment ได้เพียงจำนวนเงินที่ถูกต้องเท่านั้น +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,รายการโดย apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,ค่าใช้จ่ายของรายการที่ซื้อ DocType: Employee Separation,Employee Separation Template,เทมเพลตการแบ่งแยกลูกจ้าง DocType: Selling Settings,Sales Order Required,สั่งซื้อยอดขายที่ต้องการ apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,มาเป็นผู้ขาย -DocType: Shift Type,The number of occurrence after which the consequence is executed.,จำนวนของการเกิดขึ้นหลังจากการดำเนินการที่ตามมา ,Procurement Tracker,ติดตามการจัดซื้อ DocType: Purchase Invoice,Credit To,เครดิต apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC กลับรายการ @@ -3941,6 +3994,7 @@ DocType: Quality Meeting,Agenda,ระเบียบวาระการปร DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,รายละเอียดกำหนดการซ่อมบำรุง DocType: Supplier Scorecard,Warn for new Purchase Orders,เตือนคำสั่งซื้อใหม่ DocType: Quality Inspection Reading,Reading 9,อ่าน 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,เชื่อมต่อบัญชี Exotel ของคุณกับ ERPNext และติดตามบันทึกการโทร DocType: Supplier,Is Frozen,ถูกแช่แข็ง DocType: Tally Migration,Processed Files,ไฟล์ประมวลผล apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,คลังสินค้าโหนดกลุ่มไม่ได้รับอนุญาตให้เลือกสำหรับการทำธุรกรรม @@ -3950,6 +4004,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,หมายเล DocType: Upload Attendance,Attendance To Date,วันที่เข้าร่วมประชุมเพื่อ 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,ใบสั่งยา @@ -3975,7 +4030,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,ผู้ขอ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},การอ้างอิงที่ไม่ถูกต้อง {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,กฎสำหรับการใช้รูปแบบการส่งเสริมการขายต่าง ๆ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ไม่สามารถกำหนดให้สูงกว่าปริมาณที่วางแผนไว้ ({2}) ในการสั่งผลิต {3} DocType: Shipping Rule,Shipping Rule Label,ป้ายกฎการจัดส่งสินค้า DocType: Journal Entry Account,Payroll Entry,รายการบัญชีเงินเดือน apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,ดูบันทึกค่าธรรมเนียม @@ -3987,6 +4041,7 @@ DocType: Contract,Fulfilment Status,สถานะ Fulfillment DocType: Lab Test Sample,Lab Test Sample,Lab Test Sample DocType: Item Variant Settings,Allow Rename Attribute Value,อนุญาตให้เปลี่ยนชื่อค่าแอตทริบิวต์ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,วารสารรายการด่วน +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,จำนวนเงินที่จ่ายในอนาคต apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,คุณไม่สามารถเปลี่ยน อัตรา ถ้า BOM กล่าว agianst รายการใด ๆ DocType: Restaurant,Invoice Series Prefix,คำนำหน้าของซีรี่ส์ใบแจ้งหนี้ DocType: Employee,Previous Work Experience,ประสบการณ์การทำงานก่อนหน้า @@ -4016,6 +4071,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,สถานะโครงการ DocType: UOM,Check this to disallow fractions. (for Nos),ตรวจสอบนี้จะไม่อนุญาตให้เศษส่วน (สำหรับ Nos) DocType: Student Admission Program,Naming Series (for Student Applicant),การตั้งชื่อชุด (สำหรับนักศึกษาสมัคร) +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/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,ตารางหน่วยบริการของผู้ประกอบวิชาชีพ @@ -4031,6 +4087,7 @@ DocType: Fiscal Year,Year End Date,วันสิ้นปี 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} ปิดเรียบร้อยแล้ว @@ -4039,6 +4096,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,รับสินค้าปัจจุบัน DocType: Purchase Invoice,ineligible,ไม่มีสิทธิ์ apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,ต้นไม้แห่ง Bill of Materials +DocType: BOM,Exploded Items,รายการระเบิด DocType: Student,Joining Date,วันที่เข้าร่วม ,Employees working on a holiday,พนักงานที่ทำงานในวันหยุด ,TDS Computation Summary,TDS Computation Summary @@ -4071,6 +4129,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),อัตราขั DocType: SMS Log,No of Requested SMS,ไม่มีของ SMS ขอ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,ทิ้งไว้โดยไม่ต้องจ่ายไม่ตรงกับที่ได้รับอนุมัติบันทึกออกจากแอพลิเคชัน apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,ขั้นตอนถัดไป +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,รายการที่บันทึกไว้ DocType: Travel Request,Domestic,ในประเทศ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,กรุณาจัดหารายการที่ระบุในอัตราที่ดีที่สุด apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,ไม่สามารถส่งการโอนพนักงานได้ก่อนวันที่โอนย้าย @@ -4144,7 +4203,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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} แล้ว apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,แถว # {0} (ตารางการชำระเงิน): จำนวนเงินต้องเป็นบวก -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},ไม่สามารถผลิต สินค้า ได้มากขึ้น {0} กว่าปริมาณ การขายสินค้า {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},ไม่สามารถผลิต สินค้า ได้มากขึ้น {0} กว่าปริมาณ การขายสินค้า {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,ไม่มีอะไรรวมอยู่ในขั้นต้น apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,มี e-Way Bill สำหรับเอกสารนี้แล้ว apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,เลือกค่าแอตทริบิวต์ @@ -4179,12 +4238,10 @@ 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,ตั้ง บริษัท -DocType: Shift Type,Enable Different Consequence for Early Exit,เปิดใช้งานผลที่ตามมาที่แตกต่างกันสำหรับการออกก่อน ,Lab Test Report,รายงานการทดสอบห้องปฏิบัติการ DocType: Employee Benefit Application,Employee Benefit Application,ใบสมัครผลประโยชน์ของพนักงาน apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,องค์ประกอบเงินเดือนเพิ่มเติมมีอยู่ DocType: Purchase Invoice,Unregistered,เชลยศักดิ์ -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,กรุณาหมายเหตุการจัดส่งครั้งแรก DocType: Student Applicant,Application Date,วันรับสมัคร DocType: Salary Component,Amount based on formula,จำนวนเงินตามสูตรการคำนวณ DocType: Purchase Invoice,Currency and Price List,สกุลเงินและรายชื่อราคา @@ -4213,6 +4270,7 @@ DocType: Purchase Receipt,Time at which materials were received,เวลาท DocType: Products Settings,Products per Page,ผลิตภัณฑ์ต่อหน้า 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,วันเรียกเก็บค่าใช้จ่าย apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,จำนวนที่จัดสรรไม่สามารถเป็นค่าลบ DocType: Sales Order,Billing Status,สถานะการเรียกเก็บเงิน apps/erpnext/erpnext/public/js/conf.js,Report an Issue,รายงาน ฉบับ @@ -4222,6 +4280,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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} หรือมีอยู่แล้วจับคู่กับบัตรกำนัลอื่น DocType: Supplier Scorecard Criteria,Criteria Weight,เกณฑ์น้ำหนัก +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,บัญชี: {0} ไม่ได้รับอนุญาตภายใต้รายการชำระเงิน DocType: Production Plan,Ignore Existing Projected Quantity,ละเว้นปริมาณที่คาดการณ์ไว้ apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,ออกประกาศการอนุมัติ DocType: Buying Settings,Default Buying Price List,รายการราคาซื้อเริ่มต้น @@ -4230,6 +4289,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},แถว {0}: ป้อนตำแหน่งสำหรับไอเท็มเนื้อหา {1} DocType: Employee Checkin,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.",การตั้ง ค่าเริ่มต้น เช่น บริษัท สกุลเงิน ปัจจุบัน ปีงบประมาณ ฯลฯ DocType: Payment Entry,Payment Type,ประเภท การชำระเงิน apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,โปรดเลือกแบทช์สำหรับรายการ {0} ไม่สามารถหาชุดงานเดี่ยวที่ตอบสนองความต้องการนี้ได้ @@ -4259,6 +4319,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,รถเข็นตั DocType: Journal Entry,Accounting Entries,บัญชีรายการ 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.","หากเลือกกฎการกำหนดราคาสำหรับ 'อัตรา' จะมีการเขียนทับรายการราคา อัตราการกำหนดราคาเป็นอัตราสุดท้ายจึงไม่ควรใช้ส่วนลดเพิ่มเติม ดังนั้นในการทำธุรกรรมเช่นใบสั่งขาย, ใบสั่งซื้อ ฯลฯ จะถูกเรียกใช้ในฟิลด์ 'อัตรา' แทนที่จะเป็น 'ฟิลด์ราคาตามราคา'" +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,โปรดตั้งค่าระบบการตั้งชื่อผู้สอนในด้านการศึกษา> การตั้งค่าการศึกษา DocType: Journal Entry,Paid Loan,เงินกู้ที่ชำระแล้ว 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,วันที่ครบกำหนดอ้างอิง @@ -4275,12 +4336,14 @@ DocType: Shopify Settings,Webhooks Details,รายละเอียด Webhoo apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,ไม่มีแผ่นเวลา DocType: GoCardless Mandate,GoCardless Customer,ลูกค้า GoCardless apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,ฝากประเภท {0} ไม่สามารถดำเนินการส่งต่อ- +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',ตาราง การบำรุงรักษา ที่ไม่ได้ สร้างขึ้นสำหรับ รายการทั้งหมด กรุณา คลิกที่ 'สร้าง ตาราง ' ,To Produce,ในการ ผลิต DocType: Leave Encashment,Payroll,บัญชีเงินเดือน 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} จะต้องรวม DocType: Healthcare Service Unit,Parent Service Unit,หน่วยบริการผู้ปกครอง DocType: Packing Slip,Identification of the package for the delivery (for print),บัตรประจำตัวของแพคเกจสำหรับการส่งมอบ (สำหรับพิมพ์) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,ข้อตกลงระดับการบริการถูกรีเซ็ต DocType: Bin,Reserved Quantity,จำนวนสงวน apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,โปรดป้อนที่อยู่อีเมลที่ถูกต้อง apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,โปรดป้อนที่อยู่อีเมลที่ถูกต้อง @@ -4302,7 +4365,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,ราคาหรือส่วนลดสินค้า apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,สำหรับแถว {0}: ป้อนจำนวนที่วางแผนไว้ DocType: Account,Income Account,บัญชีรายได้ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> อาณาเขต DocType: Payment Request,Amount in customer's currency,จำนวนเงินในสกุลเงินของลูกค้า apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,การจัดส่งสินค้า apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,การกำหนดโครงสร้าง ... @@ -4325,6 +4387,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,อ้าง 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?,คุณจะสูญเสียบันทึกของใบแจ้งหนี้ที่สร้างขึ้นก่อนหน้านี้ แน่ใจหรือไม่ว่าคุณต้องการรีสตาร์ทการสมัครรับข้อมูลนี้ @@ -4380,11 +4443,10 @@ DocType: Additional Salary,HR User,ผู้ใช้งานทรัพยา DocType: Bank Guarantee,Reference Document Name,ชื่อเอกสารอ้างอิง DocType: Purchase Invoice,Taxes and Charges Deducted,ภาษีและค่าบริการหัก DocType: Support Settings,Issues,ปัญหา -DocType: Shift Type,Early Exit Consequence after,ออกก่อนกำหนดผลที่ตามมาหลังจาก DocType: Loyalty Program,Loyalty Program Name,ชื่อโปรแกรมความภักดี apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},สถานะ ต้องเป็นหนึ่งใน {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,คำเตือนเพื่ออัปเดต GSTIN Sent -DocType: Sales Invoice,Debit To,เดบิตเพื่อ +DocType: Discounted Invoice,Debit To,เดบิตเพื่อ DocType: Restaurant Menu Item,Restaurant Menu Item,รายการเมนูร้านอาหาร DocType: Delivery Note,Required only for sample item.,ที่จำเป็นสำหรับรายการตัวอย่าง DocType: Stock Ledger Entry,Actual Qty After Transaction,จำนวนที่เกิดขึ้นจริงหลังทำรายการ @@ -4467,6 +4529,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,ชื่อพา apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,ทิ้งไว้เพียงการประยุกต์ใช้งานที่มีสถานะ 'อนุมัติ' และ 'ปฏิเสธ' สามารถส่ง apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,กำลังสร้างมิติ ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},นักศึกษาชื่อกลุ่มมีผลบังคับใช้ในแถว {0} +DocType: Customer Credit Limit,Bypass credit limit_check,บายพาสเครดิต limit_check DocType: Homepage,Products to be shown on website homepage,ผลิตภัณฑ์ที่จะแสดงบนหน้าแรกของเว็บไซต์ DocType: HR Settings,Password Policy,นโยบายรหัสผ่าน apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,นี่คือกลุ่ม ลูกค้าราก และ ไม่สามารถแก้ไขได้ @@ -4526,10 +4589,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),ห apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,โปรดตั้งค่าลูกค้าเริ่มต้นในการตั้งค่าร้านอาหาร ,Salary Register,เงินเดือนที่ต้องการสมัครสมาชิก DocType: Company,Default warehouse for Sales Return,คลังสินค้าเริ่มต้นสำหรับการคืนสินค้า -DocType: Warehouse,Parent Warehouse,คลังสินค้าผู้ปกครอง +DocType: Pick List,Parent Warehouse,คลังสินค้าผู้ปกครอง DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},ไม่พบรายการ BOM เริ่มต้นสำหรับรายการ {0} และโครงการ {1} +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 @@ -4566,6 +4629,7 @@ DocType: Travel Itinerary,Lodging Required,ต้องการที่พั DocType: Promotional Scheme,Price Discount Slabs,แผ่นพื้นลดราคา DocType: Stock Reconciliation Item,Current Serial No,หมายเลขซีเรียลปัจจุบัน DocType: Employee,Attendance and Leave Details,รายละเอียดการเข้าร่วมและออกจาก +,BOM Comparison Tool,เครื่องมือเปรียบเทียบ BOM ,Requested,ร้องขอ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,หมายเหตุไม่มี DocType: Asset,In Maintenance,ในการบำรุงรักษา @@ -4588,6 +4652,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,ข้อตกลงระดับบริการเริ่มต้น DocType: SG Creation Tool Course,Course Code,รหัสรายวิชา apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,ไม่อนุญาตให้เลือกมากกว่าหนึ่งรายการสำหรับ {0} +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,ปริมาณของวัตถุดิบจะถูกตัดสินตามจำนวนของสินค้าสำเร็จรูป DocType: Location,Parent Location,ที่ตั้งหลัก DocType: POS Settings,Use POS in Offline Mode,ใช้ POS ในโหมดออฟไลน์ apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,ลำดับความสำคัญถูกเปลี่ยนเป็น {0} @@ -4606,7 +4671,7 @@ DocType: Stock Settings,Sample Retention Warehouse,ตัวอย่างค DocType: Company,Default Receivable Account,บัญชีเริ่มต้นลูกหนี้ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,สูตรปริมาณที่คาดการณ์ DocType: Sales Invoice,Deemed Export,ถือว่าส่งออก -DocType: Stock Entry,Material Transfer for Manufacture,โอนวัสดุสำหรับการผลิต +DocType: Pick List,Material Transfer for Manufacture,โอนวัสดุสำหรับการผลิต 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.,ร้อยละส่วนลดสามารถนำไปใช้อย่างใดอย่างหนึ่งกับราคาหรือราคาตามรายการทั้งหมด apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,เข้าบัญชีสำหรับสต็อก DocType: Lab Test,LabTest Approver,ผู้ประเมิน LabTest @@ -4649,7 +4714,6 @@ DocType: Training Event,Theory,ทฤษฎี apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,คำเตือน: ขอ วัสดุ จำนวน น้อยกว่า จำนวน สั่งซื้อขั้นต่ำ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,บัญชี {0} จะถูก แช่แข็ง DocType: Quiz Question,Quiz Question,คำถามตอบคำถาม -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,ผู้ผลิต> ประเภทผู้จัดจำหน่าย 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","อาหาร, เครื่องดื่ม และ ยาสูบ" @@ -4680,6 +4744,7 @@ 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,รายการที่เผยแพร่ DocType: Account,Expense Account,บัญชีค่าใช้จ่าย apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,ซอฟต์แวร์ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,สี @@ -4718,6 +4783,7 @@ 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,สร้างธุรกรรมธนาคารทั้งหมดแล้ว DocType: Fee Validity,Visited yet,เยี่ยมชมแล้ว +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,คุณสามารถนำเสนอได้ไม่เกิน 8 รายการ 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.,บ่อยครั้งที่โครงการและ บริษัท ควรได้รับการปรับปรุงตามธุรกรรมการขาย @@ -4725,7 +4791,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,อุณหภูมิในการจัดเก็บ @@ -4750,7 +4815,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,การแปล DocType: Contract,Signee Details,Signee รายละเอียด apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",ขณะนี้ {0} มีสถานะ {1} Scorecard ของผู้จัดหาและ RFQs สำหรับผู้จัดจำหน่ายรายนี้ควรได้รับการเตือนด้วยความระมัดระวัง DocType: Certified Consultant,Non Profit Manager,ผู้จัดการฝ่ายกำไร -DocType: BOM,Total Cost(Company Currency),ค่าใช้จ่ายรวม ( บริษัท สกุล) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,อนุกรม ไม่มี {0} สร้าง DocType: Homepage,Company Description for website homepage,รายละเอียด บริษัท สำหรับหน้าแรกของเว็บไซต์ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",เพื่อความสะดวกของลูกค้า รหัสเหล่านี้จะถูกใช้ในการพิมพ์เอกสาร เช่น ใบแจ้งหนี้ และใบนำส่งสินค้า @@ -4779,7 +4843,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,ราย DocType: Amazon MWS Settings,Enable Scheduled Synch,เปิดใช้งานซิงโครไนซ์ตามกำหนดการ apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,เพื่อ Datetime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,บันทึกการรักษาสถานะการจัดส่งทาง SMS -DocType: Shift Type,Early Exit Consequence,ผลออกก่อนกำหนด DocType: Accounts Settings,Make Payment via Journal Entry,ชำระเงินผ่านวารสารรายการ apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,โปรดอย่าสร้างมากกว่า 500 รายการในเวลาเดียวกัน apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,พิมพ์บน @@ -4836,6 +4899,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,จำกัด 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,ลับ +DocType: Plaid Settings,Plaid Secret,ลายลับ DocType: Company,Date of Establishment,วันที่ก่อตั้ง apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,บริษัท ร่วมทุน apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,ระยะทางวิชาการกับเรื่องนี้ 'ปีการศึกษา' {0} และ 'ระยะชื่อ' {1} อยู่แล้ว โปรดแก้ไขรายการเหล่านี้และลองอีกครั้ง @@ -4898,6 +4962,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,ประเภทลูกค้า DocType: Compensatory Leave Request,Leave Allocation,การจัดสรรการลา DocType: Payment Request,Recipient Message And Payment Details,ผู้รับข้อความและรายละเอียดการชำระเงิน +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,กรุณาเลือกใบส่งมอบ DocType: Support Search Source,Source DocType,DocType แหล่งที่มา apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,เปิดตั๋วใหม่ DocType: Training Event,Trainer Email,เทรนเนอร์อีเมล์ @@ -5020,6 +5085,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','จาก วันที่ ' ต้อง เป็นหลังจากที่ ' นัด ' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,ไม่มีแผนการจัดหาพนักงานสำหรับการกำหนดนี้ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,ชุด {0} ของรายการ {1} ถูกปิดใช้งาน @@ -5041,7 +5107,7 @@ DocType: Clinical Procedure,Patient,ผู้ป่วย apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,ตรวจสอบเครดิตการเบิกจ่ายตามใบสั่งขาย DocType: Employee Onboarding Activity,Employee Onboarding Activity,กิจกรรมการเปิดรับพนักงาน DocType: Location,Check if it is a hydroponic unit,ตรวจสอบว่าเป็นหน่วย hydroponic หรือไม่ -DocType: Stock Reconciliation Item,Serial No and Batch,ไม่มี Serial และแบทช์ +DocType: Pick List Item,Serial No and Batch,ไม่มี Serial และแบทช์ DocType: Warranty Claim,From Company,จาก บริษัท DocType: GSTR 3B Report,January,มกราคม apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,ผลรวมของคะแนนของเกณฑ์การประเมินจะต้อง {0} @@ -5066,7 +5132,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,ไม่พบ {0} รายการระหว่าง บริษัท -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,เช่ารถ apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,เกี่ยวกับ บริษัท ของคุณ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,เครดิตไปยังบัญชีจะต้องเป็นบัญชีงบดุล @@ -5099,11 +5164,13 @@ apps/erpnext/erpnext/config/accounting.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,การจัดการลูกค้าสัมพันธ์ 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,ยังไม่มีข้อความ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,ที่เหลืออยู่ DocType: Appraisal,Appraisal,การตีราคา DocType: Loan,Loan Account,บัญชีเงินกู้ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,ฟิลด์ที่ใช้ได้จากและไม่เกินนั้นใช้ได้สำหรับการสะสม +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",สำหรับรายการ {0} ที่แถว {1} การนับหมายเลขซีเรียลไม่ตรงกับปริมาณที่เลือก DocType: Purchase Invoice,GST Details,รายละเอียด GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,นี้ขึ้นอยู่กับการทำธุรกรรมกับผู้ประกอบการด้านการดูแลสุขภาพรายนี้ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},อีเมลที่ส่งถึงผู้จัดจำหน่าย {0} @@ -5167,6 +5234,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),น้ำหนักรวมของแพคเกจ น้ำหนักสุทธิปกติ + น้ำหนักวัสดุบรรจุภัณฑ์ (สำหรับพิมพ์) DocType: Assessment Plan,Program,โครงการ DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,ผู้ใช้ที่มี บทบาทนี้ ได้รับอนุญาตให้ตั้ง บัญชีแช่แข็งและ สร้าง / แก้ไข รายการบัญชี ในบัญชีแช่แข็ง +DocType: Plaid Settings,Plaid Environment,สภาพแวดล้อมลายสก๊อต ,Project Billing Summary,สรุปการเรียกเก็บเงินโครงการ DocType: Vital Signs,Cuts,ตัด DocType: Serial No,Is Cancelled,เป็นยกเลิก @@ -5229,7 +5297,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,หมายเหตุ : ระบบ จะไม่ตรวจสอบ มากกว่าการ ส่งมอบและ มากกว่าการ จอง รายการ {0} เป็น ปริมาณ หรือจำนวน เป็น 0 DocType: Issue,Opening Date,เปิดวันที่ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,โปรดบันทึกผู้ป่วยก่อน -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,ทำการติดต่อใหม่ apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,ผู้เข้าร่วมได้รับการประสบความสำเร็จในการทำเครื่องหมาย DocType: Program Enrollment,Public Transport,การคมนาคมสาธารณะ DocType: Sales Invoice,GST Vehicle Type,ประเภทรถยนต์ GST @@ -5256,6 +5323,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,ตั๋ DocType: POS Profile,Write Off Account,เขียนทันทีบัญชี DocType: Patient Appointment,Get prescribed procedures,รับขั้นตอนที่กำหนด DocType: Sales Invoice,Redemption Account,บัญชีการไถ่ถอน +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,เพิ่มรายการแรกในตารางตำแหน่งรายการ DocType: Pricing Rule,Discount Amount,จำนวน ส่วนลด DocType: Pricing Rule,Period Settings,การตั้งค่าระยะเวลา DocType: Purchase Invoice,Return Against Purchase Invoice,กลับไปกับการซื้อใบแจ้งหนี้ @@ -5288,7 +5356,6 @@ DocType: Assessment Plan,Assessment Plan,แผนการประเมิน DocType: Travel Request,Fully Sponsored,สนับสนุนอย่างเต็มที่ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Reverse Journal Entry apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,สร้างการ์ดงาน -DocType: Shift Type,Consequence after,ผลที่ตามมาหลังจาก DocType: Quality Procedure Process,Process Description,คำอธิบายกระบวนการ apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,สร้างลูกค้า {0} แล้ว apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,ไม่มีคลังสินค้าในคลังสินค้าใด ๆ @@ -5323,6 +5390,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,วันที่กวา DocType: Delivery Settings,Dispatch Notification Template,เทมเพลตการแจ้งเตือนการจัดส่ง apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,รายงานการประเมินผล apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,รับพนักงาน +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,ลักษณะ ของ ที่อยู่ @@ -5416,7 +5484,6 @@ DocType: Stock Settings,Use Naming Series,ใช้ Naming Series apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,ไม่มีการตอบสนอง apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,ค่าใช้จ่ายประเภทการประเมินไม่สามารถทำเครื่องหมายเป็น Inclusive DocType: POS Profile,Update Stock,อัพเดทสต็อก -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ที่แตกต่างกัน สำหรับรายการที่ จะ นำไปสู่การ ที่ไม่ถูกต้อง ( รวม ) ค่า น้ำหนักสุทธิ ให้แน่ใจว่า น้ำหนักสุทธิ ของแต่ละรายการ ที่อยู่ในUOM เดียวกัน DocType: Certification Application,Payment Details,รายละเอียดการชำระเงิน apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,อัตรา BOM @@ -5452,7 +5519,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,นี้เป็น คนขาย ราก และ ไม่สามารถแก้ไขได้ DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",หากเลือกค่าที่ระบุหรือคำนวณในองค์ประกอบนี้จะไม่นำไปสู่รายได้หรือการหักเงิน อย่างไรก็ตามค่านี้สามารถอ้างอิงโดยส่วนประกอบอื่น ๆ ที่สามารถเพิ่มหรือหักล้างได้ DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",หากเลือกค่าที่ระบุหรือคำนวณในองค์ประกอบนี้จะไม่นำไปสู่รายได้หรือการหักเงิน อย่างไรก็ตามค่านี้สามารถอ้างอิงโดยส่วนประกอบอื่น ๆ ที่สามารถเพิ่มหรือหักล้างได้ -DocType: Asset Settings,Number of Days in Fiscal Year,จำนวนวันในปีงบประมาณ ,Stock Ledger,บัญชีแยกประเภทสินค้า DocType: Company,Exchange Gain / Loss Account,กำไรจากอัตราแลกเปลี่ยน / บัญชีการสูญเสีย DocType: Amazon MWS Settings,MWS Credentials,ข้อมูลรับรอง MWS @@ -5488,6 +5554,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,คอลัมน์ในไฟล์ธนาคาร apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},ปล่อยให้แอปพลิเคชัน {0} มีอยู่แล้วสำหรับนักเรียน {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,จัดคิวเพื่ออัปเดตราคาล่าสุดในบิลวัสดุทั้งหมด อาจใช้เวลาสักครู่ +DocType: Pick List,Get Item Locations,รับตำแหน่งรายการ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,ชื่อของบัญชีใหม่ หมายเหตุ: กรุณาอย่าสร้างบัญชีสำหรับลูกค้าและผู้จำหน่าย DocType: POS Profile,Display Items In Stock,แสดงรายการในสต็อก apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,แม่แบบของประเทศที่อยู่เริ่มต้นอย่างชาญฉลาด @@ -5511,6 +5578,7 @@ DocType: Crop,Materials Required,ต้องใช้วัสดุ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,ไม่พบนักเรียน DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,ได้รับการยกเว้น HRA รายเดือน DocType: Clinical Procedure,Medical Department,แผนกการแพทย์ +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,ยอดรวมก่อนออก DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,เกณฑ์การให้คะแนนของ Scorecard ของผู้จัดหา apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,ใบแจ้งหนี้วันที่โพสต์ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,ขาย @@ -5522,11 +5590,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","โปรดลบพนักงาน {0} \ เพื่อยกเลิกเอกสารนี้" DocType: Program Enrollment,School House,โรงเรียนบ้าน DocType: Serial No,Out of AMC,ออกของ AMC DocType: Opportunity,Opportunity Amount,จำนวนโอกาส +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,โปรไฟล์ของคุณ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,จำนวนค่าเสื่อมราคาจองไม่สามารถจะสูงกว่าจำนวนค่าเสื่อมราคา DocType: Purchase Order,Order Confirmation Date,วันที่ยืนยันการสั่งซื้อ DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5620,7 +5687,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",มีความไม่สอดคล้องกันระหว่างอัตราจำนวนหุ้นและจำนวนที่คำนวณ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,คุณไม่มีวันอยู่ระหว่างวันที่ขอชดเชยการลาออก apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,กรุณาชื่อ บริษัท อีกครั้งเพื่อยืนยันชนิด -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,รวมที่โดดเด่น Amt DocType: Journal Entry,Printing Settings,การตั้งค่าการพิมพ์ DocType: Payment Order,Payment Order Type,ประเภทคำสั่งจ่ายเงิน DocType: Employee Advance,Advance Account,บัญชี Advance @@ -5710,7 +5776,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,ชื่อปี apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,มี วันหยุด มากขึ้นกว่าที่ เป็น วันทำการ ในเดือนนี้ apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,รายการต่อไปนี้ {0} ไม่ได้ทำเครื่องหมายเป็น {1} รายการ คุณสามารถเปิดใช้งานรายการเป็น {1} รายการจากต้นแบบรายการ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Bundle รายการสินค้า DocType: Sales Partner,Sales Partner Name,ชื่อพันธมิตรขาย apps/erpnext/erpnext/hooks.py,Request for Quotations,การขอใบเสนอราคา @@ -5719,7 +5784,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,รายการทดสอบปกติ DocType: QuickBooks Migrator,Company Settings,การตั้งค่าของ บริษัท DocType: Additional Salary,Overwrite Salary Structure Amount,เขียนทับโครงสร้างเงินเดือน -apps/erpnext/erpnext/config/hr.py,Leaves,ใบไม้ +DocType: Leave Ledger Entry,Leaves,ใบไม้ DocType: Student Language,Student Language,ภาษานักศึกษา DocType: Cash Flow Mapping,Is Working Capital,เป็นเงินทุนหมุนเวียน apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,ส่งหลักฐาน @@ -5727,12 +5792,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,คำสั่งซื้อ / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,บันทึกข้อมูลผู้ป่วย DocType: Fee Schedule,Institution,สถาบัน -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: Asset,Partially Depreciated,Depreciated บางส่วน DocType: Issue,Opening Time,เปิดเวลา apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,จากและถึง วันที่คุณต้องการ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,หลักทรัพย์และ การแลกเปลี่ยน สินค้าโภคภัณฑ์ -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},สรุปการโทรโดย {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,ค้นหาเอกสาร apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',เริ่มต้นหน่วยวัดสำหรับตัวแปร '{0}' จะต้องเป็นเช่นเดียวกับในแม่แบบ '{1}' DocType: Shipping Rule,Calculate Based On,การคำนวณพื้นฐานตาม @@ -5779,6 +5842,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,ค่าที่อนุญาตสูงสุด DocType: Journal Entry Account,Employee Advance,พนักงานล่วงหน้า DocType: Payroll Entry,Payroll Frequency,เงินเดือนความถี่ +DocType: Plaid Settings,Plaid Client ID,ID ไคลเอ็นต์ Plaid DocType: Lab Test Template,Sensitivity,ความไวแสง DocType: Plaid Settings,Plaid Settings,การตั้งค่าลายสก๊อต apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,การซิงค์ถูกปิดใช้งานชั่วคราวเนื่องจากมีการลองใหม่เกินแล้ว @@ -5796,6 +5860,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,กรุณาเลือกวันที่โพสต์แรก apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,เปิดวันที่ควรเป็นก่อนที่จะปิดวันที่ DocType: Travel Itinerary,Flight,เที่ยวบิน +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,กลับไปที่บ้าน DocType: Leave Control Panel,Carry Forward,Carry Forward apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,ศูนย์ต้นทุน กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น บัญชีแยกประเภท DocType: Budget,Applicable on booking actual expenses,สามารถใช้ในการจองค่าใช้จ่ายจริง @@ -5851,6 +5916,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,สร้าง apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,คุณไม่ได้รับอนุญาตในการอนุมัติวันลา ในวันที่ถูกบล็อก apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} คำขอสำหรับ {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,รายการทั้งหมด เหล่านี้ได้รับ ใบแจ้งหนี้ แล้ว +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,ไม่พบใบแจ้งหนี้คงค้างสำหรับ {0} {1} ซึ่งมีคุณสมบัติตัวกรองที่คุณระบุ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,กำหนดวันที่เผยแพร่ใหม่ DocType: Company,Monthly Sales Target,เป้าหมายการขายรายเดือน apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,ไม่พบใบแจ้งหนี้ที่โดดเด่น @@ -5898,6 +5964,7 @@ DocType: Batch,Source Document Name,ชื่อเอกสารต้นท DocType: Batch,Source Document Name,ชื่อเอกสารต้นทาง DocType: Production Plan,Get Raw Materials For Production,รับวัตถุดิบสำหรับการผลิต DocType: Job Opening,Job Title,ตำแหน่งงาน +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,การจ่ายเงินในอนาคต apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.",{0} ระบุว่า {1} จะไม่ให้ใบเสนอราคา แต่มีการยกรายการทั้งหมด \ quot กำลังอัปเดตสถานะใบเสนอราคา RFQ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,ตัวอย่างสูงสุด - {0} ถูกเก็บไว้สำหรับ Batch {1} และ Item {2} ใน Batch {3} แล้ว @@ -5908,12 +5975,10 @@ 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: Company,Product Code,รหัสสินค้า DocType: Quality Review Table,Objective,วัตถุประสงค์ DocType: Supplier Scorecard,Per Month,ต่อเดือน DocType: Education Settings,Make Academic Term Mandatory,กำหนดระยะเวลาการศึกษา -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,ปริมาณการผลิตจะต้องมากกว่า 0 -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,คำนวณหาค่าเสื่อมราคาตามสัดส่วนที่กำหนดในแต่ละปี +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,ปริมาณการผลิตจะต้องมากกว่า 0 apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,เยี่ยมชมรายงานสำหรับการบำรุงรักษาโทร DocType: Stock Entry,Update Rate and Availability,ปรับปรุงอัตราและความพร้อมใช้งาน 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 หน่วย @@ -5925,7 +5990,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,วันที่วางจำหน่ายจะต้องเป็นวันที่ในอนาคต DocType: BOM,Website Description,คำอธิบายเว็บไซต์ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,เปลี่ยนแปลงสุทธิในส่วนของเจ้าของ -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,กรุณายกเลิกการซื้อใบแจ้งหนี้ {0} แรก apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,ไม่อนุญาต โปรดปิดใช้งานประเภทหน่วยบริการ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}",อีเมล์ต้องไม่ซ้ำกันอยู่แล้วสำหรับ {0} DocType: Serial No,AMC Expiry Date,วันที่หมดอายุ AMC @@ -5969,6 +6033,7 @@ DocType: Pricing Rule,Price Discount Scheme,โครงการส่วนล apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,สถานะการบำรุงรักษาต้องถูกยกเลิกหรือเสร็จสมบูรณ์เพื่อส่ง DocType: Amazon MWS Settings,US,เรา DocType: Holiday List,Add Weekly Holidays,เพิ่มวันหยุดประจำสัปดาห์ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,รายการรายงาน DocType: Staffing Plan Detail,Vacancies,ตำแหน่งงานว่าง DocType: Hotel Room,Hotel Room,ห้องพักโรงแรม apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},บัญชี {0} ไม่ได้เป็นของ บริษัท {1} @@ -6020,12 +6085,15 @@ DocType: Email Digest,Open Quotations,เปิดใบเสนอราคา 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","โปรดลบพนักงาน {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,จํานวนเงินขั้นพื้นฐาน @@ -6039,6 +6107,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,ว่าง DocType: Patient,Alcohol Past Use,การใช้แอลกอฮอล์ในอดีต DocType: Fertilizer Content,Fertilizer Content,เนื้อหาปุ๋ย +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,ไม่มีคำอธิบาย apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,สถานะ เรียกเก็บเงิน DocType: Quality Goal,Monitoring Frequency,การตรวจสอบความถี่ @@ -6056,6 +6125,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,สิ้นสุดวันที่ไม่สามารถอยู่ได้ก่อนวันที่ติดต่อถัดไป apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,รายการแบทช์ DocType: Journal Entry,Pay To / Recd From,จ่ายให้ Recd / จาก +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,ยกเลิกการเผยแพร่รายการ DocType: Naming Series,Setup Series,ชุดติดตั้ง DocType: Payment Reconciliation,To Invoice Date,วันที่ออกใบแจ้งหนี้ DocType: Bank Account,Contact HTML,HTML ติดต่อ @@ -6077,6 +6147,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,ค้าปลีก DocType: Student Attendance,Absent,ขาด DocType: Staffing Plan,Staffing Plan Detail,รายละเอียดแผนการจัดหาพนักงาน DocType: Employee Promotion,Promotion Date,วันที่โปรโมชัน +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,ออกจากการจัดสรร% s ถูกเชื่อมโยงกับลาแอปพลิเคชัน% s 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} @@ -6111,9 +6182,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,ใบแจ้งหนี้ {0} ไม่มีอยู่แล้ว DocType: Guardian Interest,Guardian Interest,ผู้ปกครองที่น่าสนใจ DocType: Volunteer,Availability,ความพร้อมใช้งาน +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,ปล่อยให้แอ็พพลิเคชันเชื่อมโยงกับการจัดสรรการลา {0} ไม่สามารถตั้งค่าการลาได้เนื่องจากไม่ได้จ่าย apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,ตั้งค่าเริ่มต้นสำหรับใบแจ้งหนี้ POS DocType: Employee Training,Training,การอบรม DocType: Project,Time to send,เวลาที่จะส่ง +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,หน้านี้ติดตามรายการของคุณที่ผู้ซื้อให้ความสนใจ 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 @@ -6214,12 +6287,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,ราคาเปิด DocType: Salary Component,Formula,สูตร apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรมนุษย์> การตั้งค่าทรัพยากรบุคคล 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/setup/doctype/company/company.py,Sales Account,บัญชีขาย DocType: Purchase Invoice Item,Total Weight,น้ำหนักรวม +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} @@ -6243,6 +6316,7 @@ DocType: Company,Default Employee Advance Account,บัญชี Advance Employ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),ค้นหารายการ (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,บัญชี ที่มีอยู่ กับการทำธุรกรรม ไม่สามารถลบได้ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,ทำไมคิดว่าควรลบรายการนี้ DocType: Vehicle,Last Carbon Check,ตรวจสอบคาร์บอนล่าสุด apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,ค่าใช้จ่ายทางกฎหมาย apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,โปรดเลือกปริมาณในแถว @@ -6262,6 +6336,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,การเสีย DocType: Travel Itinerary,Vegetarian,มังสวิรัติ DocType: Patient Encounter,Encounter Date,พบวันที่ +DocType: Work Order,Update Consumed Material Cost In Project,อัพเดทต้นทุนวัสดุสิ้นเปลืองในโครงการ apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,บัญชี: {0} กับสกุลเงิน: {1} ไม่สามารถเลือกได้ DocType: Bank Statement Transaction Settings Item,Bank Data,ข้อมูลธนาคาร DocType: Purchase Receipt Item,Sample Quantity,ตัวอย่างปริมาณ @@ -6316,7 +6391,7 @@ DocType: GSTR 3B Report,April,เมษายน DocType: Plant Analysis,Collection Datetime,คอลเล็กชัน Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,ค่าใช้จ่ายการดำเนินงานรวม -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,หมายเหตุ : รายการ {0} เข้ามา หลายครั้ง +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,หมายเหตุ : รายการ {0} เข้ามา หลายครั้ง apps/erpnext/erpnext/config/buying.py,All Contacts.,ติดต่อทั้งหมด DocType: Accounting Period,Closed Documents,เอกสารที่ปิดแล้ว DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,จัดการการนัดหมายใบแจ้งหนี้ส่งและยกเลิกโดยอัตโนมัติสำหรับผู้ป่วยพบ @@ -6398,9 +6473,7 @@ DocType: Member,Membership Type,ประเภทสมาชิก ,Reqd By Date,reqd โดยวันที่ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,เจ้าหนี้ DocType: Assessment Plan,Assessment Name,ชื่อการประเมิน -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,แสดง PDC ใน Print apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,แถว # {0}: ไม่มีอนุกรมมีผลบังคับใช้ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,ไม่พบใบแจ้งหนี้คงค้างสำหรับ {0} {1} DocType: Purchase Taxes and Charges,Item Wise Tax Detail,รายการ ฉลาด รายละเอียด ภาษี DocType: Employee Onboarding,Job Offer,เสนองาน apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,สถาบันชื่อย่อ @@ -6459,6 +6532,7 @@ DocType: Serial No,Out of Warranty,ออกจากการรับประ DocType: Bank Statement Transaction Settings Item,Mapped Data Type,ประเภทข้อมูลที่แมป DocType: BOM Update Tool,Replace,แทนที่ apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,ไม่พบผลิตภัณฑ์ +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,เผยแพร่รายการเพิ่มเติม apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},ข้อตกลงระดับการให้บริการนี้เฉพาะสำหรับลูกค้า {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} กับการขายใบแจ้งหนี้ {1} DocType: Antibiotic,Laboratory User,ผู้ใช้ห้องปฏิบัติการ @@ -6481,7 +6555,6 @@ DocType: Payment Order Reference,Bank Account Details,รายละเอี DocType: Purchase Order Item,Blanket Order,คำสั่งซื้อแบบครอบคลุม 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,สินทรัพย์ ภาษี -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},ใบสั่งผลิตแบบไม่ต่อเนื่อง {0} DocType: BOM Item,BOM No,BOM ไม่มี 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,ค่าเฉลี่ยเคลื่อนที่ @@ -6555,6 +6628,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),วัสดุที่ต้องเสียภาษีนอกเขต (จัดอันดับเป็นศูนย์) DocType: BOM,Materials Required (Exploded),วัสดุบังคับ (ระเบิด) 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/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,โพสต์วันที่ไม่สามารถเป็นวันที่ในอนาคต @@ -6612,7 +6686,6 @@ DocType: Pricing Rule,Same Item,รายการเดียวกัน DocType: Stock Ledger Entry,Stock Ledger Entry,รายการสินค้าบัญชีแยกประเภท DocType: Quality Action Resolution,Quality Action Resolution,การดำเนินการที่มีคุณภาพ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} ในวันที่ครึ่งวันปล่อยให้วันที่ {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,รายการเดียวกันได้รับการป้อนหลายครั้ง DocType: Department,Leave Block List,ฝากรายการบล็อก DocType: Purchase Invoice,Tax ID,เลขประจำตัวผู้เสียภาษี apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,รายการที่ {0} ไม่ได้ ติดตั้งสำหรับ คอลัมน์ อนุกรม เลขที่ จะต้องมี ที่ว่างเปล่า @@ -6650,7 +6723,7 @@ 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} เป็นคนพิการหรือไม่มีอยู่ DocType: Purchase Invoice,Return,กลับ -DocType: Accounting Dimension,Disable,ปิดการใช้งาน +DocType: Account,Disable,ปิดการใช้งาน apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,โหมดการชำระเงินจะต้องชำระเงิน DocType: Task,Pending Review,รอตรวจทาน apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","แก้ไขในแบบเต็มหน้าสำหรับตัวเลือกเพิ่มเติมเช่นสินทรัพย์, nos อนุกรม ฯลฯ แบทช์" @@ -6764,7 +6837,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,ส่วนใบแจ้งหนี้รวมต้องเท่ากับ 100% DocType: Item Default,Default Expense Account,บัญชีค่าใช้จ่ายเริ่มต้น DocType: GST Account,CGST Account,บัญชี CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,อีเมล์ ID นักศึกษา DocType: Employee,Notice (days),แจ้งให้ทราบล่วงหน้า (วัน) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS ใบแจ้งหนี้ปิดบัญชี @@ -6775,6 +6847,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,เลือกรายการที่จะบันทึกในใบแจ้งหนี้ DocType: Employee,Encashment Date,วันที่การได้เป็นเงินสด DocType: Training Event,Internet,อินเทอร์เน็ต +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,ข้อมูลผู้ขาย DocType: Special Test Template,Special Test Template,เทมเพลตการทดสอบพิเศษ DocType: Account,Stock Adjustment,การปรับ สต็อก apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},ค่าใช้จ่ายเริ่มต้นกิจกรรมที่มีอยู่สำหรับประเภทกิจกรรม - {0} @@ -6787,7 +6860,6 @@ 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 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: Company,Bank Remittance Settings,การตั้งค่าการโอนเงินผ่านธนาคาร apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,อัตราเฉลี่ย 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","รายการที่ลูกค้าให้ไว้" ไม่สามารถมีอัตราการประเมินค่าได้ @@ -6815,6 +6887,7 @@ DocType: Grading Scale Interval,Threshold,ธรณีประตู apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),กรองพนักงานโดย (ไม่จำเป็น) DocType: BOM Update Tool,Current BOM,BOM ปัจจุบัน apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),ยอดคงเหลือ (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,จำนวนสินค้าสำเร็จรูป apps/erpnext/erpnext/public/js/utils.js,Add Serial No,เพิ่ม หมายเลขซีเรียล DocType: Work Order Item,Available Qty at Source Warehouse,จำนวนที่มีอยู่ที่ Source Warehouse apps/erpnext/erpnext/config/support.py,Warranty,การรับประกัน @@ -6893,7 +6966,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ที่นี่คุณสามารถรักษาความสูงน้ำหนัก, ภูมิแพ้, ฯลฯ ปัญหาด้านการแพทย์" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,กำลังสร้างบัญชี ... DocType: Leave Block List,Applies to Company,นำไปใช้กับ บริษัท -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,ไม่สามารถยกเลิก ได้เพราะ ส่ง สินค้า เข้า {0} มีอยู่ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,ไม่สามารถยกเลิก ได้เพราะ ส่ง สินค้า เข้า {0} มีอยู่ DocType: Loan,Disbursement Date,วันที่เบิกจ่าย DocType: Service Level Agreement,Agreement Details,รายละเอียดข้อตกลง apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,วันที่เริ่มต้นของข้อตกลงต้องไม่มากกว่าหรือเท่ากับวันที่สิ้นสุด @@ -6902,6 +6975,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,บันทึกการแพทย์ DocType: Vehicle,Vehicle,พาหนะ DocType: Purchase Invoice,In Words,จำนวนเงิน (ตัวอักษร) +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,ถึงวันที่จะต้องมาก่อนจากวันที่ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,ป้อนชื่อธนาคารหรือสถาบันสินเชื่อก่อนส่ง apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,ต้องส่ง {0} รายการ DocType: POS Profile,Item Groups,กลุ่มรายการ @@ -6974,7 +7048,6 @@ DocType: Customer,Sales Team Details,ขายรายละเอียดท apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,ลบอย่างถาวร? DocType: Expense Claim,Total Claimed Amount,จำนวนรวมอ้าง apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,โอกาสที่มีศักยภาพสำหรับการขาย -DocType: Plaid Settings,Link a new bank account,เชื่อมโยงบัญชีธนาคารใหม่ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} เป็นสถานะการเข้าร่วมที่ไม่ถูกต้อง DocType: Shareholder,Folio no.,Folio no. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},ไม่ถูกต้อง {0} @@ -6990,7 +7063,6 @@ DocType: Production Plan,Material Requested,ต้องการวัสดุ DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,จำนวนสำรองสำหรับสัญญาย่อย DocType: Patient Service Unit,Patinet Service Unit,Patinet Service Unit -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,สร้างไฟล์ข้อความ DocType: Sales Invoice,Base Change Amount (Company Currency),ฐานจำนวนเปลี่ยน (สกุลเงินบริษัท) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,ไม่มี รายการบัญชี สำหรับคลังสินค้า ดังต่อไปนี้ apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},เฉพาะ {0} หุ้นสำหรับสินค้า {1} @@ -7004,6 +7076,7 @@ DocType: Item,No of Months,ไม่กี่เดือน DocType: Item,Max Discount (%),ส่วนลดสูงสุด (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,วันเครดิตไม่สามารถเป็นตัวเลขเชิงลบได้ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,อัปโหลดคำสั่ง +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,รายงานรายการนี้ DocType: Purchase Invoice Item,Service Stop Date,Service Stop Date apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,คำสั่งสุดท้ายจำนวนเงิน DocType: Cash Flow Mapper,e.g Adjustments for:,เช่นการปรับค่าใช้จ่ายสำหรับ: @@ -7097,16 +7170,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,หมวดหมู่การยกเว้นภาษีของพนักงาน apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,จำนวนไม่ควรน้อยกว่าศูนย์ DocType: Sales Invoice,C-Form Applicable,C-Form สามารถนำไปใช้ได้ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},เวลาการดำเนินงานจะต้องมากกว่า 0 สำหรับการปฏิบัติงาน {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},เวลาการดำเนินงานจะต้องมากกว่า 0 สำหรับการปฏิบัติงาน {0} DocType: Support Search Source,Post Route String,สตริงเส้นทางการโพสต์ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,ต้องระบุคลังสินค้า apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,ไม่สามารถสร้างเว็บไซต์ DocType: Soil Analysis,Mg/K,มก. / K DocType: UOM Conversion Detail,UOM Conversion Detail,รายละเอียดการแปลง UOM apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,การรับสมัครและการลงทะเบียน -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,เก็บสต็อกสินค้าที่จัดเก็บไว้แล้วหรือไม่ได้ระบุจำนวนตัวอย่าง +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,เก็บสต็อกสินค้าที่จัดเก็บไว้แล้วหรือไม่ได้ระบุจำนวนตัวอย่าง DocType: Program,Program Abbreviation,ชื่อย่อโปรแกรม -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,ใบสั่งผลิตไม่สามารถขึ้นกับแม่แบบรายการ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),จัดกลุ่มตามคูปอง (รวม) DocType: HR Settings,Encrypt Salary Slips in Emails,เข้ารหัสสลิปเงินเดือนในอีเมล DocType: Question,Multiple Correct Answer,คำตอบที่ถูกต้องหลายรายการ @@ -7153,7 +7225,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,ไม่มีการ DocType: Employee,Educational Qualification,วุฒิการศึกษา DocType: Workstation,Operating Costs,ค่าใช้จ่ายในการดำเนินงาน apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},สกุลเงินสำหรับ {0} 'จะต้อง {1} -DocType: Employee Checkin,Entry Grace Period Consequence,ผลที่ตามมาระยะเวลาปลอดหนี้ DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,ทำเครื่องหมายการเข้าร่วมตาม 'การเช็คอินของพนักงาน' สำหรับพนักงานที่มอบหมายให้กับการเปลี่ยนแปลงนี้ DocType: Asset,Disposal Date,วันที่จำหน่าย DocType: Service Level,Response and Resoution Time,เวลาตอบกลับและการ Resoution @@ -7202,6 +7273,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,วันที่เสร็จสมบูรณ์ DocType: Purchase Invoice Item,Amount (Company Currency),จำนวนเงิน (สกุลเงิน บริษัท ) DocType: Program,Is Featured,เป็นจุดเด่น +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,การดึงข้อมูล ... DocType: Agriculture Analysis Criteria,Agriculture User,ผู้ใช้เกษตร apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,วันที่ที่ถูกต้องจนกว่าจะถึงวันที่ทำรายการ 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} ในการทำธุรกรรมนี้ @@ -7234,7 +7306,6 @@ DocType: Student,B+,B+ 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,ทั้งหมดที่จ่าย Amt 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 ลงทะเบียนสินค้า @@ -7258,6 +7329,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,ไม่ร apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,ที่ได้รับจาก DocType: Lead,Converted,แปลง DocType: Item,Has Serial No,มีซีเรียลไม่มี +DocType: Stock Entry Detail,PO Supplied Item,PO รายการที่ให้มา 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} @@ -7372,7 +7444,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,ภาษี Synch แล 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,BOM เริ่มต้นสำหรับ {0} ไม่พบ +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}: กรุณาตั้งค่าปริมาณการสั่งซื้อ apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,แตะรายการเพื่อเพิ่มที่นี่ @@ -7408,7 +7480,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,วันที่ทำการบำรุงรักษา DocType: Purchase Invoice Item,Rejected Serial No,หมายเลขเครื่องปฏิเสธ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,ปีวันเริ่มต้นหรือวันที่สิ้นสุดอยู่ที่ทับซ้อนกันด้วย {0} เพื่อหลีกเลี่ยงการโปรดตั้ง บริษัท -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,โปรดตั้งค่าหมายเลขลำดับสำหรับการเข้าร่วมผ่านการตั้งค่า> ลำดับเลข apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},โปรดระบุชื่อตะกั่วในผู้นำ {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},วันที่เริ่มต้น ควรจะน้อยกว่า วันที่ สิ้นสุดสำหรับ รายการ {0} DocType: Shift Type,Auto Attendance Settings,การตั้งค่าการเข้าร่วมอัตโนมัติ @@ -7419,9 +7490,11 @@ DocType: Upload Attendance,Upload Attendance,อัพโหลดผู้เ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,รายการวัสดุและปริมาณการผลิตจะต้อง apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,ช่วงสูงอายุ 2 DocType: SG Creation Tool Course,Max Strength,ความแรงของแม็กซ์ +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
",บัญชี {0} มีอยู่แล้วใน บริษัท ย่อย {1} ฟิลด์ต่อไปนี้มีค่าต่างกันควรจะเหมือนกัน:
  • {2}
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,การติดตั้งค่าที่ตั้งล่วงหน้า DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU ที่ FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},ไม่ได้เลือกหมายเหตุการจัดส่งสำหรับลูกค้า {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},เพิ่มแถวใน {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,พนักงาน {0} ไม่มีผลประโยชน์สูงสุด apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,เลือกรายการตามวันที่จัดส่ง DocType: Grant Application,Has any past Grant Record,มี Grant Record ที่ผ่านมา @@ -7467,6 +7540,7 @@ DocType: Fees,Student Details,รายละเอียดของนัก DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",นี่คือ UOM เริ่มต้นที่ใช้สำหรับรายการและคำสั่งขาย UOM ทางเลือกคือ "Nos" DocType: Purchase Invoice Item,Stock Qty,จำนวนหุ้น DocType: Purchase Invoice Item,Stock Qty,จำนวนหุ้น +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,บัญชีจัดส่งเริ่มต้น DocType: Loan,Repayment Period in Months,ระยะเวลาชำระหนี้ในเดือน @@ -7495,6 +7569,7 @@ DocType: Authorization Rule,Customerwise Discount,ส่วนลด Customerwis apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet สำหรับงาน DocType: Purchase Invoice,Against Expense Account,กับบัญชีค่าใช้จ่าย apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,หมายเหตุ การติดตั้ง {0} ได้ ถูกส่งมา อยู่แล้ว +DocType: BOM,Raw Material Cost (Company Currency),ต้นทุนวัตถุดิบ (สกุลเงิน บริษัท ) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},จำนวนวันที่เช่าบ้านที่ทับซ้อนกับ {0} DocType: GSTR 3B Report,October,ตุลาคม DocType: Bank Reconciliation,Get Payment Entries,ได้รับรายการการชำระเงิน @@ -7542,15 +7617,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,ต้องมีวันที่ใช้งาน DocType: Request for Quotation,Supplier Detail,รายละเอียดผู้จัดจำหน่าย apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},ข้อผิดพลาดในสูตรหรือเงื่อนไข: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,ใบแจ้งหนี้จํานวนเงิน +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,ใบแจ้งหนี้จํานวนเงิน apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,เกณฑ์น้ำหนักต้องเพิ่มได้ถึง 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,การดูแลรักษา apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,รายการที่แจ้ง DocType: Sales Invoice,Update Billed Amount in Sales Order,อัปเดตจำนวนเงินที่เรียกเก็บจากใบสั่งขาย +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,ติดต่อผู้ขาย 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,โปรดเข้าสู่ระบบในฐานะผู้ใช้ Marketplace เพื่อรายงานรายการนี้ ,Sales Partner Commission Summary,สรุปค่าคอมมิชชั่นพันธมิตรการขาย ,Item Prices,รายการราคาสินค้า DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกใบสั่งซื้อ @@ -7564,6 +7641,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,หลัก ราคาตามรายการ DocType: Task,Review Date,ทบทวนวันที่ DocType: BOM,Allow Alternative Item,อนุญาตรายการทางเลือก +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,ใบเสร็จรับเงินซื้อไม่มีรายการใด ๆ ที่เปิดใช้งานเก็บตัวอย่างไว้ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,ยอดรวมใบแจ้งหนี้ DocType: Company,Series for Asset Depreciation Entry (Journal Entry),ชุดค่าเสื่อมราคาสินทรัพย์ (บันทึกประจำวัน) DocType: Membership,Member Since,สมาชิกตั้งแต่ @@ -7573,6 +7651,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,เมื่อรวมสุทธิ 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: Pricing Rule,Product Discount Scheme,โครงการส่วนลดสินค้า +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,ไม่มีการหยิบยกปัญหาโดยผู้โทร DocType: Restaurant Reservation,Waitlisted,waitlisted DocType: Employee Tax Exemption Declaration Category,Exemption Category,หมวดการยกเว้น apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,สกุลเงินไม่สามารถเปลี่ยนแปลงได้หลังจากการทำรายการโดยใช้เงินสกุลอื่น @@ -7586,7 +7665,6 @@ DocType: Customer Group,Parent Customer Group,กลุ่มลูกค้า apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON สามารถสร้างได้จากใบแจ้งหนี้การขายเท่านั้น apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,ถึงความพยายามสูงสุดสำหรับการตอบคำถามนี้! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,การสมัครสมาชิก -DocType: Purchase Invoice,Contact Email,ติดต่ออีเมล์ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,การสร้างค่าธรรมเนียมที่รอดำเนินการ DocType: Project Template Task,Duration (Days),ระยะเวลา (วัน) DocType: Appraisal Goal,Score Earned,คะแนนที่ได้รับ @@ -7612,7 +7690,6 @@ DocType: Landed Cost Item,Landed Cost Item,รายการค่าใช้ 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions",จำนวนเงินสำหรับธุรกรรมเดียวเกินจำนวนเงินสูงสุดที่อนุญาตสร้างคำสั่งชำระเงินแยกต่างหากโดยแยกการทำธุรกรรม DocType: Service Level Agreement,Entity,เอกลักษณ์ DocType: Payment Reconciliation,Receivable / Payable Account,ลูกหนี้ / เจ้าหนี้การค้า DocType: Delivery Note Item,Against Sales Order Item,กับการขายรายการสั่งซื้อ @@ -7783,6 +7860,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,ท DocType: Quality Inspection Reading,Reading 3,Reading 3 DocType: Stock Entry,Source Warehouse Address,ที่อยู่คลังสินค้าต้นทาง DocType: GL Entry,Voucher Type,ประเภทบัตรกำนัล +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,การจ่ายในอนาคต 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 ,กิจกรรมล่าสุด @@ -7809,6 +7887,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,รายชื่อโรคที่ตรวจพบบนสนาม เมื่อเลือกมันจะเพิ่มรายการของงานเพื่อจัดการกับโรค +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,นี่คือหน่วยบริการด้านการดูแลสุขภาพรากและไม่สามารถแก้ไขได้ DocType: Asset Repair,Repair Status,สถานะการซ่อมแซม apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",ขอ จำนวน: จำนวน การร้องขอ สำหรับการซื้อ แต่ไม่ ได้รับคำสั่ง @@ -7823,6 +7902,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,บัญชีเพื่อการเปลี่ยนแปลงจำนวน DocType: QuickBooks Migrator,Connecting to QuickBooks,การเชื่อมต่อกับ QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,รวมกำไร / ขาดทุน +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,สร้างรายการเลือก apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},แถว {0}: ปาร์ตี้ / บัญชีไม่ตรงกับ {1} / {2} ใน {3} {4} DocType: Employee Promotion,Employee Promotion,การส่งเสริมพนักงาน DocType: Maintenance Team Member,Maintenance Team Member,สมาชิกทีมบำรุงรักษา @@ -7906,6 +7986,7 @@ 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,ประเภทสินทรัพย์ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,จ่ายสุทธิ ไม่สามารถ ลบ @@ -7937,7 +8018,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,เป้าหมายคุณภาพ DocType: BOM,Item to be manufactured or repacked,รายการที่จะผลิตหรือ repacked apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},ข้อผิดพลาดของไวยากรณ์อยู่ในสภาพ: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,ไม่มีปัญหาเกิดขึ้นจากลูกค้า DocType: Fee Structure,EDU-FST-.YYYY.-,EDU ที่ FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,วิชาเอก / เสริม apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,โปรดตั้งกลุ่มผู้จัดจำหน่ายในการตั้งค่าการซื้อ @@ -8030,8 +8110,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,วันเครดิต apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,โปรดเลือกผู้ป่วยเพื่อรับการทดสอบ Lab DocType: Exotel Settings,Exotel Settings,การตั้งค่า Exotel -DocType: Leave Type,Is Carry Forward,เป็น Carry Forward +DocType: Leave Ledger Entry,Is Carry Forward,เป็น Carry Forward DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),ชั่วโมงการทำงานด้านล่างที่ไม่มีการทำเครื่องหมาย (ศูนย์ปิดการใช้งาน) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,ส่งข้อความ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,รับสินค้า จาก BOM 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,เป็นค่าใช้จ่ายภาษีเงินได้ diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv index 2153d068e6..e4b50c73d4 100644 --- a/erpnext/translations/tr.csv +++ b/erpnext/translations/tr.csv @@ -16,6 +16,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Tedarikçiye bildir apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,İlk Parti Türünü seçiniz DocType: Item,Customer Items,Müşteri Öğeler +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Yükümlülükler DocType: Project,Costing and Billing,Maliyet ve Faturalandırma apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},"Avans hesap para birimi, şirket para birimi {0} ile aynı olmalıdır." DocType: QuickBooks Migrator,Token Endpoint,Token Bitiş Noktası @@ -28,6 +29,7 @@ DocType: Item,Default Unit of Measure,Varsayılan Ölçü Birimi DocType: SMS Center,All Sales Partner Contact,Bütün Satış Ortağı İrtibatları DocType: Department,Leave Approvers,İzin Onaylayanlar DocType: Employee,Bio / Cover Letter,Biyo / Kapak Mektubu +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Öğeleri Ara ... DocType: Patient Encounter,Investigations,Araştırmalar DocType: Restaurant Order Entry,Click Enter To Add,Ekle Gir'i tıklayın apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Şifre, API Anahtarı veya Shopify URL için eksik değer" @@ -35,7 +37,6 @@ DocType: Employee,Rented,Kiralanmış DocType: Employee,Rented,Kiralanmış apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Bütün hesaplar apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Çalışan durumu Sola aktarılamıyor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Durduruldu Üretim Sipariş iptal edilemez, iptal etmek için ilk önce unstop" DocType: Vehicle Service,Mileage,Kilometre apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Bu varlığı gerçekten hurda etmek istiyor musunuz? DocType: Drug Prescription,Update Schedule,Programı Güncelle @@ -68,6 +69,7 @@ DocType: Bank Guarantee,Customer,Müşteri DocType: Purchase Receipt Item,Required By,Gerekli DocType: Delivery Note,Return Against Delivery Note,İrsaliye Karşılığı İade DocType: Asset Category,Finance Book Detail,Finans Kitap Detayı +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Tüm amortismanlar rezerve edildi DocType: Purchase Order,% Billed,% Faturalanan apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Bordro Numarası apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Döviz Kuru aynı olmalıdır {0} {1} ({2}) @@ -104,6 +106,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Banka Havalesi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Banka poliçesi DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Toplam Geç Girişler DocType: Mode of Payment Account,Mode of Payment Account,Ödeme Şekli Hesabı apps/erpnext/erpnext/config/healthcare.py,Consultation,konsültasyon DocType: Accounts Settings,Show Payment Schedule in Print,Ödeme Programını Baskıda Göster @@ -133,8 +136,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,St apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Birincil İletişim Bilgileri apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Açık sorunlar DocType: Production Plan Item,Production Plan Item,Üretim Planı nesnesi +DocType: Leave Ledger Entry,Leave Ledger Entry,Defter Girişini Bırakın 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ış -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},"{0} alanı, {1} boyutuyla sınırlıdır" 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ü @@ -154,6 +157,7 @@ DocType: Purchase Invoice Item,Item Weight Details,Öğe Ağırlık Ayrıntılar DocType: Asset Maintenance Log,Periodicity,Periyodik olarak tekrarlanma DocType: Asset Maintenance Log,Periodicity,Periyodik olarak tekrarlanma apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Mali yıl {0} gereklidir +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Net kâr (zarar DocType: Employee Group Table,ERPNext User ID,ERPNext Kullanıcı Kimliği DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Optimum büyüme için bitki sıraları arasındaki minimum mesafe apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Öngörülen prosedürü almak için lütfen Hasta'yı seçin @@ -185,10 +189,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Satış Fiyatı Listesi DocType: Patient,Tobacco Current Use,Tütün Mevcut Kullanımı apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Satış oranı -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Lütfen yeni bir hesap eklemeden önce belgenizi kaydedin 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 ... 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 @@ -259,6 +263,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Emek DocType: Exchange Rate Revaluation Account,Gain/Loss,Kazanç / Kayıp DocType: Crop,Perennial,uzun ömürlü DocType: Program,Is Published,Yayınlandı +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Teslim Notlarını Göster apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Fazla faturalandırmaya izin vermek için, Hesap Ayarları veya Öğesinde "Fatura Ödeneği" nı güncelleyin." DocType: Patient Appointment,Procedure,prosedür DocType: Accounts Settings,Use Custom Cash Flow Format,Özel Nakit Akışı Biçimini Kullan @@ -289,7 +294,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,İlke Ayrıntılarını Bırak DocType: BOM,Item Image (if not slideshow),Ürün Görüntü (yoksa slayt) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Satır # {0}: {3} İş Emri'nde {2} işlenmiş ürün adedi için {1} işlemi tamamlanmadı. Lütfen çalışma durumunu {4} Job Card ile güncelleyin. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0}, havale ödemeleri oluşturmak, alanı ayarlamak ve yeniden denemek için zorunludur" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Saat Hızı / 60) * Gerçek Çalışma Süresi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,"Sıra # {0}: Referans Belge Türü, Gider Talebi veya Günlük Girişi olmalıdır" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,seç BOM @@ -309,6 +313,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Sürelerinin Üzeri sayısı Repay apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Üretilecek Miktar Sıfırdan Az olamaz DocType: Stock Entry,Additional Costs,Ek maliyetler +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,İşlem görmüş hesaplar gruba dönüştürülemez. DocType: Lead,Product Enquiry,Ürün Sorgulama DocType: Lead,Product Enquiry,Ürün Sorgulama @@ -322,7 +327,9 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please se apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Hedefi DocType: BOM,Total Cost,Toplam Maliyet DocType: BOM,Total Cost,Toplam Maliyet +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Tahsis Süresi Doldu! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maksimum Taşıma Yönlendirilmiş Yapraklar DocType: Salary Slip,Employee Loan,Çalışan Kredi DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Ödeme Talebi E-postasını Gönder @@ -333,6 +340,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Gayrim apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Hesap Beyanı apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Ecza DocType: Purchase Invoice Item,Is Fixed Asset,Sabit Varlık +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Gelecekteki Ödemeleri Göster DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Bu banka hesabı zaten senkronize edildi DocType: Homepage,Homepage Section,Anasayfa Bölümü @@ -381,7 +389,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Gübre apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.","Serial No ile teslim edilemedi \ Item {0}, \ Serial No." -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ı apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Ödeme en az bir mod POS fatura için gereklidir. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Toplu iş {0} toplu öğesi için gerekli DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Banka ekstresi İşlem Fatura Öğesi @@ -463,6 +470,7 @@ DocType: Job Offer,Select Terms and Conditions,Şartlar ve Koşulları Seç apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,out Değeri DocType: Bank Statement Settings Item,Bank Statement Settings Item,Banka ekstresi ayar öğesi DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce Ayarları +DocType: Leave Ledger Entry,Transaction Name,İşlem Adı DocType: Production Plan,Sales Orders,Satış Siparişleri apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Müşteri için Çoklu Bağlılık Programı bulundu. Lütfen manuel olarak seçiniz. DocType: Purchase Taxes and Charges,Valuation,Değerleme @@ -502,6 +510,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Sadece bu Müşteri Gruplarının Müşterisini gösterin DocType: Sales Invoice,Is Opening Entry,Açılış Girdisi @@ -510,8 +519,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Mansiyon standart dışı alacak hesabı varsa 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 DocType: Supplier Scorecard,Criteria Setup,Ölçütler Kurulumu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Sunulmadan önce gerekli depo için +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 DocType: Codification Table,Medical Code,Tıbbi Kod apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Amazon'u ERPNext ile bağlayın @@ -527,7 +537,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Banka hesapları eklendi -DocType: Delivery Stop,Contact Name,İrtibat İsmi +DocType: Call Log,Contact Name,İrtibat İsmi DocType: Plaid Settings,Synchronize all accounts every hour,Tüm hesapları her saat başı senkronize et DocType: Course Assessment Criteria,Course Assessment Criteria,Ders Değerlendirme Kriterleri DocType: Pricing Rule Detail,Rule Applied,Uygulanan Kural @@ -573,7 +583,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Bilinmeyen numara DocType: Website Filter Field,Website Filter Field,Web Sitesi Filtre Alanı apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Tedarik türü DocType: Material Request Item,Min Order Qty,Minimum sipariş miktarı @@ -604,7 +613,6 @@ DocType: Salary Slip,Total Principal Amount,Toplam Anapara Tutarı DocType: Student Guardian,Relation,İlişki DocType: Quiz Result,Correct,Doğru DocType: Student Guardian,Mother,Anne -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Lütfen önce site_config.json içine geçerli Plaid api anahtarlarını ekleyin. DocType: Restaurant Reservation,Reservation End Time,Rezervasyon Bitiş Saati DocType: Crop,Biennial,iki yıllık ,BOM Variance Report,BOM Varyans Raporu @@ -622,6 +630,7 @@ apps/erpnext/erpnext/templates/emails/training_event.html,Please confirm once yo 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Karşı Ödeme {0} {1} Üstün Tutar daha büyük olamaz {2} @@ -671,12 +680,14 @@ DocType: POS Profile,Offline POS Settings,Çevrimdışı POS Ayarları DocType: Stock Entry Detail,Reference Purchase Receipt,Referans Satın Alma Fişi DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-Reco-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Of Varyant -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Daha 'Miktar imalatı için' Tamamlandı Adet büyük olamaz +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Daha 'Miktar imalatı için' Tamamlandı Adet büyük olamaz +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Tarihine Göre Dönem DocType: Period Closing Voucher,Closing Account Head,Kapanış Hesap Başkanı DocType: Employee,External Work History,Dış Çalışma Geçmişi apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Dairesel Referans Hatası apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Öğrenci Rapor Kartı apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Pin Kodundan +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Satış Görevlisini Göster DocType: Appointment Type,Is Inpatient,Yatan hasta mı apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Adı DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Tutarın Yazılı Hali (İhracat) İrsaliyeyi kaydettiğinizde görünür olacaktır. @@ -690,6 +701,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Boyut adı apps/erpnext/erpnext/healthcare/setup.py,Resistant,dayanıklı apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Otel Oda Fiyatı'nı {} olarak ayarlayın. +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: Journal Entry,Multi Currency,Çoklu Para Birimi DocType: Bank Statement Transaction Invoice Item,Invoice Type,Fatura Türü DocType: Bank Statement Transaction Invoice Item,Invoice Type,Fatura Türü @@ -711,6 +723,7 @@ DocType: Student Applicant,Admitted,Başvuruldu DocType: Workstation,Rent Cost,Kira Bedeli DocType: Workstation,Rent Cost,Kira Bedeli 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Yaklaşan Takvim Olayları apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Varyant Nitelikler @@ -809,7 +822,6 @@ DocType: Request for Quotation,Request for Quotation,Fiyat Teklif Talebi 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Baskıda Satış Görevlisini Göster 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 @@ -817,7 +829,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Yeni müşteri oluştur apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Süresi doldu apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Birden fazla fiyatlandırma Kuralo hakimse, kullanıcılardan zorunu çözmek için Önceliği elle ayarlamaları istenir" -DocType: Purchase Invoice,Scan Barcode,Barkod Tara apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Satınalma Siparişleri oluşturun ,Purchase Register,Satın alma kaydı apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Hasta bulunamadı @@ -884,6 +895,7 @@ DocType: Account,Old Parent,Eski Ebeveyn apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Zorunlu alan - Akademik Yıl apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Zorunlu alan - Akademik Yıl apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},"{0} {1}, {2} {3} ile ilişkili değil" +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} @@ -932,6 +944,7 @@ DocType: Salary Structure,Salary Component for timesheet based payroll.,zaman ç DocType: Driver,Applicable for external driver,Harici sürücü için geçerli DocType: Sales Order Item,Used for Production Plan,Üretim Planı için kullanılan DocType: Sales Order Item,Used for Production Plan,Üretim Planı için kullanılan +DocType: BOM,Total Cost (Company Currency),Toplam Maliyet (Şirket Para Birimi) DocType: Loan,Total Payment,Toplam ödeme apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Tamamlanmış İş Emri için işlem iptal edilemez. DocType: Manufacturing Settings,Time Between Operations (in mins),(Dakika içinde) Operasyonlar Arası Zaman @@ -953,6 +966,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Diğerini bildir DocType: Vital Signs,Blood Pressure (systolic),Kan Basıncı (sistolik) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},"{0} {1}, {2}" DocType: Item Price,Valid Upto,Tarihine kadar geçerli +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. @@ -973,6 +987,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} 'daki değişiklikler apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Firma seçiniz DocType: Employee Skill,Employee Skill,Çalışan Beceri apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Fark Hesabı @@ -1022,6 +1037,7 @@ DocType: Patient,Risk Factors,Risk faktörleri DocType: Patient,Occupational Hazards and Environmental Factors,Mesleki Tehlikeler ve Çevresel Faktörler apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,İş Emri için önceden hazırlanmış Stok Girişleri apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Geçmiş siparişlere bakın +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} ileti dizisi DocType: Vital Signs,Respiratory rate,Solunum hızı apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Yönetme Taşeronluk DocType: Vital Signs,Body Temperature,Vücut Sıcaklığı @@ -1066,6 +1082,7 @@ DocType: Purchase Invoice,Registered Composition,Kayıtlı Kompozisyon apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Merhaba apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Taşı Öğe DocType: Employee Incentive,Incentive Amount,Teşvik Tutarı +,Employee Leave Balance Summary,Çalışan İzin Bakiyesi Özeti DocType: Serial No,Warranty Period (Days),Garanti Süresi (Gün) DocType: Serial No,Warranty Period (Days),Garanti Süresi (Gün) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,"Toplam Kredi / Borç Tutarı, Bağlantılı Dergi Girişi ile aynı olmalıdır" @@ -1082,6 +1099,7 @@ DocType: Salary Slip,Salary Slip Timesheet,Maaş Kayma Zaman Çizelgesi apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Alt Sözleşmeye bağlı Alım makbuzu için Tedarikçi deposu zorunludur DocType: Item Price,Valid From,Itibaren geçerli DocType: Item Price,Valid From,Itibaren geçerli +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Sizin dereceniz: DocType: Sales Invoice,Total Commission,Toplam Komisyon DocType: Sales Invoice,Total Commission,Toplam Komisyon DocType: Tax Withholding Account,Tax Withholding Account,Vergi Stopaj Hesabı @@ -1091,6 +1109,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Tüm Tedarikçi p 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 +DocType: Item,Website Image,Web sitesi resmi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,"{0} satırındaki hedef depo, İş Emri ile aynı olmalıdır" apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Açılış Stok girdiyseniz Değerleme Oranı zorunludur apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Fatura tablosunda kayıt bulunamadı @@ -1128,8 +1147,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},T 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Lütfen hesabınızı senkronize etmeden önce Ekose API yapılandırmanızı tamamlayın 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 DocType: Job Applicant,Resume Attachment,Devam Eklenti @@ -1141,7 +1160,6 @@ DocType: Production Plan,Production Plan,Üretim Planı DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Fatura Yaratma Aracını Açma DocType: Salary Component,Round to the Nearest Integer,En Yakın Tamsayıya Yuvarlak apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Satış İade -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Not: Toplam tahsis edilen yaprakları {0} zaten onaylanmış yaprakları daha az olmamalıdır {1} dönem için DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Seri No Girdisine Göre İşlemlerde Miktar Ayarla ,Total Stock Summary,Toplam Stok Özeti apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1173,6 +1191,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Sto apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Anapara tutarı DocType: Loan Application,Total Payable Interest,Toplam Ödenecek faiz apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Toplam Üstün: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Kişiyi Aç DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Satış Faturası Çizelgesi 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 @@ -1182,6 +1201,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Varsayılan Fatura Adland 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 DocType: Restaurant Reservation,Restaurant Reservation,Restaurant Rezervasyonu +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Öğeleriniz apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Teklifi Yazma apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Teklifi Yazma DocType: Payment Entry Deduction,Payment Entry Deduction,Ödeme Giriş Kesintisi @@ -1191,6 +1211,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Parti Numarası Serisi apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Başka Satış Kişi {0} aynı Çalışan kimliği ile var DocType: Employee Advance,Claimed Amount,İddia Edilen Tutar +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Tahsisin Sona Ermesi 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 @@ -1267,7 +1288,6 @@ DocType: Student Batch Name,Batch Name,Parti Adı DocType: Fee Validity,Max number of visit,Maks Ziyaret Sayısı DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Kar Zarar Hesabı İçin Zorunlu ,Hotel Room Occupancy,Otel Odasının Kullanımı -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Mesai Kartı oluşturuldu: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},{0} Ödeme şeklinde varsayılan nakit veya banka hesabı ayarlayınız apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,kaydetmek DocType: GST Settings,GST Settings,GST Ayarları @@ -1414,6 +1434,7 @@ DocType: Sales Invoice,Commission Rate (%),Komisyon Oranı (%) 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: Request for Quotation,Link to material requests,materyal isteklere Bağlantı +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,yayınlamak apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Havacılık ve Uzay; ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Kredi Kartı Girişi @@ -1442,6 +1463,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Mevcut Varlıklar apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} bir stok ürünü değildir. apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Eğitime geribildiriminizi 'Eğitim Geri Bildirimi' ve ardından 'Yeni' +DocType: Call Log,Caller Information,Arayan bilgisi DocType: Mode of Payment Account,Default Account,Varsayılan Hesap DocType: Mode of Payment Account,Default Account,Varsayılan Hesap apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,"Lütfen önce Stok Ayarlarında Numune Alma Deposu'nu seçin," @@ -1467,6 +1489,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Otomatik Malzeme İstekler Oluşturulmuş DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Yarım Günün işaretlendiği çalışma saatleri. (Devre dışı bırakmak için sıfır) DocType: Job Card,Total Completed Qty,Toplam Tamamlanan Miktar +DocType: HR Settings,Auto Leave Encashment,Otomatik Ayrılma Eklemesi apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Kayıp apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Kayıp apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Sen sütununda 'Journal girişine karşı' geçerli fiş giremezsiniz @@ -1499,9 +1522,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Abone DocType: Item Attribute Value,Item Attribute Value,Ürün Özellik Değeri apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Döviz Alış Alış veya Satış için geçerli olmalıdır. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Yalnızca süresi dolmuş tahsis iptal edilebilir DocType: Item,Maximum sample quantity that can be retained,Tutulabilen maksimum numune miktarı apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},"{0} Satırı # Ürün {1}, Satın Alma Siparişi {3} 'den {2}' den fazla transfer edilemiyor" apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Satış kampanyaları. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Bilinmeyen arama DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1552,6 +1577,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Sağlık Pr apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doküman adı DocType: Expense Claim Detail,Expense Claim Type,Gideri Talebi Türü DocType: Shopping Cart Settings,Default settings for Shopping Cart,Alışveriş Sepeti Varsayılan ayarları +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Öğe Kaydet apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Yeni gider apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Mevcut Sipariş Miktarını Yoksay apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Zaman Dilimi ekle @@ -1564,6 +1590,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Gönderilen Davetiyeyi İnceleme DocType: Shift Assignment,Shift Assignment,Vardiya Atama DocType: Employee Transfer Property,Employee Transfer Property,Çalışan Transfer Mülkiyeti +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Varlık / Borç Hesabı alanı boş bırakılamaz apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Zaman Zamandan Daha Az Olmalı apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biyoteknoloji apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biyoteknoloji @@ -1653,12 +1680,14 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kurs programı DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B Raporu DocType: Request for Quotation Supplier,Quote Status,Alıntı Durumu DocType: GoCardless Settings,Webhooks Secret,Webhooks Sırrı DocType: Maintenance Visit,Completion Status,Tamamlanma Durumu DocType: Maintenance Visit,Completion Status,Tamamlanma Durumu +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Toplam ödeme tutarı {} den fazla olamaz DocType: Daily Work Summary Group,Select Users,Kullanıcıları Seç DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Otel Oda Fiyatlandırması Öğe DocType: Loyalty Program Collection,Tier Name,Katman Adı @@ -1698,6 +1727,7 @@ DocType: Lab Test Template,Result Format,Sonuç Biçimi DocType: Expense Claim,Expenses,Giderler DocType: Expense Claim,Expenses,Giderler DocType: Service Level,Support Hours,Destek Saatleri +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Teslimat notları DocType: Item Variant Attribute,Item Variant Attribute,Öğe Varyant Özellik ,Purchase Receipt Trends,Satın Alma Teslim Alma Analizi DocType: Payroll Entry,Bimonthly,İki ayda bir @@ -1723,7 +1753,6 @@ DocType: Sales Team,Incentives,Teşvikler DocType: SMS Log,Requested Numbers,Talep Sayılar DocType: Volunteer,Evening,Akşam DocType: Quiz,Quiz Configuration,Sınav Yapılandırması -DocType: Customer,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ı @@ -1773,7 +1802,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Ana Dö ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Çalışma için bir sonraki {0} günlerde Zaman Slot bulamayan {1} DocType: Work Order,Plan material for sub-assemblies,Alt-montajlar Plan malzeme 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 @@ -1788,9 +1816,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Yeniden sipariş seviyelerini korumak için Stok Ayarlarında otomatik yeniden siparişi etkinleştirmeniz gerekir. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Bu Bakım Ziyaretini iptal etmeden önce Malzeme Ziyareti {0} iptal edin DocType: Pricing Rule,Rate or Discount,Oran veya İndirim +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Banka detayları DocType: Vital Signs,One Sided,Tek taraflı apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Seri No {0} Ürün {1} e ait değil -DocType: Purchase Receipt Item Supplied,Required Qty,Gerekli Adet +DocType: Purchase Order Item Supplied,Required Qty,Gerekli Adet DocType: Marketplace Settings,Custom Data,Özel veri apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Mevcut işlem ile depolar defterine dönüştürülür edilemez. DocType: Service Day,Service Day,Hizmet günü @@ -1819,7 +1848,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Hesabın Döviz Cinsi DocType: Lab Test,Sample ID,Örnek Kimlik Numarası apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Şirket Yuvarlak Kapalı Hesabı belirtin -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Aralık DocType: Purchase Receipt,Range,Aralık DocType: Supplier,Default Payable Accounts,Standart Borç Hesapları @@ -1864,8 +1892,8 @@ DocType: Lead,Request for Information,Bilgi İsteği DocType: Lead,Request for Information,Bilgi İsteği DocType: Course Activity,Activity Date,Faaliyet Tarihi apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} / {} -,LeaderBoard,Liderler Sıralaması DocType: Sales Invoice Item,Rate With Margin (Company Currency),Marjla Oran (Şirket Para Birimi) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Kategoriler apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Senkronizasyon Çevrimdışı Faturalar DocType: Payment Request,Paid,Ücretli DocType: Service Level,Default Priority,Varsayılan Öncelik @@ -1901,12 +1929,11 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Dolaylı Gelir DocType: Student Attendance Tool,Student Attendance Tool,Öğrenci Devam Aracı DocType: Restaurant Menu,Price List (Auto created),Fiyat Listesi (Otomatik oluşturuldu) +DocType: Pick List Item,Picked Qty,Alınan Miktar DocType: Cheque Print Template,Date Settings,Tarih Ayarları 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ı -,Company Name,Firma Adı -,Company Name,Firma Adı 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ı @@ -1927,7 +1954,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Son Girişim DocType: Quiz Result,Quiz Result,Sınav Sonucu 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 -DocType: BOM,Raw Material Cost(Company Currency),Hammadde Maliyeti (Şirket Para Birimi) 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 @@ -2000,6 +2026,7 @@ DocType: Travel Itinerary,Train,Tren ,Delayed Item Report,Gecikmeli Ürün Raporu apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Uygun ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Yatan Doluluk +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,İlk Ürününüzü Yayınlayın DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Check-out sırasındaki katılım için vardiya sonundan sonraki zaman. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Lütfen belirtin a {0} @@ -2126,6 +2153,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Tüm malzeme list apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Şirketler Arası Dergi Girişi Oluşturma DocType: Company,Parent Company,Ana Şirket apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},"{1} türündeki Otel Odaları, {1}" +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Hammadde ve İşlemlerdeki değişiklikler için Malzeme Listesini karşılaştırın apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,{0} dokümanı başarıyla temizlendi DocType: Healthcare Practitioner,Default Currency,Varsayılan Para Birimi apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Bu hesabı mutabık kılma @@ -2162,6 +2190,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Fatura Ayrıntısı DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Ödeme Mutabakat Faturası DocType: Clinical Procedure,Procedure Template,Prosedür şablonu +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Öğeleri Yayınla apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Katkı% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Satın Alma Siparişi Gereklise Satın Alma Ayarlarına göre == 'EVET', ardından Satın Alma Faturası oluşturmak için kullanıcı {0} öğesi için önce Satın Alma Siparişi yaratmalıdır." ,HSN-wise-summary of outward supplies,Dışa açık malzemelerin HSN-bilge özeti @@ -2174,7 +2203,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Set 'On İlave İndirim Uygula' Lütfen DocType: Party Tax Withholding Config,Applicable Percent,Uygulanabilir Yüzde ,Ordered Items To Be Billed,Faturalanacak Sipariş Edilen Ürünler -DocType: Employee Checkin,Exit Grace Period Consequence,Grace Dönem Sonuçlarından Çık apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Menzil az olmak zorundadır Kimden daha Range için DocType: Global Defaults,Global Defaults,Küresel Varsayılanlar apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Proje Ortak Çalışma Daveti @@ -2183,13 +2211,11 @@ DocType: Salary Slip,Deductions,Kesintiler DocType: Setup Progress Action,Action Name,İşlem Adı apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Başlangıç yılı apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Kredi Yarat -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Cari fatura döneminin Başlangıç tarihi DocType: Shift Type,Process Attendance After,İşlem Sonrasına Devam Etme ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Ücretsiz İzin DocType: Payment Request,Outward,dışa doğru -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Kapasite Planlama Hatası apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Devlet / UT Vergisi ,Trial Balance for Party,Parti için Deneme Dengesi ,Gross and Net Profit Report,Brüt ve Net Kar Raporu @@ -2209,7 +2235,6 @@ DocType: Payroll Entry,Employee Details,Çalışan Bilgileri 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 -DocType: Setup Progress Action,Domains,Çalışma Alanları 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 @@ -2256,7 +2281,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Toplam Vel 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.",Ödeme Modu yapılandırılmamış. Hesap Ödemeler Modu veya POS Profili ayarlanmış olup olmadığını kontrol edin. apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Aynı madde birden çok kez girilemez. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ek hesaplar Gruplar altında yapılabilir, ancak girişler olmayan Gruplar karşı yapılabilir" -DocType: Email Campaign,Lead,Potansiyel Müşteri +DocType: Call Log,Lead,Potansiyel Müşteri DocType: Email Digest,Payables,Borçlar DocType: Email Digest,Payables,Borçlar DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Jetonu @@ -2269,6 +2294,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Faturalanacak Satınalma Siparişi Kalemleri 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 DocType: Purchase Invoice Item,Net Rate,Net Hızı apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Lütfen bir müşteri seçin DocType: Leave Policy,Leave Allocations,Tahsisleri Bırak @@ -2283,6 +2309,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Gün Sonra Kapat Sayı ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Kullanıcıları Marketplace'e eklemek için Sistem Yöneticisi ve Ürün Yöneticisi rolleri olan bir kullanıcı olmanız gerekir. +DocType: Attendance,Early Exit,Erken Çıkış DocType: Job Opening,Staffing Plan,Personel planı apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON yalnızca gönderilen bir belgeden oluşturulabilir apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Çalışan Vergi ve Yardımları @@ -2307,6 +2334,7 @@ DocType: Maintenance Team Member,Maintenance Role,Bakım Rolü apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Satır {0} ı {1} ile aynı biçimde kopyala DocType: Marketplace Settings,Disable Marketplace,Marketplace'i Devre Dışı Bırak DocType: Quality Meeting,Minutes,Dakika +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Seçtiğiniz Öğeler ,Trial Balance,Mizan ,Trial Balance,Mizan apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Tamamlananları Göster @@ -2317,8 +2345,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Otel Rezervasyonu Kullan 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 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- -DocType: Shift Type,Consequence,Sonuç DocType: Subscription Settings,Subscription Settings,Abonelik ayarları DocType: Purchase Invoice,Update Auto Repeat Reference,Otomatik Tekrar Referansı Güncelle apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},"İsteğe bağlı Tatil Listesi, {0} izin dönemi için ayarlanmamış" @@ -2330,7 +2358,6 @@ DocType: Maintenance Visit Purpose,Work Done,Yapılan İş apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Nitelikler masada en az bir özellik belirtin DocType: Announcement,All Students,Tüm Öğrenciler apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,{0} stok korunmayan ürün olmalıdır -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Banka Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Değerlendirme Defteri DocType: Grading Scale,Intervals,Aralıklar DocType: Bank Statement Transaction Entry,Reconciled Transactions,Mutabık Kılınan İşlemler @@ -2367,6 +2394,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Fırsat Ürünü DocType: Quality Action,Quality Review,Kalite incelemesi @@ -2396,7 +2424,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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 DocType: Journal Entry,Get Outstanding Invoices,Bekleyen Faturaları alın -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Satış Sipariş {0} geçerli değildir +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Satın alma siparişleri planı ve alışverişlerinizi takip apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab Testi Reçeteleri @@ -2421,6 +2449,7 @@ DocType: Employee Onboarding,Notify users by email,Kullanıcıları e-postayla b DocType: Travel Request,International,Uluslararası DocType: Training Event,Training Event,Eğitim Etkinlik DocType: Item,Auto re-order,Otomatik yeniden sipariş +DocType: Attendance,Late Entry,Geç giriş apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Toplam Elde DocType: Employee,Place of Issue,Verildiği yer DocType: Promotional Scheme,Promotional Scheme Price Discount,Promosyon Şeması Fiyat İndirimi @@ -2475,6 +2504,7 @@ DocType: Purchase Invoice Item,Item Tax Rate,Ürün Vergi Oranı DocType: Purchase Invoice Item,Item Tax Rate,Ürün Vergi Oranı apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Parti isminden apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Net Maaş Tutarı +DocType: Pick List,Delivery against Sales Order,Müşteri Siparişine Karşı Teslimat DocType: Student Group Student,Group Roll Number,Grup Rulosu Numarası apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","{0}, sadece kredi hesapları başka bir ödeme girişine karşı bağlantılı olabilir için" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,İrsaliye {0} teslim edilmedi @@ -2557,7 +2587,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Privilege Leave,Privilege bırak DocType: Purchase Invoice,Supplier Invoice Date,Tedarikçi Fatura Tarihi DocType: Purchase Invoice,Supplier Invoice Date,Tedarikçi Fatura Tarihi -DocType: Asset Settings,This value is used for pro-rata temporis calculation,"Bu değer, geçici zamansal hesaplama için kullanılır" apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Alışveriş sepetini etkinleştirmeniz gereklidir DocType: Payment Entry,Writeoff,Hurdaya çıkarmak DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2571,6 +2600,7 @@ DocType: Delivery Trip,Total Estimated Distance,Toplam Tahmini Mesafe DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Alacaksız Alacak Hesabı DocType: Tally Migration,Tally Company,Tally Şirketi apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Ürün Ağacı Tarayıcı +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},{0} için muhasebe boyutu oluşturmaya izin verilmiyor apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Lütfen bu eğitim olayına ilişkin durumunuzu güncelleyin DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Ekle ya da Çıkar @@ -2580,7 +2610,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Etkin Olmayan Satış Öğeleri DocType: Quality Review,Additional Information,ek bilgi apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Toplam Sipariş Miktarı -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Servis Seviyesi Anlaşması Sıfırla. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Yiyecek Grupları apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Yiyecek Grupları apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Yaşlanma Aralığı 3 @@ -2634,6 +2663,7 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re DocType: POS Profile,Campaign,Kampanya DocType: POS Profile,Campaign,Kampanya 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 DocType: Healthcare Practitioner,Contacts and Address,Kişiler ve Adres DocType: Shift Type,Determine Check-in and Check-out,Giriş ve Çıkış Belirleme @@ -2656,7 +2686,6 @@ DocType: Student Admission,Eligibility and Details,Uygunluk ve Ayrıntılar apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Brüt Kâr Dahil apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Sabit Varlık Net Değişim apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Adet -DocType: Company,Client Code,Müşteri kodu apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Satır {0}'daki 'Gerçek' ücret biçimi Ürün Br.Fiyatına dahil edilemez apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Max: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,DateTime Gönderen @@ -2732,6 +2761,7 @@ 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ı. 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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Alacak hesabı {2} için müşteri tanımlanmalıdır. DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Toplam Vergi ve Harçlar (Şirket Para Birimi) DocType: Weather,Weather Parameter,Hava Durumu Parametresi @@ -2802,6 +2832,7 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There c apps/erpnext/erpnext/config/help.py,Item Variants,Öğe Türevleri apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Servisler apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Servisler +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Çalışan e-posta Maaş Kayma DocType: Cost Center,Parent Cost Center,Ana Maliyet Merkezi @@ -2812,7 +2843,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields",M DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Gönderide Shopify'tan Teslim Alma Notları apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Kapalı olanları göster DocType: Issue Priority,Issue Priority,Sorun Önceliği -DocType: Leave Type,Is Leave Without Pay,Pay Yapmadan mı +DocType: Leave Ledger Entry,Is Leave Without Pay,Pay Yapmadan mı apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Sabit Varlık için Varlık Kategorisi zorunludur DocType: Fee Validity,Fee Validity,Ücret Geçerliği @@ -2865,6 +2896,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Depodaki Mevcut Par apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Update Yazıcı Formatı DocType: Bank Account,Is Company Account,Şirket Hesabı mı apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,{0} Türü Ayrılma özelliği değiştirilemez +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},{0} Şirketi için zaten kredi limiti tanımlanmış DocType: Landed Cost Voucher,Landed Cost Help,Indi Maliyet Yardım DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Seç Teslimat Adresi @@ -2889,6 +2921,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Çift yönlü DocType: Item,Manufacturers,Üreticiler @@ -2931,7 +2964,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Banka Uzlaşma Bildirimi DocType: Patient Encounter,Medical Coding,Tıbbi Kodlama DocType: Healthcare Settings,Reminder Message,Hatırlatma Mesajı -,Lead Name,Potansiyel Müşteri Adı +DocType: Call Log,Lead Name,Potansiyel Müşteri Adı ,POS,POS DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Maden @@ -2965,12 +2998,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Tedarikçi Deposu DocType: Opportunity,Contact Mobile No,İrtibat Mobil No apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Şirket Seç ,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: 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- 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} kullanıcısının varsayılan POS Profili yok. Bu Kullanıcı için Satır {1} 'te Varsayılan'ı işaretleyin. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Kalite Toplantı Tutanakları +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tedarikçi> Tedarikçi Tipi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,İşçi başvurusu DocType: Student Group,Set 0 for no limit,hiçbir sınırı 0 olarak ayarlayın apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Eğer izin için başvuruda edildiği gün (ler) tatildir. Sen izin talebinde gerekmez. @@ -3003,12 +3038,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Nakit Net Değişim DocType: Assessment Plan,Grading Scale,Notlandırma ölçeği apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Ölçü Birimi {0} Dönüşüm katsayısı tablosunda birden fazla kez girildi. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Zaten tamamlandı apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Elde Edilen Stoklar apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Lütfen {0} kalan faydalarını uygulamaya \ pro-rata bileşeni olarak ekleyin. apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Lütfen kamu yönetimi için '% s' Mali Kodunu ayarlayın. -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Ödeme Talebi zaten var {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,İhraç Öğeler Maliyeti DocType: Healthcare Practitioner,Hospital,Hastane apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Miktar fazla olmamalıdır {0} @@ -3056,6 +3089,7 @@ apps/erpnext/erpnext/config/settings.py,Human Resources,İnsan Kaynakları apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Üst Gelir apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Üst Gelir DocType: Item Manufacturer,Item Manufacturer,Ürün Üreticisi +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Yeni Müşteri Adayı Yarat DocType: BOM Operation,Batch Size,Parti boyutu apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,reddetmek DocType: Journal Entry Account,Debit in Company Currency,Şirket Para Birimi Bankamatik @@ -3076,9 +3110,11 @@ DocType: Bank Transaction,Reconciled,Mutabık DocType: Expense Claim,Total Amount Reimbursed,Toplam Tutar Geri ödenen apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,"Bu, bu Araç karşı günlükleri dayanmaktadır. Ayrıntılar için aşağıdaki zaman çizelgesini bakın" apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,"Bordro tarihi, çalışanın katılma tarihinden daha az olamaz" +DocType: Pick List,Item Locations,Öğe Konumları apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} oluşturuldu apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",{0} atama için iş açılışları zaten açıldı \ veya işe alımlar İşe Alma Planı {1} uyarınca tamamlandı +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,200'e kadar öğe yayınlayabilirsiniz. DocType: Vital Signs,Constipated,kabız apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},{1} tarihli {0} Tedarikçi Faturası karşılığı DocType: Customer,Default Price List,Standart Fiyat Listesi @@ -3179,6 +3215,7 @@ 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ı apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Pazarlama Giderleri apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Pazarlama Giderleri +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} {1} birimi mevcut değil. ,Item Shortage Report,Ürün Yetersizliği Raporu ,Item Shortage Report,Ürün Yetersizliği Raporu DocType: Bank Transaction Payments,Bank Transaction Payments,Banka İşlem Ödemeleri @@ -3204,6 +3241,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Please enter valid Financial Year DocType: Employee,Date Of Retirement,Emeklilik Tarihiniz DocType: Employee,Date Of Retirement,Emeklilik Tarihiniz 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 DocType: Material Request,Transferred,aktarılan DocType: Vehicle,Doors,Kapılar @@ -3291,7 +3329,7 @@ DocType: Stock Reconciliation,Stock Reconciliation,Stok Mutabakatı DocType: Stock Reconciliation,Stock Reconciliation,Stok Mutabakatı DocType: Territory,Territory Name,Bölge Adı DocType: Email Digest,Purchase Orders to Receive,Almak için Emir Al -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Devam eden depo işi teslimden önce gereklidir +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Devam eden depo işi teslimden önce gereklidir apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Abonelikte yalnızca aynı faturalandırma döngüsüne sahip Planlarınız olabilir DocType: Bank Statement Transaction Settings Item,Mapped Data,Eşlenmiş Veri DocType: Purchase Order Item,Warehouse and Reference,Depo ve Referans @@ -3370,6 +3408,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Teslimat Ayarları apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Veriyi getir apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},{0} izin türünde izin verilen maksimum izin {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 Öğe Yayınla DocType: SMS Center,Create Receiver List,Alıcı listesi oluşturma DocType: Student Applicant,LMS Only,Sadece LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,"Kullanıma hazır tarih, satın alma tarihinden sonra olmalıdır." @@ -3405,6 +3444,7 @@ 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 DocType: Vital Signs,Furry,Kürklü apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Lütfen 'Varlık Elden Çıkarılmasına İlişkin Kâr / Zarar Hesabı''nı {0} şirketi için ayarlayın +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Add to Featured Item,Öne Çıkan Öğe Ekle 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 @@ -3417,6 +3457,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},{0} 'daki tüm sorunları görüntüle DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA .YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Kalite Toplantı Masası +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. apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,Forumları ziyaret et DocType: Student,Student Mobile Number,Öğrenci Cep Numarası DocType: Item,Has Variants,Varyasyoları var @@ -3427,9 +3468,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Aylık Dağıtım Adı DocType: Quality Procedure Process,Quality Procedure Process,Kalite Prosedürü Süreci apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Parti numarası zorunludur +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Lütfen önce Müşteri'yi seçin DocType: Sales Person,Parent Sales Person,Ana Satış Elemanı apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Alınacak hiçbir öğe gecikmedi apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Satıcı ve alıcı aynı olamaz +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Henüz görüntülenme yok DocType: Project,Collect Progress,İlerlemeyi topla DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Önce programı seçin @@ -3452,11 +3495,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Arşivlendi DocType: Student Admission,Application Form Route,Başvuru Yönerge Formu apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Anlaşmanın Bitiş Tarihi bugünden az olamaz. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Göndermek için Ctrl + Enter DocType: Healthcare Settings,Patient Encounters in valid days,Geçerli günlerde hasta karşılaşmaları apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,o ödeme olmadan terk beri Türü {0} tahsis edilemez bırakın 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},Satır {0}: Tahsis miktar {1} daha az ya da olağanüstü miktarda fatura eşit olmalıdır {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Satış faturasını kaydettiğinizde görünür olacaktır. DocType: Lead,Follow Up,Takip et +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Maliyet Merkezi: {0} mevcut değil DocType: Item,Is Sales Item,Satış Maddesi apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Ürün Grubu Ağacı apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Ürün Grubu Ağacı @@ -3508,9 +3553,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Verilen Adet DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Malzeme Talebi Kalemi -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Lütfen önce "{0} Satın Alma Makbuzu'nu iptal edin apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Ürün Grupları Ağacı DocType: Production Plan,Total Produced Qty,Toplam Üretilen Miktar +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Henüz değerlendirme yok apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Kolon numarası bu Ücret tipi için kolon numarasından büyük veya eşit olamaz DocType: Asset,Sold,Satıldı ,Item-wise Purchase History,Ürün bilgisi Satın Alma Geçmişi @@ -3532,7 +3577,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Yatırımlar DocType: Issue,Resolution Details,Karar Detayları DocType: Issue,Resolution Details,Karar Detayları -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,işlem tipi +DocType: Leave Ledger Entry,Transaction Type,işlem tipi DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kabul Kriterleri apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Yukarıdaki tabloda Malzeme İstekleri giriniz apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Dergi Girişi için geri ödeme yok @@ -3576,6 +3621,7 @@ DocType: Bank Account,Bank Account No,Banka hesap numarası DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Çalışan Vergi Muafiyeti Proof Sunumu DocType: Patient,Surgical History,Cerrahi Tarih DocType: Bank Statement Settings Item,Mapped Header,Eşlenen Üstbilgi +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ı 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. @@ -3649,7 +3695,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Antetli Kağıt Ekle DocType: Program Enrollment,Self-Driving Vehicle,Kendinden Sürüşlü Araç 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Toplam ayrılan yapraklar {0} az olamaz dönem için önceden onaylanmış yaprakları {1} den DocType: Contract Fulfilment Checklist,Requirement,gereklilik DocType: Journal Entry,Accounts Receivable,Alacak hesapları DocType: Journal Entry,Accounts Receivable,Alacak hesapları @@ -3674,7 +3719,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Tek İşlem Eşiği DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Bu değer Varsayılan Satış Fiyatı Listesinde güncellenir. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Sepetiniz boş DocType: Email Digest,New Expenses,yeni giderler -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC Miktarı apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Sürücü Adresi Eksik Olarak Rotayı Optimize Etme DocType: Shareholder,Shareholder,Hissedar DocType: Purchase Invoice,Additional Discount Amount,Ek İndirim Tutarı @@ -3715,6 +3759,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Bakım Görevi apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Lütfen GST Ayarlarında B2C Sınırı ayarlayın. DocType: Marketplace Settings,Marketplace Settings,Marketplace Ayarları DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Reddedilen Ürün stoklarını muhafaza ettiğiniz depo +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,{0} Öğeyi Yayımla 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,Anahtar tarih {2} için {0} ila {1} arası döviz kuru bulunamadı. Lütfen bir Döviz Değiştirme kaydı el ile oluşturun DocType: POS Profile,Price List,Fiyat listesi DocType: POS Profile,Price List,Fiyat listesi @@ -3754,6 +3799,7 @@ DocType: Salary Component,Deduction,Kesinti DocType: Item,Retain Sample,Numune Alın apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Satır {0}: From Time ve Zaman için zorunludur. DocType: Stock Reconciliation Item,Amount Difference,tutar Farkı +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Bu sayfa satıcılardan satın almak istediğiniz ürünleri takip eder. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},{0} için fiyat kartı oluşturuldu (Fiyat Listesi {1}) DocType: Delivery Stop,Order Information,Sipariş Bilgisi apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Bu satış kişinin Çalışan Kimliği giriniz @@ -3784,6 +3830,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Değerlendirme Planı Adı apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Hedef Detayları apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Şirket SpA, SApA veya SRL ise uygulanabilir" @@ -3843,7 +3890,6 @@ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Ba 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ı -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Üstte 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 @@ -3900,6 +3946,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Yılın karı 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 @@ -3957,12 +4004,10 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektr apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronik 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Şirket için hiçbir GST No. bulunamadı. 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 DocType: Question,Single Correct Answer,Tek Doğru Cevap -DocType: Employee,Contact Details,İletişim Bilgileri DocType: C-Form,Received Date,Alınan Tarih DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Satış Vergi ve Harçlar Şablon standart bir şablon oluşturdu varsa, birini seçin ve aşağıdaki butona tıklayın." DocType: BOM Scrap Item,Basic Amount (Company Currency),Temel Tutar (Şirket Para Birimi) @@ -3993,12 +4038,13 @@ DocType: BOM Website Operation,BOM Website Operation,Ürün Ağacı Web Sitesi O DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,Tedarikçi Puanı apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Program Kabulü +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Toplam Ödeme İsteği tutarı {0} tutarından büyük olamaz DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kümülatif İşlem Eşiği DocType: Promotional Scheme Price Discount,Discount Type,İndirim türü -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Toplam Faturalandırılan Tutarı DocType: Purchase Invoice Item,Is Free Item,Ücretsiz Öğe +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Yüzde, sipariş edilen miktara karşı daha fazla transfer yapmanıza izin verilir. Örneğin: 100 birim sipariş ettiyseniz. Harcırahınız% 10'dur ve 110 birim aktarmanıza izin verilir." DocType: Supplier,Warn RFQs,RFQ'ları uyar -apps/erpnext/erpnext/templates/pages/home.html,Explore,Keşfet! +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Keşfet! DocType: BOM,Conversion Rate,Dönüşüm oranı apps/erpnext/erpnext/www/all-products/index.html,Product Search,Ürün Arama ,Bank Remittance,Banka havalesi @@ -4010,6 +4056,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Toplamda ödenen miktar DocType: Asset,Insurance End Date,Sigorta Bitiş Tarihi apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Lütfen ödenen öğrenci başvurusu için zorunlu Öğrenci Kabulünü seçin +DocType: Pick List,STO-PICK-.YYYY.-,STO SEÇME-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Bütçe Listesi DocType: Campaign,Campaign Schedules,Kampanya Takvimleri DocType: Job Card Time Log,Completed Qty,Tamamlanan Adet @@ -4034,6 +4081,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Yeni Adre DocType: Quality Inspection,Sample Size,Numune Miktarı apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Makbuz Belge giriniz apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Bütün Ürünler zaten faturalandırılmıştır +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Alınan Yapraklar apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',Lütfen geçerlli bir 'durum nodan başlayarak' belirtiniz 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,"Daha fazla masraf Gruplar altında yapılabilir, ancak girişleri olmayan Gruplar karşı yapılabilir" 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,"Toplam ayrılan yapraklar, dönemdeki {1} çalışan için maksimum {1} izin türünden daha fazla gündür." @@ -4143,6 +4191,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Tüm Değer apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,No active or default Salary Structure found for employee {0} for the given dates,Verilen tarihler için çalışan {0} için bulunamadı aktif veya varsayılan Maaş Yapısı DocType: Leave Block List,Allow Users,Kullanıcılara izin ver 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: 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. @@ -4201,6 +4251,7 @@ DocType: Support Search Source,Result Title Field,Sonuç Başlık Alanı apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Çağrı özeti DocType: Sample Collection,Collected Time,Toplanan Zaman DocType: Employee Skill Map,Employee Skills,Çalışan Becerileri +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Yakıt gideri DocType: Company,Sales Monthly History,Satış Aylık Tarihi apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Lütfen Vergiler ve Ücretler Tablosunda en az bir satır belirtin DocType: Asset Maintenance Task,Next Due Date,Sonraki Bitiş Tarihi @@ -4211,6 +4262,7 @@ DocType: Payment Entry,Payment Deductions or Loss,Ödeme Kesintiler veya Zararı DocType: Soil Analysis,Soil Analysis Criterias,Toprak Analiz Kriterleri apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Satış veya Satın Alma için standart sözleşme şartları. apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Satış veya Satın Alma için standart sözleşme şartları. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},{0} konumundaki Satırlar Kaldırıldı DocType: Shift Type,Begin check-in before shift start time (in minutes),Vardiya başlama zamanından önce check-ine başlayın (dakika olarak) DocType: BOM Item,Item operation,Öğe operasyonu apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Dekont Grubu @@ -4236,11 +4288,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,çalışanın maaş Kuponu {0} zaten bu dönem için oluşturulan apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Ecza apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,İzin Depozitini geçerli bir nakit miktarı için gönderebilirsiniz. +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Tarafından öğeleri apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Satın Öğeler Maliyeti DocType: Employee Separation,Employee Separation Template,Çalışan Ayırma Şablonu DocType: Selling Settings,Sales Order Required,Satış Sipariş Gerekli apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Satıcı Olun -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Sonucun yürütülmesinden sonraki olay sayısı. ,Procurement Tracker,Tedarik Takibi DocType: Purchase Invoice,Credit To,Kredi için DocType: Purchase Invoice,Credit To,Kredi için @@ -4255,6 +4307,7 @@ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Bakım Program DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Bakım Programı Detayı DocType: Supplier Scorecard,Warn for new Purchase Orders,Yeni Satın Alma Siparişi için Uyarı DocType: Quality Inspection Reading,Reading 9,9 Okuma +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Exotel Hesabınızı ERPNext'e bağlayın ve çağrı kayıtlarını takip edin DocType: Supplier,Is Frozen,Donmuş DocType: Tally Migration,Processed Files,İşlenmiş Dosyalar apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Grup düğüm depo işlemleri için seçmek için izin verilmez @@ -4264,6 +4317,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Biten İyi Ürün i DocType: Upload Attendance,Attendance To Date,Tarihine kadar katılım 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 @@ -4290,7 +4344,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Talep eden apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Geçersiz referans {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Farklı promosyon programlarını uygulama kuralları. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) planlanan quanitity daha büyük olamaz ({2}) Üretim Sipariş {3} DocType: Shipping Rule,Shipping Rule Label,Kargo Kural Etiketi DocType: Journal Entry Account,Payroll Entry,Bordro Girişi apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Ücret Kayıtlarını Görüntüleme @@ -4302,6 +4355,7 @@ DocType: Contract,Fulfilment Status,Yerine Getirilme Durumu DocType: Lab Test Sample,Lab Test Sample,Laboratuvar Testi Örneği DocType: Item Variant Settings,Allow Rename Attribute Value,Öznitelik Değerini Yeniden Adlandırmaya İzin Ver apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Hızlı Kayıt Girdisi +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Gelecekteki Ödeme Tutarı apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Herhangi bir Ürünye karşo BOM belirtildiyse oran değiştiremezsiniz. DocType: Restaurant,Invoice Series Prefix,Fatura Serisi Öneki DocType: Employee,Previous Work Experience,Önceki İş Deneyimi @@ -4332,6 +4386,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Proje Durumu DocType: UOM,Check this to disallow fractions. (for Nos),Kesirlere izin vermemek için işaretleyin (Numaralar için) DocType: Student Admission Program,Naming Series (for Student Applicant),Seri İsimlendirme (Öğrenci Başvuru için) +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/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 @@ -4350,6 +4405,7 @@ DocType: Task Depends On,Task Depends On,Görev Bağlıdır apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Fırsat apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Fırsat DocType: Options,Option,seçenek +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},{0} kapalı muhasebe döneminde muhasebe girişi oluşturamazsınız. DocType: Operation,Default Workstation,Standart İstasyonu DocType: Payment Entry,Deductions or Loss,Kesintiler veya Zararı apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} kapatıldı @@ -4358,6 +4414,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Cari Stok alın DocType: Purchase Invoice,ineligible,uygunsuz apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Malzeme Listesi Ağacı +DocType: BOM,Exploded Items,Patlamış Öğeler DocType: Student,Joining Date,birleştirme tarihi ,Employees working on a holiday,tatil çalışanlar ,TDS Computation Summary,TDS Hesap Özeti @@ -4393,6 +4450,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Temel Oranı (Stok Öl DocType: SMS Log,No of Requested SMS,İstenen SMS Sayısı apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,onaylanmış bırakın Uygulama kayıtları ile eşleşmiyor Öde Yapmadan apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Sonraki adımlar +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Kaydedilen Öğeler DocType: Travel Request,Domestic,yerli apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Lütfen belirtilen ürünleri mümkün olan en rekabetçi fiyatlarla sununuz apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Devir tarihinden önce çalışan transferi yapılamaz. @@ -4466,7 +4524,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Varlık Tipi Hesabı apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,{0} değeri zaten mevcut bir {2} Öğesine atandı. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Sıra # {0} (Ödeme Tablosu): Miktarın pozitif olması gerekir -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Satış Sipariş Miktarı {1} den fazla Ürün {0} üretilemez +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Satış Sipariş Miktarı {1} den fazla Ürün {0} üretilemez apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Hiçbir şey brüt dahil değildir apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill bu belge için zaten var apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Özellik Değerlerini Seç @@ -4505,12 +4563,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Erken Çıkış için Farklı Sonuçları Etkinleştir ,Lab Test Report,Lab Test Raporu DocType: Employee Benefit Application,Employee Benefit Application,Çalışanlara Sağlanan Fayda 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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Lütfen İrsaliye ilk DocType: Student Applicant,Application Date,Başvuru Tarihi DocType: Salary Component,Amount based on formula,Tutar formüle dayalı DocType: Purchase Invoice,Currency and Price List,Döviz ve Fiyat Listesi @@ -4542,6 +4598,7 @@ DocType: Purchase Receipt,Time at which materials were received,Malzemelerin al DocType: Products Settings,Products per Page,Sayfa Başına Ürünler 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Tahsis edilen miktar negatif olamaz DocType: Sales Order,Billing Status,Fatura Durumu DocType: Sales Order,Billing Status,Fatura Durumu @@ -4553,6 +4610,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90 üzerinde 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,Satır # {0}: günlük girdisi {1} hesabı yok {2} ya da zaten başka bir çeki karşı eşleşti DocType: Supplier Scorecard Criteria,Criteria Weight,Ölçütler Ağırlık +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Hesap: {0} Ödeme Girişi altında izin verilmiyor DocType: Production Plan,Ignore Existing Projected Quantity,Mevcut Öngörülen Miktarı Yoksay apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Onay Bildirimini Bırak DocType: Buying Settings,Default Buying Price List,Standart Alış Fiyat Listesi @@ -4562,6 +4620,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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" DocType: Payment Entry,Payment Type,Ödeme Şekli DocType: Payment Entry,Payment Type,Ödeme Şekli @@ -4593,6 +4652,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Alışveriş Sepeti Ayarl DocType: Journal Entry,Accounting Entries,Muhasebe Girişler 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." +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ı DocType: Journal Entry,Paid Loan,Ücretli Kredi 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} @@ -4611,12 +4671,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Ayrıntılar apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Hiçbir zaman çarşaf DocType: GoCardless Mandate,GoCardless Customer,GoCardless Müşterisi apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} carry-iletilmesine olamaz Type bırakın +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Bakım Programı bütün Ürünler için oluşturulmamıştır. Lütfen 'Program Oluştura' tıklayın ,To Produce,Üretilecek DocType: Leave Encashment,Payroll,Bordro 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","Satırdaki {0} içinde {1}. Ürün fiyatına {2} eklemek için, satır {3} de dahil edilmelidir" DocType: Healthcare Service Unit,Parent Service Unit,Ana Hizmet Birimi DocType: Packing Slip,Identification of the package for the delivery (for print),(Baskı için) teslimat için ambalajın tanımlanması +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Hizmet Seviyesi Anlaşması sıfırlandı. DocType: Bin,Reserved Quantity,Ayrılan Miktar apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Lütfen geçerli e-posta adresini girin apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Lütfen geçerli e-posta adresini girin @@ -4639,7 +4701,6 @@ DocType: Pricing Rule,Price or Product Discount,Fiyat veya Ürün İndirimi apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,{0} satırı için: Planlanan miktarı girin DocType: Account,Income Account,Gelir Hesabı DocType: Account,Income Account,Gelir Hesabı -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge DocType: Payment Request,Amount in customer's currency,Müşterinin para miktarı apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,İrsaliye apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Yapılara ata... @@ -4663,6 +4724,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Ref,Ref @@ -4726,11 +4788,10 @@ DocType: Additional Salary,HR User,İK Kullanıcı DocType: Bank Guarantee,Reference Document Name,Referans Doküman Adı DocType: Purchase Invoice,Taxes and Charges Deducted,Mahsup Vergi ve Harçlar DocType: Support Settings,Issues,Sorunlar -DocType: Shift Type,Early Exit Consequence after,Erken Çıkış Sonrası Sonuçları DocType: Loyalty Program,Loyalty Program Name,Bağlılık Programı Adı apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Durum şunlardan biri olmalıdır {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,GSTIN'in güncellenmesi için hatırlatıcı gönderildi -DocType: Sales Invoice,Debit To,Borç +DocType: Discounted Invoice,Debit To,Borç DocType: Restaurant Menu Item,Restaurant Menu Item,Restaurant Menü Öğesi DocType: Delivery Note,Required only for sample item.,Sadece örnek Ürün için gereklidir. DocType: Stock Ledger Entry,Actual Qty After Transaction,İşlem sonrası gerçek Adet @@ -4820,6 +4881,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Parametre Adı apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Sadece sunulabilir 'Reddedildi' 'Onaylandı' ve statülü Uygulamaları bırakın apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Boyutların Oluşturulması ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Öğrenci Grubu Adı satırda zorunludur {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Kredi limitini atla DocType: Homepage,Products to be shown on website homepage,Ürünler web sitesi ana sayfasında gösterilecek DocType: HR Settings,Password Policy,Şifre politikası apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Bu bir kök müşteri grubudur ve düzenlenemez. @@ -4880,11 +4942,11 @@ DocType: Packing Slip,If more than one package of the same type (for print),(Bas apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Lütfen Restoran Ayarları'nda varsayılan müşteriyi ayarlayın ,Salary Register,Maaş Kayıt DocType: Company,Default warehouse for Sales Return,Satış İadesi için varsayılan depo -DocType: Warehouse,Parent Warehouse,Ana Depo +DocType: Pick List,Parent Warehouse,Ana Depo DocType: Subscription,Net Total,Net Toplam DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Çeşitli kredi türlerini tanımlama DocType: Bin,FCFS Rate,FCFS Oranı @@ -4921,6 +4983,7 @@ DocType: Travel Itinerary,Lodging Required,Konaklama Gerekli DocType: Promotional Scheme,Price Discount Slabs,Fiyat İndirim Levhaları DocType: Stock Reconciliation Item,Current Serial No,Geçerli Seri No DocType: Employee,Attendance and Leave Details,Katılım ve Ayrıntı Ayrıntıları +,BOM Comparison Tool,BOM Karşılaştırma Aracı ,Requested,Talep ,Requested,Talep apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Hiçbir Açıklamalar @@ -4945,6 +5008,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Varsayılan Servis Seviyesi Sözleşmesi DocType: SG Creation Tool Course,Course Code,Kurs kodu apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,{0} için birden fazla seçime izin verilmiyor +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,"Hammadde miktarına, Mamul Madde miktarına göre karar verilecektir." DocType: Location,Parent Location,Ana Konum DocType: POS Settings,Use POS in Offline Mode,Çevrimdışı Modda POS kullanın apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Öncelik {0} olarak değiştirildi. @@ -4964,7 +5028,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Numune Alma Deposu DocType: Company,Default Receivable Account,Standart Alacak Hesabı apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Öngörülen Miktar Formülü DocType: Sales Invoice,Deemed Export,İhracatın Dengesi -DocType: Stock Entry,Material Transfer for Manufacture,Üretim için Materyal Transfer +DocType: Pick List,Material Transfer for Manufacture,Üretim için Materyal Transfer 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.,İndirim Yüzdesi bir Fiyat listesine veya bütün fiyat listelerine karşı uygulanabilir. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Stokta Muhasebe Giriş DocType: Lab Test,LabTest Approver,LabTest Onaylayıcısı @@ -5012,7 +5076,6 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Hesap {0} dondurulmuş apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Hesap {0} donduruldu DocType: Quiz Question,Quiz Question,Sınav Sorusu -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Tedarikçi> Tedarikçi Tipi DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Örgüte ait Hesap ayrı Planı Tüzel Kişilik / Yardımcı. 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" @@ -5046,6 +5109,7 @@ 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 DocType: Account,Expense Account,Gider Hesabı DocType: Account,Expense Account,Gider Hesabı apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Yazılım @@ -5088,6 +5152,7 @@ DocType: Quality Inspection,Inspection Type,Muayene Türü DocType: Quality Inspection,Inspection Type,Muayene Türü apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,All bank transactions have been created,Tüm banka işlemleri oluşturuldu DocType: Fee Validity,Visited yet,Henüz ziyaret edilmedi +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,8 öğeye kadar Featuring yapabilirsiniz. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Mevcut işlem ile depolar grubuna dönüştürülemez. 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. @@ -5096,7 +5161,6 @@ apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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ığı @@ -5124,7 +5188,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Saatlerde UOM Dön DocType: Contract,Signee Details,Signee Detayları apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} şu anda bir {1} Tedarikçi Puan Kartı'na sahip ve bu tedarikçinin RFQ'ları dikkatli bir şekilde verilmelidir. DocType: Certified Consultant,Non Profit Manager,Kâr Dışı Müdür -DocType: BOM,Total Cost(Company Currency),Toplam Maliyet (Şirket Para Birimi) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Seri No {0} oluşturuldu apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Seri No {0} oluşturuldu DocType: Homepage,Company Description for website homepage,web sitesinin ana Firma Açıklaması @@ -5154,7 +5217,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Tedarik e DocType: Amazon MWS Settings,Enable Scheduled Synch,Zamanlanmış Senkronizasyonu Etkinleştir apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,DateTime için apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Sms teslim durumunu korumak için Günlükleri -DocType: Shift Type,Early Exit Consequence,Erken Çıkış Sonucu DocType: Accounts Settings,Make Payment via Journal Entry,Dergi Giriş aracılığıyla Ödeme Yap apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Lütfen bir kerede 500'den fazla öğe oluşturmayın apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Baskılı Açık @@ -5218,6 +5280,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,sınır Çapraz 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 +DocType: Plaid Settings,Plaid Secret,Ekose Sırrı DocType: Company,Date of Establishment,Kuruluş tarihi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Girişim Sermayesi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Girişim Sermayesi @@ -5285,6 +5348,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,müşteri tipi DocType: Compensatory Leave Request,Leave Allocation,İzin Tahsisi DocType: Payment Request,Recipient Message And Payment Details,Alıcı Mesaj Ve Ödeme Ayrıntıları +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Lütfen bir Teslimat Notu seçin DocType: Support Search Source,Source DocType,Kaynak DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Yeni bir bilet aç DocType: Training Event,Trainer Email,eğitmen E-posta @@ -5415,6 +5479,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Tarihine Kadar' 'Tarihinden itibaren' den sonra olmalıdır apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Bu tayin için hiçbir personel planı bulunamadı apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Öğe {1} öğesinin {0} tanesi devre dışı bırakıldı. @@ -5436,7 +5501,7 @@ DocType: Clinical Procedure,Patient,Hasta apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Satış Siparişinde kredi kontrolünü atla DocType: Employee Onboarding Activity,Employee Onboarding Activity,Çalışan Katılımı Etkinliği DocType: Location,Check if it is a hydroponic unit,Hidroponik bir birim olup olmadığını kontrol edin -DocType: Stock Reconciliation Item,Serial No and Batch,Seri No ve Toplu +DocType: Pick List Item,Serial No and Batch,Seri No ve Toplu DocType: Warranty Claim,From Company,Şirketten DocType: GSTR 3B Report,January,Ocak apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Değerlendirme Kriterleri Puanlarının Toplamı {0} olması gerekir. @@ -5462,7 +5527,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Fiyat Li 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Inter Şirket İşlemleri için {0} bulunamadı. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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 @@ -5497,11 +5561,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Maliyet Merk 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 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- apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Kalan DocType: Appraisal,Appraisal,Appraisal:Değerlendirme DocType: Loan,Loan Account,Borç hesabı apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Kümülatif alanlar için geçerli ve geçerli alanlar zorunludur +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","{1} satırındaki {0} öğesi için, seri numaralarının sayısı toplanan miktarla eşleşmiyor" DocType: Purchase Invoice,GST Details,GST Detayları apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,"Bu, bu Sağlık Hizmeti Uygulayıcısına yapılan işlemlere dayanmaktadır." apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},{0} tedarikçisine e-posta gönderildi @@ -5568,6 +5634,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Paketin brüt ağırlığı. Genellikle net ağırlığı + ambalaj Ürünü ağırlığı. (Baskı için) DocType: Assessment Plan,Program,program DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Bu role sahip kullanıcıların dondurulmuş hesapları ayarlama ve dondurulmuş hesaplara karşı muhasebe girdileri oluşturma/düzenleme yetkileri vardır +DocType: Plaid Settings,Plaid Environment,Ekose Çevre ,Project Billing Summary,Proje Fatura Özeti DocType: Vital Signs,Cuts,keser DocType: Serial No,Is Cancelled,İptal edilmiş @@ -5635,7 +5702,6 @@ apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check o DocType: Issue,Opening Date,Açılış Tarihi DocType: Issue,Opening Date,Açılış Tarihi apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Lütfen önce hastayı kaydedin -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Yeni İletişim Kur apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Mevcudiyet başarıyla işaretlendi DocType: Program Enrollment,Public Transport,Toplu taşıma DocType: Sales Invoice,GST Vehicle Type,GST Araç Türü @@ -5662,6 +5728,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Tedarikçil 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ı +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Öncelikle Öğe Konumları tablosuna öğe ekleyin DocType: Pricing Rule,Discount Amount,İndirim Tutarı DocType: Pricing Rule,Discount Amount,İndirim Tutarı DocType: Pricing Rule,Period Settings,Periyot Ayarları @@ -5696,7 +5763,6 @@ DocType: Assessment Plan,Assessment Plan,Değerlendirme Planı DocType: Travel Request,Fully Sponsored,Tamamen Sponsorlu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Ters Günlük Girişi apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,İş kartı oluştur -DocType: Shift Type,Consequence after,Sonra sonuç DocType: Quality Procedure Process,Process Description,Süreç açıklaması apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Müşteri {0} oluşturuldu. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Şu an herhangi bir depoda stok yok @@ -5731,6 +5797,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Gümrükleme Tarih DocType: Delivery Settings,Dispatch Notification Template,Sevk Bildirim Şablonu apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Değerlendirme raporu apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Çalışanları al +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 @@ -5830,7 +5897,6 @@ DocType: Stock Settings,Use Naming Series,Adlandırma Dizisini Kullan apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Hiçbir eylem apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Değerleme tipi ücretleri dahil olarak işaretlenmiş olamaz DocType: POS Profile,Update Stock,Stok güncelle -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. apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Ürünler için farklı Ölçü Birimi yanlış (Toplam) net ağırlıklı değere yol açacaktır. Net ağırlıklı değerin aynı olduğundan emin olun. DocType: Certification Application,Payment Details,Ödeme detayları apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Ürün Ağacı Oranı @@ -5867,7 +5933,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Bu bir kök satış kişisidir ve düzenlenemez. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Seçilirse, bu bileşen içinde belirtilen veya hesaplanan değer kazanç veya kesintilere katkıda bulunmaz. Bununla birlikte, bu değer, eklenebilecek veya düşülebilecek diğer bileşenler tarafından referans alınabilir." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Seçilirse, bu bileşen içinde belirtilen veya hesaplanan değer kazanç veya kesintilere katkıda bulunmaz. Bununla birlikte, bu değer, eklenebilecek veya düşülebilecek diğer bileşenler tarafından referans alınabilir." -DocType: Asset Settings,Number of Days in Fiscal Year,Mali Yılındaki Gün Sayısı ,Stock Ledger,Stok defteri DocType: Company,Exchange Gain / Loss Account,Kambiyo Kâr / Zarar Hesabı DocType: Amazon MWS Settings,MWS Credentials,MWS Kimlik Bilgileri @@ -5905,6 +5970,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Banka Dosyasındaki Sütun apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},{1} öğrencisine karşı {0} uygulamasını zaten bırakın apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Tüm Malzeme Listesi'nde en son fiyatı güncellemek için bekletildi. Birkaç dakika sürebilir. +DocType: Pick List,Get Item Locations,Öğe Konumlarını Alın apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Yeni Hesabın Adı. Not: Müşteriler ve Tedarikçiler için hesap oluşturmayın DocType: POS Profile,Display Items In Stock,Stoktaki Ürünleri Görüntüle apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Ülke bilgisi varsayılan adres şablonları @@ -5929,6 +5995,7 @@ DocType: Crop,Materials Required,Gerekli malzemeler apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Hiçbir öğrenci Bulundu DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Aylık İHU İstisnası DocType: Clinical Procedure,Medical Department,Tıp Departmanı +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Toplam Erken Çıkış DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Tedarikçi Puan Kartı Puanlama Kriterleri apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Fatura Gönderme Tarihi apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Satmak @@ -5940,11 +6007,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Bu dokümanı iptal etmek için lütfen {0} \ Çalışanını silin" DocType: Program Enrollment,School House,Okul Evi DocType: Serial No,Out of AMC,Çıkış AMC DocType: Opportunity,Opportunity Amount,Fırsat Tutarı +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Senin profil apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Rezervasyon amortismanları sayısı amortismanlar Toplam Sayısı fazla olamaz DocType: Purchase Order,Order Confirmation Date,Sipariş Onay Tarihi DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -6043,7 +6109,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Oran, pay sayısı ve hesaplanan tutar arasında tutarsızlıklar vardır" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Telafi edici izin talebi günleri arasında tüm gün (ler) mevcut değilsiniz. apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Re-tipi şirket ismi onaylamak için lütfen -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Toplam Alacakların Tutarı DocType: Journal Entry,Printing Settings,Baskı Ayarları DocType: Payment Order,Payment Order Type,Ödeme Emri Türü DocType: Employee Advance,Advance Account,Peşin Hesap @@ -6145,7 +6210,6 @@ DocType: Fiscal Year,Year Name,Yıl Adı DocType: Fiscal Year,Year Name,Yıl Adı apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Bu ayda çalışma günlerinden daha fazla tatil vardır. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,"Aşağıdaki {0} öğeler, {1} öğe olarak işaretlenmemiş. Öğeleri ana öğesinden {1} öğe olarak etkinleştirebilirsiniz" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Ürün Paketi Ürün DocType: Sales Partner,Sales Partner Name,Satış Ortağı Adı DocType: Sales Partner,Sales Partner Name,Satış Ortağı Adı @@ -6156,7 +6220,7 @@ DocType: Normal Test Items,Normal Test Items,Normal Test Öğeleri DocType: QuickBooks Migrator,Company Settings,Firma Ayarları DocType: QuickBooks Migrator,Company Settings,Firma Ayarları DocType: Additional Salary,Overwrite Salary Structure Amount,Maaş Yapısı Miktarının Üzerine Yaz -apps/erpnext/erpnext/config/hr.py,Leaves,Yapraklar +DocType: Leave Ledger Entry,Leaves,Yapraklar DocType: Student Language,Student Language,Öğrenci Dili DocType: Cash Flow Mapping,Is Working Capital,İşletme Sermayesi mi apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Kanıt Gönder @@ -6164,12 +6228,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Sipariş / Teklif% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Kayıt Hasta Vitals DocType: Fee Schedule,Institution,kurum -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: Asset,Partially Depreciated,Kısmen Değer Kaybına Uğramış DocType: Issue,Opening Time,Açılış Zamanı apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Tarih aralığı gerekli apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Teminatlar ve Emtia Borsaları -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},{0} tarafından çağrı özeti: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Dokümanlar Ara apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variant için Ölçü Varsayılan Birim '{0}' Şablon aynı olmalıdır '{1}' DocType: Shipping Rule,Calculate Based On,Tabanlı hesaplayın @@ -6218,6 +6280,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Maksimum İzin Verilebilir Değer 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 DocType: Lab Test Template,Sensitivity,Duyarlılık DocType: Plaid Settings,Plaid Settings,Ekose Ayarlar apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Maksimum deneme sayısı aşıldığı için senkronizasyon geçici olarak devre dışı bırakıldı @@ -6237,6 +6300,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,İlk Gönderme Tarihi seçiniz apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Tarih Açılış Tarihi Kapanış önce olmalıdır DocType: Travel Itinerary,Flight,Uçuş +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Eve geri dön DocType: Leave Control Panel,Carry Forward,Nakletmek DocType: Leave Control Panel,Carry Forward,Nakletmek apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Maliyet Merkezi mevcut işlemlere ana deftere dönüştürülemez @@ -6301,6 +6365,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Teklif oluşturma apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Blok Tarihlerdeki çıkışları onaylama yetkiniz yok apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} {1} için istek apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Bütün bu ürünler daha önce faturalandırılmıştır +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Belirttiğiniz filtrelere uygun {0} {1} için ödenmemiş fatura bulunamadı. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Yeni Yayın Tarihi Ayarla DocType: Company,Monthly Sales Target,Aylık Satış Hedefi apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Ödenmemiş fatura bulunamadı @@ -6350,6 +6415,7 @@ DocType: Batch,Source Document Name,Kaynak Belge Adı DocType: Batch,Source Document Name,Kaynak Belge Adı DocType: Production Plan,Get Raw Materials For Production,Üretim İçin Hammaddeleri Alın DocType: Job Opening,Job Title,İş Unvanı +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Gelecekteki Ödeme Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0}, {1} 'in teklif vermeyeceğini, ancak tüm maddelerin \ teklif edildiğini belirtir. RFQ teklif durumu güncelleniyor." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,"Maksimum Örnekler - {0}, Toplu İş {1} ve Öğe {2} için Toplu İş Alma İşlemi {3} içinde zaten tutuldu." @@ -6360,12 +6426,10 @@ apps/erpnext/erpnext/utilities/activation.py,Create Users,Kullanıcılar oluştu 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: Company,Product Code,Ürün Kodu DocType: Quality Review Table,Objective,Amaç DocType: Supplier Scorecard,Per Month,Her ay DocType: Education Settings,Make Academic Term Mandatory,Akademik Şartı Zorunlu Yap -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Üretim Miktar 0'dan büyük olmalıdır. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Mali Yılı İle Oranlı Amortisman Planını Hesapla +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Üretim Miktar 0'dan büyük olmalıdır. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Bakım araması için ziyaret raporu. DocType: Stock Entry,Update Rate and Availability,Güncelleme Oranı ve Kullanılabilirlik 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.,"Sipariş edilen miktara karşı alabileceğiniz veya teslim edebileceğiniz daha fazla miktar. Örneğin, 100 birim sipariş verdiyseniz,izniniz %10'dur, bu durumda 110 birim almaya izniniz vardır." @@ -6378,7 +6442,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Çıkış tarihi gelecekte olmalı DocType: BOM,Website Description,Web Sitesi Açıklaması apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Özkaynak Net Değişim -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Lütfen önce iptal edin: Satınalma Faturası {0} apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,İzin verilmedi. Lütfen Servis Ünitesi Tipini devre dışı bırakın apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","{0} E-posta adresi zaten var, benzersiz olmalıdır." DocType: Serial No,AMC Expiry Date,AMC Bitiş Tarihi @@ -6397,6 +6460,7 @@ apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_re 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}) apps/erpnext/erpnext/public/js/pos/pos.html,No Customers yet!,Henüz müşteri yok! DocType: Quality Procedure Process,Link existing Quality Procedure.,Mevcut Kalite Prosedürünü bağlayın. apps/erpnext/erpnext/config/hr.py,Loans,Krediler @@ -6423,6 +6487,7 @@ DocType: Pricing Rule,Price Discount Scheme,Fiyat İndirim Şeması apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Bakım Durumu İptal Edildi veya Gönderilmesi Tamamlandı DocType: Amazon MWS Settings,US,BİZE DocType: Holiday List,Add Weekly Holidays,Haftalık Tatilleri Ekle +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Öğe Bildir DocType: Staffing Plan Detail,Vacancies,Açık İşler DocType: Hotel Room,Hotel Room,Otel odası apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Hesap {0} yapan şirkete ait değil {1} @@ -6479,6 +6544,7 @@ apps/erpnext/erpnext/www/all-products/item_row.html,More Details,Daha Fazla Deta 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 @@ -6486,6 +6552,8 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Financial Services 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Bu dokümanı iptal etmek için lütfen {0} \ Çalışanını silin" 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 @@ -6499,6 +6567,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Boş DocType: Patient,Alcohol Past Use,Alkol Geçmiş Kullanım DocType: Fertilizer Content,Fertilizer Content,Gübre İçerik +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,açıklama yok apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Fatura Kamu DocType: Quality Goal,Monitoring Frequency,Frekans İzleme @@ -6517,6 +6586,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,"Bitiş Tarihi, Sonraki İletişim Tarihi'nden önce olamaz." apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Toplu Girişler DocType: Journal Entry,Pay To / Recd From,Gönderen/Alınan +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Yayından kaldır DocType: Naming Series,Setup Series,Kurulum Serisi DocType: Naming Series,Setup Series,Kurulum Serisi DocType: Payment Reconciliation,To Invoice Date,Tarihi Faturaya @@ -6540,6 +6610,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Perakende DocType: Student Attendance,Absent,Eksik DocType: Staffing Plan,Staffing Plan Detail,Kadro Planı Detayı DocType: Employee Promotion,Promotion Date,Tanıtım Tarihi +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,% S izin tahsisatı% s izin başvurusuyla bağlantılı 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} @@ -6575,9 +6646,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Fatura {0} artık mevcut değil DocType: Guardian Interest,Guardian Interest,Guardian İlgi DocType: Volunteer,Availability,Kullanılabilirlik +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,"İzin başvurusu, {0} izin tahsisleri ile bağlantılı. İzinsiz bırakılma başvurusu, izinsiz izinsiz yapılamaz" apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS Faturaları için varsayılan değerleri ayarlayın DocType: Employee Training,Training,Eğitim DocType: Project,Time to send,Gönderme zamanı +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Bu sayfa, alıcıların ilgi gösterdiği öğelerin kaydını tutar." DocType: Timesheet,Employee Detail,Çalışan Detay apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,{0} Prosedürü için depo ayarlayın apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,Guardian1 E-posta Kimliği @@ -6681,12 +6754,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,açılış Değeri DocType: Salary Component,Formula,formül apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Seri # -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ı 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/setup/doctype/company/company.py,Sales Account,Satış hesabı DocType: Purchase Invoice Item,Total Weight,Toplam ağırlık +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 @@ -6713,6 +6786,7 @@ DocType: Company,Default Employee Advance Account,Varsayılan Çalışan Vadeli apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Öğe Ara (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,İşlem görmüş hesaplar silinemez. +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Bu öğenin neden kaldırılması gerektiğini düşünüyorsunuz? DocType: Vehicle,Last Carbon Check,Son Karbon Kontrol apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Yasal Giderler apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Yasal Giderler @@ -6739,6 +6813,7 @@ DocType: Maintenance Visit,Breakdown,Arıza DocType: Maintenance Visit,Breakdown,Arıza DocType: Travel Itinerary,Vegetarian,Vejetaryen DocType: Patient Encounter,Encounter Date,Karşılaşma Tarihi +DocType: Work Order,Update Consumed Material Cost In Project,Projede Tüketilen Malzeme Maliyetini Güncelle apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Hesap: {0} para ile: {1} seçilemez DocType: Bank Statement Transaction Settings Item,Bank Data,Banka Verileri DocType: Purchase Receipt Item,Sample Quantity,Numune Miktarı @@ -6796,8 +6871,8 @@ 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 DocType: Work Order,Total Operating Cost,Toplam İşletme Maliyeti -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Not: Ürün {0} birden çok kez girilmiş -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Not: Ürün {0} birden çok kez girilmiş +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Not: Ürün {0} birden çok kez girilmiş +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Not: Ürün {0} birden çok kez girilmiş apps/erpnext/erpnext/config/buying.py,All Contacts.,Tüm Kişiler. apps/erpnext/erpnext/config/buying.py,All Contacts.,Tüm Kişiler. DocType: Accounting Period,Closed Documents,Kapalı Belgeler @@ -6883,9 +6958,7 @@ DocType: Member,Membership Type,üyelik tipi ,Reqd By Date,Teslim Tarihi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Alacaklılar DocType: Assessment Plan,Assessment Name,Değerlendirme Adı -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,PDC'yi Yazdır'da Göster apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Satır # {0}: Seri No zorunludur -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,{0} {1} için ödenmemiş fatura bulunamadı. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Ürün Vergi Detayları DocType: Employee Onboarding,Job Offer,İş teklifi apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Enstitü Kısaltma @@ -6952,6 +7025,7 @@ DocType: Serial No,Out of Warranty,Garanti Dışı DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Eşlenen Veri Türü DocType: BOM Update Tool,Replace,Değiştir apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Hiçbir ürün bulunamadı. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Daha Fazla Ürün Yayınla apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},"Bu Servis Seviyesi Sözleşmesi, {0} Müşterisine özel" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} Satış Faturasına karşı {1} DocType: Antibiotic,Laboratory User,Laboratuar Kullanıcısı @@ -6976,7 +7050,6 @@ DocType: Payment Order Reference,Bank Account Details,Banka hesabı detayları DocType: Purchase Order Item,Blanket Order,Battaniye siparişi 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ı -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Üretim Siparişi {0} oldu DocType: BOM Item,BOM No,BOM numarası 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 @@ -7057,6 +7130,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Dışa dönük vergilendirilebilir malzemeler DocType: BOM,Materials Required (Exploded),Gerekli Malzemeler (patlamış) 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/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 @@ -7116,7 +7190,6 @@ DocType: Pricing Rule,Same Item,Aynı ürün DocType: Stock Ledger Entry,Stock Ledger Entry,Stok Defter Girdisi DocType: Quality Action Resolution,Quality Action Resolution,Kalite Eylem Çözünürlüğü apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{1} {0} tarihinde yarım günlük izinde -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Aynı madde birden çok kez girildi DocType: Department,Leave Block List,İzin engel listesi DocType: Purchase Invoice,Tax ID,Vergi numarası apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Ürün {0} Seri No kurulumu değildir. Sütun boş bırakılmalıdır @@ -7154,7 +7227,7 @@ 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 DocType: Purchase Invoice,Return,Dönüş -DocType: Accounting Dimension,Disable,Devre Dışı Bırak +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 DocType: Task,Pending Review,Bekleyen İnceleme apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Öğeler, seri no'lar, gruplar vb. Gibi daha fazla seçenek için tam sayfayı düzenleyin." @@ -7275,7 +7348,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Kombine fatura payı% 100'e eşit olmalıdır DocType: Item Default,Default Expense Account,Standart Gider Hesabı DocType: GST Account,CGST Account,CGST Hesabı -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Öğrenci E-posta Kimliği DocType: Employee,Notice (days),Bildirimi (gün) DocType: Employee,Notice (days),Bildirimi (gün) @@ -7287,6 +7359,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,fatura kaydetmek için öğeleri seçin DocType: Employee,Encashment Date,Nakit Çekim Tarihi DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Satıcı bilgisi DocType: Special Test Template,Special Test Template,Özel Test Şablonu DocType: Account,Stock Adjustment,Stok Ayarı DocType: Account,Stock Adjustment,Stok Ayarı @@ -7300,7 +7373,6 @@ 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 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 -DocType: Company,Bank Remittance Settings,Banka Havale Ayarları apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Ortalama Oran 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." @@ -7330,6 +7402,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Empl DocType: BOM Update Tool,Current BOM,Güncel BOM DocType: BOM Update Tool,Current BOM,Güncel BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Denge (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Mamul Mal Miktarı apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Seri No Ekle apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Seri No Ekle DocType: Work Order Item,Available Qty at Source Warehouse,Kaynak Depodaki Mevcut Miktar @@ -7421,7 +7494,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Burada boy, kilo, alerji, tıbbi endişeler vb muhafaza edebilirsiniz" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Hesaplar oluşturuluyor ... DocType: Leave Block List,Applies to Company,Şirket için geçerli -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Sunulan Stok Giriş {0} varolduğundan iptal edilemiyor +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Sunulan Stok Giriş {0} varolduğundan iptal edilemiyor DocType: Loan,Disbursement Date,Ödeme tarihi DocType: Service Level Agreement,Agreement Details,Anlaşma Detayları apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,"Anlaşmanın Başlangıç Tarihi, Bitiş Tarihinden büyük veya ona eşit olamaz." @@ -7430,6 +7503,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Tıbbi kayıt DocType: Vehicle,Vehicle,araç DocType: Purchase Invoice,In Words,Kelimelerle +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Bugüne kadar tarihten önce olması gerekiyor apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Göndermeden önce banka veya kredi kurumunun adını girin. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} gönderilmelidir DocType: POS Profile,Item Groups,Öğe Grupları @@ -7506,7 +7580,6 @@ DocType: Customer,Sales Team Details,Satış Ekibi Ayrıntıları apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Kalıcı olarak silinsin mi? DocType: Expense Claim,Total Claimed Amount,Toplam İade edilen Tutar apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Satış için potansiyel Fırsatlar. -DocType: Plaid Settings,Link a new bank account,Yeni bir banka hesabı bağlayın apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} geçersiz Seyirci Durumu. DocType: Shareholder,Folio no.,Folyo numarası. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Geçersiz {0} @@ -7524,7 +7597,6 @@ DocType: Production Plan,Material Requested,İstenen Malzeme DocType: Warehouse,PIN,TOPLU İĞNE DocType: Bin,Reserved Qty for sub contract,Ayrılmış Alt sözleşme için mahsup miktarı DocType: Patient Service Unit,Patinet Service Unit,Patinet Servis Ünitesi -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Metin Dosyası Oluştur DocType: Sales Invoice,Base Change Amount (Company Currency),Baz Değişim Miktarı (Şirket Para Birimi) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Şu depolar için muhasebe girdisi yok apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},{1} öğesi için yalnızca {0} stokta @@ -7539,6 +7611,7 @@ DocType: Item,No of Months,Ayların Sayısı DocType: Item,Max Discount (%),En fazla İndirim (% apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Kredi Günleri negatif sayı olamaz apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Bir ifade yükle +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Bu öğeyi bildir DocType: Purchase Invoice Item,Service Stop Date,Servis Durdurma Tarihi apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Son Sipariş Miktarı DocType: Cash Flow Mapper,e.g Adjustments for:,örneğin için ayarlamalar: @@ -7642,16 +7715,15 @@ DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Çalı apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Miktar sıfırdan daha az olmamalıdır. DocType: Sales Invoice,C-Form Applicable,Uygulanabilir C-Formu DocType: Sales Invoice,C-Form Applicable,Uygulanabilir C-Formu -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Çalışma Süresi Çalışma için 0'dan büyük olmalıdır {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Çalışma Süresi Çalışma için 0'dan büyük olmalıdır {0} DocType: Support Search Source,Post Route String,Rota Dizesi Gönder apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Depo zorunludur apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Web sitesi oluşturulamadı DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Ölçü Birimi Dönüşüm Detayı apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Kabul ve Kayıt -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Elde edilen stok tutarı girişi veya Numune Miktarı mevcut değil +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Elde edilen stok tutarı girişi veya Numune Miktarı mevcut değil DocType: Program,Program Abbreviation,Program Kısaltma -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Üretim siparişi Ürün Şablon karşı yükseltilmiş edilemez apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Fişe Göre Grup (Konsolide) DocType: HR Settings,Encrypt Salary Slips in Emails,E-postalardaki Maaş Notlarını Şifrele DocType: Question,Multiple Correct Answer,Çoklu Doğru Cevap @@ -7700,7 +7772,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Sıfır puan veya muaf DocType: Employee,Educational Qualification,Eğitim Yeterliliği DocType: Workstation,Operating Costs,İşletim Maliyetleri apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Döviz {0} olmalıdır için {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Giriş Grace Dönemi Sonuçları DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Bu vardiyaya atanan çalışanlar için 'Çalışan Checkin'i'ne dayalı katılım. DocType: Asset,Disposal Date,Bertaraf tarihi DocType: Service Level,Response and Resoution Time,Tepki ve Resoution Süresi @@ -7756,6 +7827,7 @@ DocType: Asset Maintenance Log,Completion Date,Bitiş Tarihi DocType: Purchase Invoice Item,Amount (Company Currency),Tutar (Şirket Para Birimi) DocType: Purchase Invoice Item,Amount (Company Currency),Tutar (Şirket Para Birimi) DocType: Program,Is Featured,Özellikli +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Getiriliyor ... DocType: Agriculture Analysis Criteria,Agriculture User,Tarım Kullanıcı apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Geçerli tarihe kadar işlem tarihi öncesi olamaz apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,Bu işlemi tamamlamak için {2} içinde {3} {4} üstünde {5} için {0} miktar {1} gerekli. @@ -7790,7 +7862,6 @@ DocType: Student,B+,B+ 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Toplam Ücretli Amt 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ı @@ -7815,6 +7886,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonim apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Dan alındı 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: 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." @@ -7940,7 +8012,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Vergileri ve Ücretleri Sen 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,{0} bulunamadı için varsayılan BOM +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Buraya eklemek için öğelere dokunun @@ -7980,7 +8052,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Bakım Tarih DocType: Purchase Invoice Item,Rejected Serial No,Seri No Reddedildi apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Yılın başlangıç ve bitiş tarihi {0} ile çakışıyor. Engellemek için lütfen firma seçin. -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 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Lütfen Kurşun Adını {0} Kurşun'dan belirtin apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Başlangıç tarihi Ürün {0} için bitiş tarihinden daha az olmalıdır DocType: Shift Type,Auto Attendance Settings,Otomatik Devam Ayarları @@ -7991,9 +8062,11 @@ DocType: Upload Attendance,Upload Attendance,Devamlılığı Güncelle apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Ürün Ağacı ve Üretim Miktarı gereklidir apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Yaşlanma Aralığı 2 DocType: SG Creation Tool Course,Max Strength,Maksimum Güç +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","{0} hesabı, {1} alt şirketinde zaten var. Aşağıdaki alanların farklı değerleri vardır, bunlar aynı olmalıdır:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Önayarları yükleme DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH .YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Müşteri için {} dağıtım Notu seçilmedi +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},{0} içine eklenen satırlar apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,{0} çalışanının maksimum fayda miktarı yok apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Teslimat Tarihine Göre Öğe Seç DocType: Grant Application,Has any past Grant Record,Geçmiş Hibe Kayıtları var mı @@ -8041,6 +8114,7 @@ DocType: Fees,Student Details,Öğrenci Ayrıntıları DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".","Bu, öğeler ve Satış siparişleri için kullanılan varsayılan UOM'dir. Geri dönüş UOM'si "Nos"." DocType: Purchase Invoice Item,Stock Qty,Stok Miktarı DocType: Purchase Invoice Item,Stock Qty,Stok Miktarı +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ı DocType: Loan,Repayment Period in Months,Aylar içinde Geri Ödeme Süresi @@ -8076,6 +8150,7 @@ apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Görevler için mes DocType: Purchase Invoice,Against Expense Account,Karşılık Gider Hesabı apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Kurulum Not {0} zaten gönderildi apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Kurulum Not {0} zaten gönderildi +DocType: BOM,Raw Material Cost (Company Currency),Hammadde Maliyeti (Şirket Para Birimi) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Konut kirası {0} ile örtüşen günler ödedi DocType: GSTR 3B Report,October,Ekim DocType: Bank Reconciliation,Get Payment Entries,Ödeme Girişleri alın @@ -8131,16 +8206,18 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Kullanılabilir olacağı tarih gereklidir DocType: Request for Quotation,Supplier Detail,Tedarikçi Detayı apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Formül ya da durumun hata: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Faturalanan Tutar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Faturalanan Tutar apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Ölçüt ağırlıkları% 100'e varmalıdır apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Katılım apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Katılım apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Stok Öğeler DocType: Sales Invoice,Update Billed Amount in Sales Order,Satış Siparişindeki Fatura Tutarını Güncelle +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Satıcıyla iletişime geç 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/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ı ,Item Prices,Ürün Fiyatları @@ -8155,6 +8232,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Fiyat Listesi alanı DocType: Task,Review Date,İnceleme tarihi DocType: BOM,Allow Alternative Item,Alternatif Öğeye İzin Ver +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"Satın Alma Fişinde, Örneği Tut'un etkinleştirildiği bir Öğe yoktur." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Fatura Genel Toplamı DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Varlık Amortismanı Girişi Dizisi (Dergi Girişi) DocType: Membership,Member Since,Den beri üye @@ -8164,6 +8242,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Net toplam 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} Attribute değer aralığında olmalıdır {1} {2} artışlarla {3} Öğe için {4} DocType: Pricing Rule,Product Discount Scheme,Ürün İndirim Şeması +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Arayan tarafından herhangi bir sorun gündeme gelmedi. DocType: Restaurant Reservation,Waitlisted,Bekleme listesindeki DocType: Employee Tax Exemption Declaration Category,Exemption Category,Muafiyet Kategorisi apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Para başka bir para birimini kullanarak girdileri yaptıktan sonra değiştirilemez @@ -8179,7 +8258,6 @@ DocType: Customer Group,Parent Customer Group,Ana Müşteri Grubu apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON yalnızca Satış Faturasından oluşturulabilir apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Bu sınav için maksimum deneme yapıldı! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,abone -DocType: Purchase Invoice,Contact Email,İletişim E-Posta apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Ücret Oluşturma Bekliyor DocType: Project Template Task,Duration (Days),Süre (Günler) DocType: Appraisal Goal,Score Earned,Kazanılan Puan @@ -8205,7 +8283,6 @@ DocType: Landed Cost Item,Landed Cost Item,İnen Maliyet Kalemi 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Tek bir işlem için tutar, izin verilen maksimum tutarı aşıyor, işlemleri bölerek ayrı bir ödeme talimatı oluşturun" 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ığı @@ -8385,6 +8462,7 @@ DocType: Quality Inspection Reading,Reading 3,3 Okuma DocType: Quality Inspection Reading,Reading 3,3 Okuma DocType: Stock Entry,Source Warehouse Address,Kaynak Depo Adresi DocType: GL Entry,Voucher Type,Föy Türü +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Gelecekteki Ödemeler 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 @@ -8413,6 +8491,7 @@ 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." DocType: Sales Invoice,Customer GSTIN,Müşteri GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Sahada tespit edilen hastalıkların listesi. Seçildiğinde, hastalıkla başa çıkmak için görevlerin bir listesi otomatik olarak eklenir." +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Bu bir kök sağlık hizmeti birimidir ve düzenlenemez. DocType: Asset Repair,Repair Status,Onarım Durumu 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" @@ -8427,6 +8506,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Değişim Miktarı Hesabı DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks'a Bağlanma DocType: Exchange Rate Revaluation,Total Gain/Loss,Toplam Kazanç / Zarar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Seçim Listesi Oluştur apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Satır {0}: Parti / Hesap ile eşleşmiyor {1} / {2} içinde {3} {4} DocType: Employee Promotion,Employee Promotion,Çalışan Tanıtımı DocType: Maintenance Team Member,Maintenance Team Member,Bakım Ekibi Üyesi @@ -8519,6 +8599,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net ödeme negatif olamaz @@ -8552,7 +8633,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Kalite hedefi DocType: BOM,Item to be manufactured or repacked,Üretilecek veya yeniden paketlenecek Ürün apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Durumdaki sözdizimi hatası: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Müşteri tarafından herhangi bir sorun ortaya çıkmadı. DocType: Fee Structure,EDU-FST-.YYYY.-,EGT-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Ana / Opsiyonel Konular apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Lütfen Satın Alma Ayarlarında Tedarikçi Grubunu Ayarlayın. @@ -8650,8 +8730,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Kredi Günleri apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Lab Testleri almak için lütfen Hasta'yı seçin DocType: Exotel Settings,Exotel Settings,Exotel Ayarları -DocType: Leave Type,Is Carry Forward,İleri taşınmış +DocType: Leave Ledger Entry,Is Carry Forward,İleri taşınmış DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Devamsız işaretli çalışma saatleri. (Devre dışı bırakmak için sıfır) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Bir mesaj göndermek apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,BOM dan Ürünleri alın 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? diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv index b29429024b..cd76d93f90 100644 --- a/erpnext/translations/uk.csv +++ b/erpnext/translations/uk.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Повідомити Постачальника apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,"Будь ласка, виберіть спочатку тип контрагента" DocType: Item,Customer Items,Предмети з клієнтами +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Зобов'язання DocType: Project,Costing and Billing,Калькуляція і білінг apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},"Авансова валюта рахунку повинна бути такою ж, як валюта компанії {0}" DocType: QuickBooks Migrator,Token Endpoint,Кінцева точка Token @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Одиниця виміру за замо DocType: SMS Center,All Sales Partner Contact,Усі контакти торгового партнеру DocType: Department,Leave Approvers,Погоджувачі відпусток DocType: Employee,Bio / Cover Letter,Біо / супровідний лист +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Елементи пошуку ... DocType: Patient Encounter,Investigations,Розслідування DocType: Restaurant Order Entry,Click Enter To Add,Натисніть «Ввести додати» apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Відсутнє значення для пароля, ключа API або Shopify URL" DocType: Employee,Rented,Орендовані apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Усі рахунки apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Неможливо перенести працівника зі статусом "ліворуч" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Призупинене виробниче замовлення не може бути скасоване, зніміть призупинку спочатку" DocType: Vehicle Service,Mileage,пробіг apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Ви дійсно хочете відмовитися від цього активу? DocType: Drug Prescription,Update Schedule,Оновити розклад @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Клієнт DocType: Purchase Receipt Item,Required By,Потрібно За DocType: Delivery Note,Return Against Delivery Note,Повернутися На накладної DocType: Asset Category,Finance Book Detail,Деталі фінансової книги +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Усі амортизації заброньовані DocType: Purchase Order,% Billed,% Оплачено apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Номер оплати праці apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),"Обмінний курс повинен бути такий же, як {0} {1} ({2})" @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Пакетна Пункт експірації Статус apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Банківський чек DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Загальна кількість запізнень DocType: Mode of Payment Account,Mode of Payment Account,Режим розрахунковий рахунок apps/erpnext/erpnext/config/healthcare.py,Consultation,Консультація DocType: Accounts Settings,Show Payment Schedule in Print,Показати графік платежів у друкованому вигляді @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,В apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Основна контактна інформація apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,відкриті питання DocType: Production Plan Item,Production Plan Item,Виробничий план товару +DocType: Leave Ledger Entry,Leave Ledger Entry,Залиште запис у книзі apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},Користувач {0} вже присвоєний працівникові {1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,М DocType: Purchase Invoice Item,Item Weight Details,Деталі ваги Деталі DocType: Asset Maintenance Log,Periodicity,Періодичність apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Треба зазначити бюджетний період {0} +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Чистий прибуток / збиток DocType: Employee Group Table,ERPNext User ID,ERPNext ID користувача DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Мінімальна відстань між рядами рослин для оптимального зростання apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,"Будь-ласка, виберіть пацієнта, щоб отримати встановлену процедуру" @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Ціновий продаж DocType: Patient,Tobacco Current Use,Використання тютюну apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Рейтинг продажів -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,"Збережіть документ перед тим, як додати новий рахунок" 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 ...,Шукайте що-небудь ... DocType: Company,Phone No,№ Телефону DocType: Delivery Trip,Initial Email Notification Sent,Початкове сповіщення електронною поштою надіслано DocType: Bank Statement Settings,Statement Header Mapping,Заголовок картки @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Пе DocType: Exchange Rate Revaluation Account,Gain/Loss,Збільшення / втрата DocType: Crop,Perennial,Багаторічна DocType: Program,Is Published,Опубліковано +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Показати накладні про доставку apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Щоб дозволити перевибір платежів, оновіть "Надлишки над оплатою" в Налаштуваннях облікових записів або Елемент." DocType: Patient Appointment,Procedure,Процедура DocType: Accounts Settings,Use Custom Cash Flow Format,Використовуйте спеціальний формат потоку грошових потоків @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Залиште детальну інформацію про політику DocType: BOM,Item Image (if not slideshow),Пункт зображення (якщо не слайд-шоу) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Рядок № {0}: Операція {1} не завершена для {2} кількості готової продукції в робочому порядку {3}. Оновіть стан роботи за допомогою Job Card {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} є обов'язковим для отримання грошових платежів, встановіть поле та повторіть спробу" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Тарифна ставка / 60) * Фактичний Час роботи apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Рядок # {0}: Тип довідкового документа повинен бути одним із претензій на витрати або Журнал apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Виберіть BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Погашати Over Кількість періодів apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Кількість для виробництва не може бути меншою за нульову DocType: Stock Entry,Additional Costs,Додаткові витрати +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Рахунок з існуючою транзакції не можуть бути перетворені в групі. DocType: Lead,Product Enquiry,Запит про продукт DocType: Education Settings,Validate Batch for Students in Student Group,Перевірка Batch для студентів в студентській групі @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Під Випускник apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,"Будь ласка, встановіть шаблон за замовчуванням для сповіщення про стан залишення в налаштуваннях персоналу." apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Цільова На DocType: BOM,Total Cost,Загальна вартість +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Виділення минуло! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Максимально переносять переслані листя DocType: Salary Slip,Employee Loan,співробітник позики DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY.-. MM.- DocType: Fee Schedule,Send Payment Request Email,Надіслати електронною поштою запит на оплату @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Нер apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Виписка apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Фармацевтика DocType: Purchase Invoice Item,Is Fixed Asset,Основний засіб +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Показати майбутні платежі DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Цей банківський рахунок уже синхронізований DocType: Homepage,Homepage Section,Розділ домашньої сторінки @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Добрива apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.","Неможливо забезпечити доставку послідовним номером, оскільки \ Item {0} додається з та без забезпечення доставки по \ серійному номеру." -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Будь ласка, налаштуйте систему іменування інструкторів у програмі Освіта> Налаштування освіти" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Принаймні один спосіб оплати потрібно для POS рахунку. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Пакетна партія не потрібна для пакетного товару {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Банківська виписка Звіт про транзакцію @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,Виберіть умови та apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Розхід у Сумі DocType: Bank Statement Settings Item,Bank Statement Settings Item,Параметри банківського звіту DocType: Woocommerce Settings,Woocommerce Settings,Налаштування Woocommerce +DocType: Leave Ledger Entry,Transaction Name,Назва транзакції DocType: Production Plan,Sales Orders,Замовлення клієнта apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,"Для Клієнта знайдено кілька програм лояльності. Будь ласка, виберіть вручну." DocType: Purchase Taxes and Charges,Valuation,Оцінка @@ -461,6 +469,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Показати лише Клієнта цих груп клієнтів DocType: Sales Invoice,Is Opening Entry,Введення залишків @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Вказати якщо застосовано нестандартний рахунок заборгованості 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,Вхід акцій уже створений проти цього списку вибору DocType: Supplier Scorecard,Criteria Setup,Налаштування критеріїв -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Для складу потрібно перед проведенням +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,Надійшло На DocType: Codification Table,Medical Code,Медичний кодекс apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Підключіть Amazon до ERPNext @@ -486,7 +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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Банківські рахунки додані -DocType: Delivery Stop,Contact Name,Контактна особа +DocType: Call Log,Contact Name,Контактна особа DocType: Plaid Settings,Synchronize all accounts every hour,Синхронізуйте всі облікові записи щогодини DocType: Course Assessment Criteria,Course Assessment Criteria,Критерії оцінки курсу DocType: Pricing Rule Detail,Rule Applied,Правило застосовується @@ -530,7 +540,6 @@ 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,Номер вихідного рахунку-фактури -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Невідомий номер DocType: Website Filter Field,Website Filter Field,Поле фільтра веб-сайту apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Тип постачання DocType: Material Request Item,Min Order Qty,Мін. к-сть замовлення @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,Загальна сума основ DocType: Student Guardian,Relation,Відношення DocType: Quiz Result,Correct,Правильно DocType: Student Guardian,Mother,мати -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Додайте спочатку дійсні клавіші Apid-файлів у site_config.json DocType: Restaurant Reservation,Reservation End Time,Час закінчення бронювання DocType: Crop,Biennial,Бієнале ,BOM Variance Report,Звіт про відхилення BOM @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,Плед-відкритий ключ DocType: Payment Term,Payment Term Name,Назва терміну оплати DocType: Healthcare Settings,Create documents for sample collection,Створення документів для збору зразків apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},"Оплата по {0} {1} не може бути більше, ніж сума до оплати {2}" @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,Налаштування POS офла DocType: Stock Entry Detail,Reference Purchase Receipt,Довідка про придбання DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Варіант -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Завершена к-сть не може бути більше, ніж ""к-сть для виробництва""" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',"Завершена к-сть не може бути більше, ніж ""к-сть для виробництва""" +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,"Період, заснований на" DocType: Period Closing Voucher,Closing Account Head,Рахунок закриття DocType: Employee,External Work History,Зовнішній роботи Історія apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Циклічна посилання Помилка apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Студентська карта звітів apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Від PIN-коду +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Показати особу з продажу DocType: Appointment Type,Is Inpatient,Є стаціонарним apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,ім'я Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Прописом (експорт) буде видно, як тільки ви збережете накладну." @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Назва розміру apps/erpnext/erpnext/healthcare/setup.py,Resistant,Стійкий apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Будь ласка, встановіть вартість номера готелю на {}" +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Установіть серію нумерації для відвідування через Налаштування> Серія нумерації DocType: Journal Entry,Multi Currency,Мультивалютна DocType: Bank Statement Transaction Invoice Item,Invoice Type,Тип рахунку-фактури apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Дійсна з дати повинна бути меншою за дійсну дату @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,зізнався DocType: Workstation,Rent Cost,Вартість оренди 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,Залишкова вартість apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Майбутні Календар подій apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Варіантні атрибути @@ -749,7 +762,6 @@ DocType: Request for Quotation,Request for Quotation,Запит пропозиц 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Показати продавця у друку 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,Сила @@ -757,7 +769,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Створення нового клієнта apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Закінчується apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Якщо кілька правил ціноутворення продовжують переважати, користувачам пропонується встановити пріоритет вручну та вирішити конфлікт." -DocType: Purchase Invoice,Scan Barcode,Сканувати штрих-код apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Створення замовлень на поставку ,Purchase Register,Реєстр закупівель apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Пацієнта не знайдено @@ -817,6 +828,7 @@ DocType: Account,Old Parent,Старий Батько apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Обов'язкове поле - Академічний рік apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Обов'язкове поле - Академічний рік apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} не пов'язаний з {2} {3} +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} @@ -860,6 +872,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Компонент зарплати для відомостей основаних на тебелях DocType: Driver,Applicable for external driver,Застосовується для зовнішнього драйвера DocType: Sales Order Item,Used for Production Plan,Використовується для виробничого плану +DocType: BOM,Total Cost (Company Currency),Загальна вартість (валюта компанії) DocType: Loan,Total Payment,Загальна оплата apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Неможливо скасувати транзакцію для завершеного робочого замовлення. DocType: Manufacturing Settings,Time Between Operations (in mins),Час між операціями (в хв) @@ -881,6 +894,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Повідомити про і DocType: Vital Signs,Blood Pressure (systolic),Артеріальний тиск (систолічний) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} - це {2} DocType: Item Price,Valid Upto,Дійсне до +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.,Перерахуйте деякі з ваших клієнтів. Вони можуть бути організації або окремі особи. @@ -899,6 +913,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Зміни в {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,"Будь ласка, виберіть компанію" DocType: Employee Skill,Employee Skill,Майстерність працівника apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Рахунок різниці @@ -943,6 +958,7 @@ DocType: Patient,Risk Factors,Фактори ризику DocType: Patient,Occupational Hazards and Environmental Factors,Професійні небезпеки та фактори навколишнього середовища apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Запаси стовпців вже створені для замовлення роботи apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Дивіться минулі замовлення +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} бесіди DocType: Vital Signs,Respiratory rate,Частота дихання apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Управління субпідрядом DocType: Vital Signs,Body Temperature,Температура тіла @@ -984,6 +1000,7 @@ DocType: Purchase Invoice,Registered Composition,Зареєстрований с apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Здравствуйте apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,перемістити елемент DocType: Employee Incentive,Incentive Amount,Сума стимулів +,Employee Leave Balance Summary,Підсумок залишків працівника DocType: Serial No,Warranty Period (Days),Гарантійний термін (днів) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,"Сума кредиту / дебіту повинна бути такою ж, як пов'язуваний запис журналу" DocType: Installation Note Item,Installation Note Item,Номенклатура відмітки про встановлення @@ -997,6 +1014,7 @@ DocType: Vital Signs,Bloated,Роздутий DocType: Salary Slip,Salary Slip Timesheet,Табель зарплатного розрахунку apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Склад постачальника - обов'язковий для прихідних накладних субпідрядників DocType: Item Price,Valid From,Діє з +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Ваша оцінка: DocType: Sales Invoice,Total Commission,Всього комісія DocType: Tax Withholding Account,Tax Withholding Account,Податковий рахунок утримання DocType: Pricing Rule,Sales Partner,Торговий партнер @@ -1004,6 +1022,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Усі поста DocType: Buying Settings,Purchase Receipt Required,Потрібна прихідна накладна DocType: Sales Invoice,Rail,Залізниця apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,Фактична вартість +DocType: Item,Website Image,Зображення веб-сайту apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,"Цільовий склад у рядку {0} повинен бути таким самим, як робочий замовлення" apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Собівартість обов'язкова при введенні залишків apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Не знайдено записів у таблиці рахунку-фактури @@ -1038,8 +1057,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,"Будь ласка, завершіть конфігурацію API Plaid перед синхронізацією облікового запису" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,Дата півдня - обов'язкова DocType: Sales Order,Billing and Delivery Status,Стан біллінгу і доставки DocType: Job Applicant,Resume Attachment,резюме Додаток @@ -1051,7 +1070,6 @@ DocType: Production Plan,Production Plan,План виробництва DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Інструмент створення відкритого рахунку-фактури DocType: Salary Component,Round to the Nearest Integer,Кругніть до найближчого цілого apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Продажі Повернутися -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,"Примітка: Сумарна кількість виділених листя {0} не повинно бути менше, ніж вже затверджених листя {1} на період" DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Вкажіть кількість в операціях на основі послідовного введення ,Total Stock Summary,Всі Резюме Фото apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1080,6 +1098,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,"У apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Основна сума DocType: Loan Application,Total Payable Interest,Загальна заборгованість за відсотками apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Усього видатних: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Відкрити контакт 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} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},Послідовний номер (и) не потрібно для серіалізованого продукту {0} @@ -1089,6 +1108,7 @@ 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,Під час процесу оновлення сталася помилка DocType: Restaurant Reservation,Restaurant Reservation,Бронювання ресторану +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Ваші предмети apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Пропозиція Написання DocType: Payment Entry Deduction,Payment Entry Deduction,Відрахування з Оплати DocType: Service Level Priority,Service Level Priority,Пріоритет рівня обслуговування @@ -1097,6 +1117,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Серія пакетних номерів apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Інший Відповідальний з продажу {0} існує з тим же ідентифікатором працівника DocType: Employee Advance,Claimed Amount,Заявлена сума +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Термін дії виділення DocType: QuickBooks Migrator,Authorization Settings,Параметри авторизації DocType: Travel Itinerary,Departure Datetime,Дата вихідної дати apps/erpnext/erpnext/hub_node/api.py,No items to publish,Публікацій немає @@ -1165,7 +1186,6 @@ DocType: Student Batch Name,Batch Name,пакетна Ім'я DocType: Fee Validity,Max number of visit,Максимальна кількість відвідувань DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Обов’язковий для рахунку прибутку та збитку ,Hotel Room Occupancy,Приміщення номеру готелю -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Табель робочого часу створено: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},"Будь ласка, встановіть Cash замовчуванням або банківського рахунку в режимі з оплати {0}" apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,зараховувати DocType: GST Settings,GST Settings,налаштування GST @@ -1298,6 +1318,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,"Будь ласка, виберіть Програми" DocType: Project,Estimated Cost,орієнтовна вартість DocType: Request for Quotation,Link to material requests,Посилання на матеріал запитів +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Опублікувати apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Авіаційно-космічний ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Вступ Кредитна карта @@ -1324,6 +1345,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Оборотні активи apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} не відноситься до інвентаря apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',"Будь ласка, поділіться своїм відгуком до тренінгу, натиснувши "Навчальний відгук", а потім "Нове"" +DocType: Call Log,Caller Information,Інформація про абонента DocType: Mode of Payment Account,Default Account,Рахунок/обліковий запис за замовчуванням apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,"Перш за все, виберіть спочатку "Зберігання запасів" у налаштуваннях запасів" apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,"Будь-ласка, виберіть тип програми для кількох рівнів для декількох правил зібрання." @@ -1348,6 +1370,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Автоматичне Замовлення матеріалів згенероване DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),"Робочий час, нижче якого відмічено півдня. (Нуль для відключення)" DocType: Job Card,Total Completed Qty,Всього виконано Кількість +DocType: HR Settings,Auto Leave Encashment,Автоматичне залишення Encashment apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Втрачений apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Ви не можете ввести даний документ у колонку «Згідно проводки' DocType: Employee Benefit Application Detail,Max Benefit Amount,Максимальна сума допомоги @@ -1377,9 +1400,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Абонент DocType: Item Attribute Value,Item Attribute Value,Стан Значення атрибуту apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Валютна біржа повинна бути застосована для покупки чи продажу. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Скасувати може лише виділення з минулим терміном дії DocType: Item,Maximum sample quantity that can be retained,"Максимальна кількість зразків, яку можна зберегти" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Рядок {0} # Item {1} не може бути передано більше {2} до замовлення на купівлю {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Кампанії з продажу. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Невідомий абонент DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1411,6 +1436,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Часов apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Док Ім'я DocType: Expense Claim Detail,Expense Claim Type,Тип Авансового звіту DocType: Shopping Cart Settings,Default settings for Shopping Cart,Налаштування за замовчуванням для кошик +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Зберегти елемент apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Нові витрати apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Ігноруйте наявні впорядковані кількість apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Додати часові ділянки @@ -1423,6 +1449,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Оприлюднений запрошення надіслано DocType: Shift Assignment,Shift Assignment,Накладення на зміну DocType: Employee Transfer Property,Employee Transfer Property,Передача майна працівника +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Поле Рахунок власного капіталу / пасивів не може бути порожнім apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,"З часу має бути менше, ніж до часу" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Біотехнологія apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1505,11 +1532,13 @@ 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,Створіть новий контакт apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Розклад курсу DocType: GSTR 3B Report,GSTR 3B Report,Звіт GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Статус цитати DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Статус завершення +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Загальна сума платежів не може перевищувати {} DocType: Daily Work Summary Group,Select Users,Виберіть користувачів DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Вартість номерів для номера готелю DocType: Loyalty Program Collection,Tier Name,Рядок Найменування @@ -1547,6 +1576,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Сума DocType: Lab Test Template,Result Format,Формат результатів DocType: Expense Claim,Expenses,Витрати DocType: Service Level,Support Hours,години роботи служби підтримки +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Нотатки доставки DocType: Item Variant Attribute,Item Variant Attribute,Атрибут варіантів ,Purchase Receipt Trends,Тренд прихідних накладних DocType: Payroll Entry,Bimonthly,два рази на місяць @@ -1569,7 +1599,6 @@ DocType: Sales Team,Incentives,Стимули DocType: SMS Log,Requested Numbers,Необхідні Номери DocType: Volunteer,Evening,Вечір DocType: Quiz,Quiz Configuration,Конфігурація вікторини -DocType: Customer,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,Фото Деталі @@ -1616,7 +1645,6 @@ apps/erpnext/erpnext/config/accounting.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,Фільтрувати Всього Нуль Кількість -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Неможливо знайти часовий інтервал в найближчі {0} днів для роботи {1} DocType: Work Order,Plan material for sub-assemblies,План матеріал для суб-вузлів 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,"Немає елементів, доступних для передачі" @@ -1631,9 +1659,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,"Ви повинні ввімкнути автоматичне повторне замовлення в Налаштуваннях запасів, щоб підтримувати рівні повторного замовлення." apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Скасування матеріалів переглядів {0} до скасування цього обслуговування візит DocType: Pricing Rule,Rate or Discount,Ставка або знижка +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Банківські реквізити DocType: Vital Signs,One Sided,Односторонній apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Серійний номер {0} не належить до номенклатурної позиції {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Необхідна к-сть +DocType: Purchase Order Item Supplied,Required Qty,Необхідна к-сть DocType: Marketplace Settings,Custom Data,Спеціальні дані apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Склади з існуючої транзакції не можуть бути перетворені в бухгалтерській книзі. DocType: Service Day,Service Day,День обслуговування @@ -1661,7 +1690,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Валюта рахунку DocType: Lab Test,Sample ID,Ідентифікатор зразка apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,"Будь ласка, вкажіть округлити рахунок в Компанії" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,Діапазон DocType: Supplier,Default Payable Accounts,За замовчуванням заборгованість Кредиторська apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Працівник {0} не є активним або не існує @@ -1702,8 +1730,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Запит інформації DocType: Course Activity,Activity Date,Дата діяльності apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} з {} -,LeaderBoard,LEADERBOARD DocType: Sales Invoice Item,Rate With Margin (Company Currency),Оцінка з маржі (валюта компанії) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Категорії apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Синхронізація Offline рахунків-фактур DocType: Payment Request,Paid,Оплачений DocType: Service Level,Default Priority,Пріоритет за замовчуванням @@ -1738,11 +1766,11 @@ 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,Непряме прибуток DocType: Student Attendance Tool,Student Attendance Tool,Student Учасники Інструмент DocType: Restaurant Menu,Price List (Auto created),Прайс-лист (авто створений) +DocType: Pick List Item,Picked Qty,Вибраний Кількість DocType: Cheque Print Template,Date Settings,Налаштування дати 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,Детальний просування працівника -,Company Name,Назва компанії DocType: SMS Center,Total Message(s),Загалом повідомлень DocType: Share Balance,Purchased,Придбано DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,Перейменувати значення атрибута в атрибуті елемента. @@ -1761,7 +1789,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Остання спроба 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} -DocType: BOM,Raw Material Cost(Company Currency),Вартість сировини (Компанія Валюта) 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,метр @@ -1830,6 +1857,7 @@ DocType: Travel Itinerary,Train,Потяг ,Delayed Item Report,Звіт про запізнення з предметом apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Придатний ІТЦ DocType: Healthcare Service Unit,Inpatient Occupancy,Стаціонарне заселення +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Опублікуйте свої перші предмети DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,"Час після закінчення зміни, протягом якого виїзд вважається для відвідування." apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Введіть {0} @@ -1948,6 +1976,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,все ВВП apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Створіть запис журналу Inter Company DocType: Company,Parent Company,Материнська компанія apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Готель Номери типу {0} недоступні на {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Порівняйте BOM для змін у сировині та експлуатації apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Документ {0} успішно видалено DocType: Healthcare Practitioner,Default Currency,Валюта за замовчуванням apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Примиріть цей рахунок @@ -1982,6 +2011,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,С-форма рахунки-фактури Подробиці DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Рахунок-фактура на корегуючу оплату DocType: Clinical Procedure,Procedure Template,Шаблон процедури +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Публікуйте елементи apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Внесок% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Згідно Налаштування Купівля якщо Purchase Order Required == «YES», то для створення рахунку-фактурі, користувачеві необхідно створити замовлення на поставку першої для пункту {0}" ,HSN-wise-summary of outward supplies,HSN-мудрий - резюме зовнішніх поставок @@ -1994,7 +2024,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',"Будь ласка, встановіть "Застосувати Додаткова Знижка On '" DocType: Party Tax Withholding Config,Applicable Percent,Застосовний відсоток ,Ordered Items To Be Billed,"Замовлені товари, на які не виставлені рахунки" -DocType: Employee Checkin,Exit Grace Period Consequence,Вихід з періоду пільги apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,"С Діапазон повинен бути менше, ніж діапазон" DocType: Global Defaults,Global Defaults,Глобальні значення за замовчуванням apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Співпраця Запрошення проекту @@ -2002,13 +2031,11 @@ DocType: Salary Slip,Deductions,Відрахування DocType: Setup Progress Action,Action Name,Назва дії apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,рік початку apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Створіть позику -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Початкова дата поточного періоду виставлення рахунків DocType: Shift Type,Process Attendance After,Відвідування процесів після ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Відпустка без збереження заробітної DocType: Payment Request,Outward,Зовні -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Планування потужностей Помилка apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Державний / УТ податок ,Trial Balance for Party,Оборотно-сальдова відомість для контрагента ,Gross and Net Profit Report,Звіт про валовий та чистий прибуток @@ -2027,7 +2054,6 @@ DocType: Payroll Entry,Employee Details,Інформація про праців 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} потрібен актив -DocType: Setup Progress Action,Domains,Галузі 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} @@ -2070,7 +2096,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Загал 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.","Режим оплати не налаштований. Будь ласка, перевірте, чи вибрний рахунок у Режимі Оплати або у POS-профілі." apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Той же елемент не може бути введений кілька разів. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Подальші рахунки можуть бути зроблені відповідно до груп, але Ви можете бути проти НЕ-груп" -DocType: Email Campaign,Lead,Lead +DocType: Call Log,Lead,Lead DocType: Email Digest,Payables,Кредиторська заборгованість DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Кампанія електронної пошти для @@ -2082,6 +2108,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,"Позиції Замовлення на придбання, на які не виставлені рахунки" 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,Кредитні ліміти DocType: Purchase Invoice Item,Net Rate,Нетто-ставка apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,"Будь ласка, виберіть покупця" DocType: Leave Policy,Leave Allocations,Залиште розподіл @@ -2095,6 +2122,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Закрити Issue Після днів ,Eway Bill,Евей Білл apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,"Для того, щоб додати користувачів до Marketplace, вам потрібно бути користувачем з Роль менеджера системи та менеджера елементів." +DocType: Attendance,Early Exit,Ранній вихід DocType: Job Opening,Staffing Plan,Кадровий план apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,Електронний біл JSON можна створити лише з поданого документа apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Податок та пільги для працівників @@ -2117,6 +2145,7 @@ DocType: Maintenance Team Member,Maintenance Role,Роль обслуговув apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Дублікат ряд {0} з такою ж {1} DocType: Marketplace Settings,Disable Marketplace,Вимкнути Marketplace DocType: Quality Meeting,Minutes,Хвилини +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Вибрані товари ,Trial Balance,Оборотно-сальдова відомість apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Шоу завершено apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Фінансовий рік {0} не знайдений @@ -2126,8 +2155,8 @@ 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,"Будь ласка, виберіть префікс в першу чергу" DocType: Contract,Fulfilment Deadline,Термін виконання +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Поруч з вами DocType: Student,O-,О -DocType: Shift Type,Consequence,Наслідок DocType: Subscription Settings,Subscription Settings,Параметри передплати DocType: Purchase Invoice,Update Auto Repeat Reference,Оновити довідку про автоматичне повторення apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Необов'язковий список святкових не встановлений для відпустки {0} @@ -2138,7 +2167,6 @@ DocType: Maintenance Visit Purpose,Work Done,Зроблено apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,"Будь ласка, вкажіть як мінімум один атрибут в таблиці атрибутів" DocType: Announcement,All Students,всі студенти apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Номенклатурна позиція {0} має бути неінвентарною -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Банківські деатіли apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Подивитися Леджер DocType: Grading Scale,Intervals,інтервали DocType: Bank Statement Transaction Entry,Reconciled Transactions,Узгоджені операції @@ -2174,6 +2202,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",Цей склад буде використовуватися для створення замовлень на продаж. Запасний склад - "Магазини". DocType: Work Order,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,Підтримувати ціну протягом циклу закупівлі DocType: Opportunity Item,Opportunity Item,Позиція Нагоди DocType: Quality Action,Quality Review,Огляд якості @@ -2200,7 +2229,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Отримати неоплачені рахунки-фактури -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Замовлення клієнта {0} не є допустимим +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,Попереджати новий запит на котирування apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Замовлення допоможуть вам планувати і стежити за ваші покупки apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Лабораторія тестових рецептів @@ -2225,6 +2254,7 @@ DocType: Employee Onboarding,Notify users by email,Повідомте корис DocType: Travel Request,International,Міжнародний DocType: Training Event,Training Event,навчальний захід DocType: Item,Auto re-order,Авто-дозамовлення +DocType: Attendance,Late Entry,Пізній вступ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Всього Виконано DocType: Employee,Place of Issue,Місце видачі DocType: Promotional Scheme,Promotional Scheme Price Discount,Знижка на ціну акцій @@ -2271,6 +2301,7 @@ DocType: Serial No,Serial No Details,Серійний номер деталі DocType: Purchase Invoice Item,Item Tax Rate,Податкова ставка apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Від партійного імені apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Чиста сума заробітної плати +DocType: Pick List,Delivery against Sales Order,Доставка проти замовлення на продаж DocType: Student Group Student,Group Roll Number,Група Ролл Кількість DocType: Student Group Student,Group Roll Number,Група Ролл Кількість apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Для {0}, тільки кредитні рахунки можуть бути пов'язані з іншою дебету" @@ -2344,7 +2375,6 @@ DocType: Contract,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,Дата рахунку постачальника -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Це значення використовується для розрахунку про-рата temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Вам необхідно включити Кошик DocType: Payment Entry,Writeoff,списання DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2358,6 +2388,7 @@ DocType: Delivery Trip,Total Estimated Distance,Загальна приблиз DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Неоплачений рахунок дебіторської заборгованості DocType: Tally Migration,Tally Company,Компанія Tally apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Переглядач норм витрат +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Не дозволяється створювати параметр обліку для {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,"Будь ласка, оновіть свій статус для цієї навчальної події" DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Додати або відняти @@ -2367,7 +2398,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Неактивні товари продажу DocType: Quality Review,Additional Information,Додаткова інформація apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Загальна вартість замовлення -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Скидання договору про рівень обслуговування. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Їжа apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Старіння Діапазон 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Деталі ваучера закриття POS @@ -2414,6 +2444,7 @@ 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,Кампанія 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',Статус офіційного затвердження повинні бути «Схвалено" або "Відхилено" DocType: Healthcare Practitioner,Contacts and Address,Контакти та адреса DocType: Shift Type,Determine Check-in and Check-out,Визначте заїзд та виїзд @@ -2433,7 +2464,6 @@ DocType: Student Admission,Eligibility and Details,Відповідність т apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Входить до валового прибутку apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Чиста зміна в основних фондів apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Кількість учасників -DocType: Company,Client Code,Код клієнта apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Нарахування типу "Актуальні 'в рядку {0} не можуть бути включені в п Оцінити apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Макс: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,З DateTime @@ -2501,6 +2531,7 @@ DocType: Journal Entry Account,Account Balance,Баланс apps/erpnext/erpnext/config/accounting.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 (%),Посібник за переказ (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Клієнт зобов'язаний щодо дебіторів рахунки {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Податки та збори разом (Валюта компанії) DocType: Weather,Weather Parameter,Параметр погоди @@ -2563,6 +2594,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Поріг робочих apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Багатоступеневий коефіцієнт збору може базуватися на загальному витраченому. Але коефіцієнт перерахунку для погашення завжди буде таким самим для всіх рівнів. apps/erpnext/erpnext/config/help.py,Item Variants,Варіанти номенклатурної позиції apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Послуги +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Відправити Зарплатний розрахунок працівнику e-mail-ом DocType: Cost Center,Parent Cost Center,Батьківський центр витрат @@ -2573,7 +2605,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields"," DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Імпортуйте примітки доставки з Shopify на відправку apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Показати закрито DocType: Issue Priority,Issue Priority,Пріоритет питання -DocType: Leave Type,Is Leave Without Pay,Є відпустці без +DocType: Leave Ledger Entry,Is Leave Without Pay,Є відпустці без apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,ГСТІН apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Категорія активів є обов'язковим для фіксованого елемента активів DocType: Fee Validity,Fee Validity,Ступінь сплати @@ -2622,6 +2654,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Доступна к apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Оновлення Формат друку DocType: Bank Account,Is Company Account,Чи є обліковий запис компанії? apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Залишити тип {0} не можна encashable +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Кредитний ліміт вже визначений для компанії {0} DocType: Landed Cost Voucher,Landed Cost Help,Довідка з кінцевої вартості DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Вибір адреси доставки @@ -2646,6 +2679,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Двостороння DocType: Item,Manufacturers,Виробники @@ -2683,7 +2717,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Банківска виписка DocType: Patient Encounter,Medical Coding,Медичне кодування DocType: Healthcare Settings,Reminder Message,Повідомлення нагадування -,Lead Name,Назва Lead-а +DocType: Call Log,Lead Name,Назва Lead-а ,POS,POS- DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Розвідка @@ -2715,12 +2749,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Склад постачальник DocType: Opportunity,Contact Mobile No,№ мобільного Контакту apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Виберіть компанію ,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: Student Report Generation Tool,Print Section,Друк розділу DocType: Staffing Plan Detail,Estimated Cost Per Position,Орієнтовна ціна за позицію DocType: Employee,HR-EMP-,HR-EMP- 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,Хвилини про якісну зустріч +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Постачальник> Тип постачальника apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Відрядження співробітників DocType: Student Group,Set 0 for no limit,Встановіть 0 для жодних обмежень apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,"День(дні), на якій ви подаєте заяву на відпустку - вихідні. Вам не потрібно подавати заяву." @@ -2754,12 +2790,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Чиста зміна грошових коштів DocType: Assessment Plan,Grading Scale,оціночна шкала apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Одиниця виміру {0} був введений більш ніж один раз в таблицю перетворення фактора -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Вже завершено apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,товарна готівку apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component","Будь ласка, додайте інші привілеї {0} до програми як компонент \ pro-rata" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',"Будь ласка, встановіть Фіскальний кодекс для публічної адміністрації "% s"" -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Запит про оплату {0} вже існує apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Вартість виданих предметів DocType: Healthcare Practitioner,Hospital,Лікарня apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},"Кількість не повинна бути більше, ніж {0}" @@ -2804,6 +2838,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Кадри apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Верхня прибуток DocType: Item Manufacturer,Item Manufacturer,пункт Виробник +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Створіть новий потенційний клієнт DocType: BOM Operation,Batch Size,Розмір партії apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,відхиляти DocType: Journal Entry Account,Debit in Company Currency,Дебет у валюті компанії @@ -2824,9 +2859,11 @@ DocType: Bank Transaction,Reconciled,Примирився DocType: Expense Claim,Total Amount Reimbursed,Загальна сума відшкодовуються apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Це засновано на колодах проти цього транспортного засобу. Див графік нижче для отримання докладної інформації apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Дата заробітної плати не може бути меншою за дату вступу працівника +DocType: Pick List,Item Locations,Пункти розташування apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} створено apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Вакансії для призначення {0} вже відкриті або найняті відповідно до Плану персоналу {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Ви можете опублікувати до 200 предметів. DocType: Vital Signs,Constipated,Запор apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Згідно вхідного рахунку-фактури {0} від {1} DocType: Customer,Default Price List,Прайс-лист за замовчуванням @@ -2920,6 +2957,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Фактичний старт Shift DocType: Tally Migration,Is Day Book Data Imported,Імпортуються дані про денну книгу apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Маркетингові витрати +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} одиниць {1} недоступний. ,Item Shortage Report,Повідомлення про нестачу номенклатурних позицій 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,"Неможливо створити стандартні критерії. Будь ласка, перейменуйте критерії" @@ -2943,6 +2981,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,Дата вибуття DocType: Upload Attendance,Get Template,Отримати шаблон +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,Виберіть список ,Sales Person Commission Summary,Короткі відомості про комісію продавця DocType: Material Request,Transferred,передано DocType: Vehicle,Doors,двері @@ -3023,7 +3062,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Клієнтам Код тов DocType: Stock Reconciliation,Stock Reconciliation,Інвентаризація DocType: Territory,Territory Name,Територія Ім'я DocType: Email Digest,Purchase Orders to Receive,Замовлення на купівлю для отримання -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,"Склад ""в роботі"" необхідний щоб провести" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,"Склад ""в роботі"" необхідний щоб провести" apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,У Підписках можна використовувати лише Плани з тим самим платіжним циклом DocType: Bank Statement Transaction Settings Item,Mapped Data,Маповані дані DocType: Purchase Order Item,Warehouse and Reference,Склад і довідники @@ -3099,6 +3138,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Налаштування доставки apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Завантажте дані apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Максимальна дозволена відпустка у вигляді відпустки {0} {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Опублікуйте 1 пункт DocType: SMS Center,Create Receiver List,Створити список отримувачів DocType: Student Applicant,LMS Only,Тільки LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Доступна для використання Дата повинна бути після дати придбання @@ -3132,6 +3172,7 @@ DocType: Serial No,Delivery Document No,Доставка Документ № DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,Забезпечити доставку на основі серійного номеру виробництва DocType: Vital Signs,Furry,Пухнастий apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Будь ласка, встановіть "прибуток / збиток Рахунок по поводженню з відходами активу в компанії {0}" +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} @@ -3143,6 +3184,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Переглянути всі випуски від {0} DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Таблиця якісних зустрічей +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/templates/pages/help.html,Visit the forums,Відвідайте форуми DocType: Student,Student Mobile Number,Студент Мобільний телефон DocType: Item,Has Variants,Має Варіанти @@ -3154,9 +3196,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Назва пом DocType: Quality Procedure Process,Quality Procedure Process,Процес якості якості apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch ID є обов'язковим apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Batch ID є обов'язковим +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Виберіть спочатку Клієнта DocType: Sales Person,Parent Sales Person,Батьківський Відповідальний з продажу apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,"Жодних предметів, що підлягають отриманню, не пізніше" apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Продавець і покупець не можуть бути однаковими +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Немає переглядів DocType: Project,Collect Progress,Збір прогресу DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Спочатку виберіть програму @@ -3178,11 +3222,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Досягнутий DocType: Student Admission,Application Form Route,Заявка на маршрут apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,"Дата закінчення угоди не може бути меншою, ніж сьогодні." +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter для надсилання DocType: Healthcare Settings,Patient Encounters in valid days,Зустрічі пацієнта в дійсні дні apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,"Залиште Тип {0} не може бути виділена, так як він неоплачувану відпустку" 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"""Прописом"" буде видно, коли ви збережете рахунок-фактуру." DocType: Lead,Follow Up,Слідувати +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Центр витрат: {0} не існує DocType: Item,Is Sales Item,Продаєм цей товар apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Дерево Групи Об’єктів apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Пункт {0} не налаштований на послідовний пп. Перевірити майстра предмета @@ -3226,9 +3272,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Поставлена к-сть DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Позиція Замовлення матеріалів -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,"Будь ласка, спочатку скасуйте квитанцію про закупівлю {0}" apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Дерево товарні групи. DocType: Production Plan,Total Produced Qty,Загальний обсяг випуску +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Немає відгуків ще apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,"Не можна посилатися на номер рядка, що перевищує або рівний поточному для цього типу стягнення" DocType: Asset,Sold,проданий ,Item-wise Purchase History,Попозиційна історія закупівель @@ -3247,7 +3293,7 @@ DocType: Designation,Required Skills,Необхідні навички DocType: Inpatient Record,O Positive,O Позитивний apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Інвестиції DocType: Issue,Resolution Details,Дозвіл Подробиці -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Тип транзакції +DocType: Leave Ledger Entry,Transaction Type,Тип транзакції DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критерії приймання apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Будь ласка, введіть Замовлення матеріалів у наведену вище таблицю" apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Немає виплат для вступу до журналу @@ -3289,6 +3335,7 @@ DocType: Bank Account,Bank Account No,Банківський рахунок № DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Подача доказів про звільнення від податку працівника DocType: Patient,Surgical History,Хірургічна історія DocType: Bank Statement Settings Item,Mapped Header,Записаний заголовок +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, налаштуйте Систему іменування співробітників у Людських ресурсах> Налаштування HR" DocType: Employee,Resignation Letter Date,Дата листа про відставка apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,Ціни Правила далі фільтруються на основі кількості. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},"Будь ласка, встановіть дати приєднання для працівника {0}" @@ -3357,7 +3404,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Додати бланк DocType: Program Enrollment,Self-Driving Vehicle,Самостійне водіння автомобіля 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,"Всього виділені листя {0} не може бути менше, ніж вже затверджених листя {1} за період" DocType: Contract Fulfilment Checklist,Requirement,Вимога DocType: Journal Entry,Accounts Receivable,Дебіторська заборгованість DocType: Quality Goal,Objectives,Цілі @@ -3380,7 +3426,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Порогова од DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Це значення оновлюється за умовчанням за цінами продажу. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Ваш кошик порожній DocType: Email Digest,New Expenses,нові витрати -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC Сума apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,"Не вдається оптимізувати маршрут, оскільки адреса драйвера відсутня." DocType: Shareholder,Shareholder,Акціонер DocType: Purchase Invoice,Additional Discount Amount,Додаткова знижка Сума @@ -3417,6 +3462,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Забезпечення apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,"Будь ласка, встановіть ліміт B2C в налаштуваннях GST." DocType: Marketplace Settings,Marketplace Settings,Налаштування Marketplace 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} тепер є фінансовим роком за замовчуванням. Будь ласка, оновіть сторінку у вашому переглядачі, щоб зміни вступили в силу." @@ -3453,6 +3499,7 @@ DocType: Salary Component,Deduction,Відрахування DocType: Item,Retain Sample,Зберегти зразок apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Рядок {0}: Від часу і часу є обов'язковим. DocType: Stock Reconciliation Item,Amount Difference,сума різниця +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,"На цій сторінці відстежуються товари, які ви хочете придбати у продавців." apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Ціна товару додається для {0} у прайс-листі {1} DocType: Delivery Stop,Order Information,Інформація про замовлення apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Будь ласка, введіть ідентифікатор працівника для цього Відповідального з продажу" @@ -3481,6 +3528,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Бюджетний період ** являє собою бюджетний період. Всі бухгалтерські та інші основні операції відслідковуються у розрізі **Бюджетного періоду**. DocType: Opportunity,Customer / Lead Address,Адреса Клієнта / Lead-а DocType: Supplier Scorecard Period,Supplier Scorecard Setup,Установка Scorecard постачальника +DocType: Customer Credit Limit,Customer Credit Limit,Кредитний ліміт клієнта apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Назва плану оцінки apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Деталі цілі apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Застосовується, якщо компанія є SpA, SApA або SRL" @@ -3533,7 +3581,6 @@ DocType: Company,Transactions Annual History,Операції Річна іст 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,Назва банку -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-вище 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,Рідина @@ -3587,6 +3634,7 @@ 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,Додано до вибраних елементів apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Прибуток за рік 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,В процесі @@ -3641,12 +3689,10 @@ 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,Дозволити одночасне кілька разів -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,№ компанії GST не знайдено. 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,співробітники DocType: Question,Single Correct Answer,Єдиний правильний відповідь -DocType: Employee,Contact Details,Контактні дані DocType: C-Form,Received Date,Дата отримання DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Якщо ви створили стандартний шаблон в шаблонах податків та зборів з продажу, виберіть його та натисніть на кнопку нижче." DocType: BOM Scrap Item,Basic Amount (Company Currency),Базова сума (Компанія Валюта) @@ -3676,12 +3722,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Операція Сай DocType: Bank Statement Transaction Payment Item,outstanding_amount,видатний_маунт DocType: Supplier Scorecard,Supplier Score,Показник постачальника apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Графік прийому +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Загальна сума запиту на оплату не може перевищувати суму {0} DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Кумулятивний порог транзакції DocType: Promotional Scheme Price Discount,Discount Type,Тип знижки -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Всього у рахунках DocType: Purchase Invoice Item,Is Free Item,Безкоштовний предмет +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Відсоток, який ви можете переказувати більше проти замовленої кількості. Наприклад: Якщо ви замовили 100 одиниць. і ваша допомога становить 10%, тоді вам дозволяється передати 110 одиниць." DocType: Supplier,Warn RFQs,Попереджати Запити -apps/erpnext/erpnext/templates/pages/home.html,Explore,досліджувати +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,досліджувати DocType: BOM,Conversion Rate,Обмінний курс apps/erpnext/erpnext/www/all-products/index.html,Product Search,Пошук продукту ,Bank Remittance,Банківські перекази @@ -3693,6 +3740,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,Загальна сума сплачена DocType: Asset,Insurance End Date,Дата закінчення страхування apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Будь-ласка, оберіть Student Admission, який є обов'язковим для платника заявника" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Список бюджету DocType: Campaign,Campaign Schedules,Графіки кампанії DocType: Job Card Time Log,Completed Qty,Завершена к-сть @@ -3715,6 +3763,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Нова DocType: Quality Inspection,Sample Size,Обсяг вибірки apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,"Будь ласка, введіть Квитанція документ" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Всі деталі вже виставлений +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Забране листя apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Будь ласка, вкажіть дійсний "Від справі № '" 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,"Наступні центри витрат можна створювати під групами, але у проводках використовуються не-групи" 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,"Всього виділених листів - це більше днів, ніж максимальний розмір {0} типу відпустки для працівника {1} за період" @@ -3815,6 +3864,8 @@ 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: Call Log,Received By,Отримав 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.,Відслідковувати окремо доходи та витрати для виробничої вертикалі або підрозділів. @@ -3868,6 +3919,7 @@ DocType: Support Search Source,Result Title Field,Поле заголовка р apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Підсумки дзвінків DocType: Sample Collection,Collected Time,Зібраний час DocType: Employee Skill Map,Employee Skills,Навички працівника +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Витрати на паливо DocType: Company,Sales Monthly History,Щомісячна історія продажу apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,"Будь ласка, встановіть принаймні один рядок у таблиці податків та зборів" DocType: Asset Maintenance Task,Next Due Date,Наступна термін сплати @@ -3877,6 +3929,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Житт DocType: Payment Entry,Payment Deductions or Loss,Відрахування з оплат або збиток DocType: Soil Analysis,Soil Analysis Criterias,Критерії аналізу грунту apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Стандартні умови договору для продажу або покупки. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Рядки видалено через {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Почніть заїзд перед початком часу зміни (у хвилинах) DocType: BOM Item,Item operation,Елемент операції apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Згрупувати по документах @@ -3902,11 +3955,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Зарплатний розрахунок для працівника {0} вже створено за цей період apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Фармацевтична apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Ви можете залишити залишкову інкасацію лише за дійсну суму інкасації +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Предмети від apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Вартість куплених виробів DocType: Employee Separation,Employee Separation Template,Шаблон розділення співробітників DocType: Selling Settings,Sales Order Required,Необхідне Замовлення клієнта apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Стати продавцем -DocType: Shift Type,The number of occurrence after which the consequence is executed.,"Кількість випадків, після яких виконується наслідок." ,Procurement Tracker,Відстеження закупівель DocType: Purchase Invoice,Credit To,Кредит на apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC Зворотній @@ -3919,6 +3972,7 @@ DocType: Quality Meeting,Agenda,Порядок денний DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Деталі Запланованого обслуговування DocType: Supplier Scorecard,Warn for new Purchase Orders,Попереджайте про нові замовлення на купівлю DocType: Quality Inspection Reading,Reading 9,Читання 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Підключіть свій обліковий запис Exotel до журналу ERPNext та відстежте журнали викликів DocType: Supplier,Is Frozen,Заблоковано DocType: Tally Migration,Processed Files,Оброблені файли apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,"склад групи вузлів не допускається, щоб вибрати для угод" @@ -3928,6 +3982,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Номер Норм DocType: Upload Attendance,Attendance To Date,Відвідуваність по дату 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,Рецепти @@ -3953,7 +4008,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Запитник apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Неприпустима посилання {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Правила застосування різних рекламних схем. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) не може бути більше, ніж запланована кількість ({2}) у Виробничому замовленні {3}" DocType: Shipping Rule,Shipping Rule Label,Ярлик правил доставки DocType: Journal Entry Account,Payroll Entry,Заробітна плата за вхід apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Перегляньте звіти про комісійні @@ -3965,6 +4019,7 @@ DocType: Contract,Fulfilment Status,Статус виконання DocType: Lab Test Sample,Lab Test Sample,Лабораторія випробувань зразка DocType: Item Variant Settings,Allow Rename Attribute Value,Дозволити значення атрибуту "Перейменувати" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Швидка проводка +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Майбутня сума платежу apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Ви не можете змінити вартість, якщо для елементу вказані Норми" DocType: Restaurant,Invoice Series Prefix,Префікс серії рахунків-фактур DocType: Employee,Previous Work Experience,Попередній досвід роботи @@ -3994,6 +4049,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Статус проекту DocType: UOM,Check this to disallow fractions. (for Nos),"Перевірте це, щоб заборонити фракції. (для №)" DocType: Student Admission Program,Naming Series (for Student Applicant),Іменування Series (для студентів Заявником) +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/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,Розклад служби практиків @@ -4009,6 +4065,7 @@ DocType: Fiscal Year,Year End Date,Дата закінчення року 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} закрито @@ -4017,6 +4074,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Отримати поточний запас DocType: Purchase Invoice,ineligible,непридатний apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Дерево Норм +DocType: BOM,Exploded Items,Вибухові предмети DocType: Student,Joining Date,приєднання Дата ,Employees working on a holiday,"Співробітники, що працюють у вихідні" ,TDS Computation Summary,Підсумок обчислень TDS @@ -4049,6 +4107,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (як у ф DocType: SMS Log,No of Requested SMS,Кількість requested SMS apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Відпустка за свій рахунок не відповідає затвердженим записам заяв на відпустку apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Наступні кроки +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Збережені елементи DocType: Travel Request,Domestic,Вітчизняний apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,"Будь ласка, надайте зазначені пункти в найкращих можливих ставок" apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Передача працівників не може бути подана до дати переказу @@ -4102,7 +4161,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Рядок # {0} (таблиця платежів): сума повинна бути позитивною -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете виробляти більше Пункт {0}, ніж кількість продажів Замовити {1}" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете виробляти більше Пункт {0}, ніж кількість продажів Замовити {1}" apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Нічого не включається до валового apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Для цього документа вже існує законопроект про електронний шлях apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Виберіть значення атрибута @@ -4137,12 +4196,10 @@ 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,Налаштування компанії -DocType: Shift Type,Enable Different Consequence for Early Exit,Увімкнути різні наслідки для раннього виходу ,Lab Test Report,Лабораторія тестового звіту DocType: Employee Benefit Application,Employee Benefit Application,Заявка на користь працівника apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,Додатковий компонент заробітної плати існує. DocType: Purchase Invoice,Unregistered,Незареєстрований -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,"Будь ласка, в першу чергу поставки Примітка" DocType: Student Applicant,Application Date,дата подачі заявки DocType: Salary Component,Amount based on formula,Сума на основі формули DocType: Purchase Invoice,Currency and Price List,Валюта та ціни @@ -4171,6 +4228,7 @@ DocType: Purchase Receipt,Time at which materials were received,"Час, в як DocType: Products Settings,Products per Page,Продукція на сторінку 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,Дата виставлення рахунку apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Виділена сума не може бути від’ємною DocType: Sales Order,Billing Status,Статус рахунків apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Повідомити про проблему @@ -4180,6 +4238,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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} або вже прив'язана до іншого документу DocType: Supplier Scorecard Criteria,Criteria Weight,Критерії ваги +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Рахунок: {0} заборонено вводити платіж DocType: Production Plan,Ignore Existing Projected Quantity,Ігноруйте наявну прогнозовану кількість apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Залишити повідомлення про схвалення DocType: Buying Settings,Default Buying Price List,Прайс-лист закупівлі за замовчуванням @@ -4188,6 +4247,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},Рядок {0}: Введіть місце для об'єкта активу {1} DocType: Employee Checkin,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.","Встановити значення за замовчуванням, як-от компанія, валюта, поточний фінансовий рік і т.д." DocType: Payment Entry,Payment Type,Тип оплати apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Будь ласка, виберіть Batch для пункту {0}. Не вдалося знайти жодної партії, яка задовольняє цій вимозі" @@ -4217,6 +4277,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Налаштування DocType: Journal Entry,Accounting Entries,Бухгалтерські проводки 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.","Якщо вибрано Правило ціноутворення для «Оцінити», воно буде перезаписати Прайс-лист. Коефіцієнт регулювання цін є кінцевою ставкою, тому подальша знижка не повинна застосовуватися. Отже, у таких транзакціях, як замовлення на купівлю, замовлення на купівлю і т. Д., Воно буде вивантажуватись у полі «Оцінка», а не поле «Ціновий курс»." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Будь ласка, налаштуйте систему іменування інструкторів у програмі Освіта> Налаштування освіти" DocType: Journal Entry,Paid Loan,Платний кредит 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,Довідкова дата @@ -4233,12 +4294,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Details apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Немає часу листи DocType: GoCardless Mandate,GoCardless Customer,GoCardless Клієнт apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Тип відпустки {0} не може бути перенесеним +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товару> Група предметів> Бренд apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',"Не для всіх позицій згенероване Заплановане тех. обслуговування. Натисніть ""Згенерувати розклад"" будь-ласка" ,To Produce,Виробляти DocType: Leave Encashment,Payroll,Платіжна відомість 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} у розмірі Item ряди також повинні бути включені {3} DocType: Healthcare Service Unit,Parent Service Unit,Батьківський відділ обслуговування DocType: Packing Slip,Identification of the package for the delivery (for print),Ідентифікація пакета для доставки (для друку) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Договір про рівень обслуговування було скинуто. DocType: Bin,Reserved Quantity,Зарезервовано Кількість apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,"Будь ласка, введіть адресу електронної пошти" DocType: Volunteer Skill,Volunteer Skill,Волонтерська майстерність @@ -4259,7 +4322,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Ціна або знижка на товар apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Для рядка {0}: введіть заплановане число DocType: Account,Income Account,Рахунок доходів -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія DocType: Payment Request,Amount in customer's currency,Сума в валюті клієнта apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Доставка apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Призначення структур ... @@ -4282,6 +4344,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,Посилання 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?,"Ви втратите записи про раніше сформовані рахунки-фактури. Ви впевнені, що хочете перезапустити цю підписку?" @@ -4337,11 +4400,10 @@ DocType: Additional Salary,HR User,HR Користувач DocType: Bank Guarantee,Reference Document Name,Назва довідкового документа DocType: Purchase Invoice,Taxes and Charges Deducted,Відраховані податки та збори DocType: Support Settings,Issues,Питань -DocType: Shift Type,Early Exit Consequence after,Наслідок раннього виходу після DocType: Loyalty Program,Loyalty Program Name,Назва програми лояльності apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Стан повинен бути одним з {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Нагадування про оновлення GSTIN надіслано -DocType: Sales Invoice,Debit To,Дебет +DocType: Discounted Invoice,Debit To,Дебет DocType: Restaurant Menu Item,Restaurant Menu Item,Меню меню ресторану DocType: Delivery Note,Required only for sample item.,Потрібно лише для зразка пункту. DocType: Stock Ledger Entry,Actual Qty After Transaction,Фактична к-сть після операції @@ -4424,6 +4486,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Назва пара apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Тільки залиште додатки зі статусом «Схвалено» і «Відхилено» можуть бути представлені apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Створення розмірів ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Студентська група Ім'я є обов'язковим в рядку {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Обхід кредиту limit_check DocType: Homepage,Products to be shown on website homepage,"Продукти, що будуть показані на головній сторінці веб-сайту" DocType: HR Settings,Password Policy,Політика щодо паролів apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Це корінь групи клієнтів і не можуть бути змінені. @@ -4471,10 +4534,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Як apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,"Будь ласка, встановіть клієнт за замовчуванням у налаштуваннях ресторану" ,Salary Register,дохід Реєстрація DocType: Company,Default warehouse for Sales Return,Склад за замовчуванням для повернення продажів -DocType: Warehouse,Parent Warehouse,Батьківський елемент складу +DocType: Pick List,Parent Warehouse,Батьківський елемент складу DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},Стандартна BOM не знайдена для елемента {0} та Project {1} +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}: Будь ласка, встановіть Спосіб оплати у Платіжному графіку" apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Визначення різних видів кредиту DocType: Bin,FCFS Rate,FCFS вартість @@ -4511,6 +4574,7 @@ DocType: Travel Itinerary,Lodging Required,Приміщення для прож DocType: Promotional Scheme,Price Discount Slabs,Цінові плити знижки DocType: Stock Reconciliation Item,Current Serial No,Поточний серійний номер DocType: Employee,Attendance and Leave Details,Інформація про відвідування та залишення +,BOM Comparison Tool,Інструмент порівняння BOM ,Requested,Запитаний apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Немає зауважень DocType: Asset,In Maintenance,У технічному обслуговуванні @@ -4533,6 +4597,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Договір про рівень обслуговування за замовчуванням DocType: SG Creation Tool Course,Course Code,код курсу apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Більше одного вибору для {0} не дозволено +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Кількість сировини визначатиметься виходячи з кількості предмета готової продукції DocType: Location,Parent Location,Батьківське місцезнаходження DocType: POS Settings,Use POS in Offline Mode,Використовувати POS в автономному режимі apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Пріоритет змінено на {0}. @@ -4551,7 +4616,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Зразковий склад DocType: Company,Default Receivable Account,Рахунок дебеторської заборгованості за замовчуванням apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Прогнозована формула кількості DocType: Sales Invoice,Deemed Export,Розглянуто Експорт -DocType: Stock Entry,Material Transfer for Manufacture,Матеріал для виробництва передачі +DocType: Pick List,Material Transfer for Manufacture,Матеріал для виробництва передачі 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.,Знижка у відсотках можна застосовувати або стосовно прайс-листа або для всіх прайс-лист. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Проводки по запасах DocType: Lab Test,LabTest Approver,LabTest Approver @@ -4594,7 +4659,6 @@ DocType: Training Event,Theory,теорія apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Увага: Кількість замовленого матеріалу менша за мінімально допустиму apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Рахунок {0} заблоковано DocType: Quiz Question,Quiz Question,Питання для вікторини -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Постачальник> Тип постачальника 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","Продукти харчування, напої і тютюнові вироби" @@ -4625,6 +4689,7 @@ 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,Опубліковані предмети DocType: Account,Expense Account,Рахунок витрат apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Програмне забезпечення apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Колір @@ -4663,6 +4728,7 @@ 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,Усі банківські операції створені DocType: Fee Validity,Visited yet,Відвідано ще +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Ви можете представити до 8 елементів. 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.,Як часто слід оновлювати проект та компанію на основі операцій продажу. @@ -4670,7 +4736,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,Температура зберігання @@ -4695,7 +4760,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Конвертац DocType: Contract,Signee Details,Signee Детальніше apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.","{0} наразі має {1} Поставку Scorecard Постачальника, і запити на поставку цього постачальника повинні бути випущені з обережністю." DocType: Certified Consultant,Non Profit Manager,Неприбутковий менеджер -DocType: BOM,Total Cost(Company Currency),Загальна вартість (Компанія Валюта) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Серійний номер {0} створено DocType: Homepage,Company Description for website homepage,Опис компанії для головної сторінки веб-сайту DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Для зручності клієнтів, ці коди можуть бути використані в друкованих формах, таких, як рахунки-фактури та розхідні накладні" @@ -4724,7 +4788,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Пози DocType: Amazon MWS Settings,Enable Scheduled Synch,Увімкнути заплановану синхронізацію apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Для DateTime apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Журнали для підтримки статус доставки смс -DocType: Shift Type,Early Exit Consequence,Наслідок раннього виходу DocType: Accounts Settings,Make Payment via Journal Entry,Платити згідно Проводки apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,"Будь ласка, не створюйте більше 500 елементів одночасно" apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,надруковано на @@ -4781,6 +4844,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,межа Схр 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,Таємно +DocType: Plaid Settings,Plaid Secret,Плед-секрет DocType: Company,Date of Establishment,Дата заснування apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Венчурний капітал apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Академічний термін з цим "Академічний рік" {0} і 'Term Name "{1} вже існує. Будь ласка, поміняйте ці записи і спробуйте ще раз." @@ -4843,6 +4907,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Тип клієнта DocType: Compensatory Leave Request,Leave Allocation,Призначення відпустки DocType: Payment Request,Recipient Message And Payment Details,Повідомлення та платіжні реквізити +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Виберіть Примітку про доставку DocType: Support Search Source,Source DocType,Джерело DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Відкрий новий квиток DocType: Training Event,Trainer Email,тренер Email @@ -4965,6 +5030,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 перепроваджених Листя apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"""Від дати"" має бути раніше ""До дати""" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Жодних кадрових планів не знайдено для цього призначення apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Пакет {0} елемента {1} вимкнено. @@ -4986,7 +5052,7 @@ DocType: Clinical Procedure,Patient,Пацієнт apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Обхід перевірки кредиту в замовленні клієнта DocType: Employee Onboarding Activity,Employee Onboarding Activity,Співробітник бортової діяльності DocType: Location,Check if it is a hydroponic unit,"Перевірте, чи це гідропонічний пристрій" -DocType: Stock Reconciliation Item,Serial No and Batch,Серійний номер та партія +DocType: Pick List Item,Serial No and Batch,Серійний номер та партія DocType: Warranty Claim,From Company,Від компанії DocType: GSTR 3B Report,January,Січень apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Сума десятків критеріїв оцінки має бути {0}. @@ -5011,7 +5077,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Ні {0} знайдено для транзакцій компанії «Інтер». -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,Credit_note_amt DocType: Travel Itinerary,Rented Car,Орендований автомобіль apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,Про вашу компанію apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,Кредит на рахунку повинен бути баланс рахунку @@ -5044,11 +5109,13 @@ apps/erpnext/erpnext/config/accounting.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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,решті DocType: Appraisal,Appraisal,Оцінка DocType: Loan,Loan Account,Рахунок позики apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Дійсні та дійсні поля upto обов'язкові для сукупності +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",Для елемента {0} у рядку {1} кількість серійних номерів не збігається із вибраною кількістю DocType: Purchase Invoice,GST Details,Деталі GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Це базується на операціях з цією практикою охорони здоров'я. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Електронна пошта відправляється постачальнику {0} @@ -5112,6 +5179,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Вага брутто упаковки. Зазвичай вага нетто + пакувальний матеріал вагу. (для друку) DocType: Assessment Plan,Program,Програма DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Користувачі з цією роллю можуть встановлювати заблоковані рахунки і створювати / змінювати проводки по заблокованих рахунках +DocType: Plaid Settings,Plaid Environment,Плед довкілля ,Project Billing Summary,Підсумок виставлення рахунків за проект DocType: Vital Signs,Cuts,Розрізи DocType: Serial No,Is Cancelled,Скасовується @@ -5174,7 +5242,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Примітка: Система не перевірятиме по-доставки і більш-бронювання для Пункт {0}, як кількість або сума 0" DocType: Issue,Opening Date,Дата розкриття apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,"Будь ласка, спочатку збережіть пацієнта" -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Створити новий контакт apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Глядачі були успішно відзначені. DocType: Program Enrollment,Public Transport,Громадський транспорт DocType: Sales Invoice,GST Vehicle Type,Тип автомобіля GST @@ -5201,6 +5268,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,"Закон DocType: POS Profile,Write Off Account,Рахунок списання DocType: Patient Appointment,Get prescribed procedures,Отримати визначені процедури DocType: Sales Invoice,Redemption Account,Викупний рахунок +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Спочатку додайте елементи в таблицю Розташування елементів DocType: Pricing Rule,Discount Amount,Сума знижки DocType: Pricing Rule,Period Settings,Налаштування періоду DocType: Purchase Invoice,Return Against Purchase Invoice,Повернення згідно вхідного рахунку @@ -5233,7 +5301,6 @@ DocType: Assessment Plan,Assessment Plan,план оцінки DocType: Travel Request,Fully Sponsored,Повністю спонсорований apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Вступ до зворотного журналу apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Створіть карту роботи -DocType: Shift Type,Consequence after,Наслідок після DocType: Quality Procedure Process,Process Description,Опис процесу apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Клієнт {0} створено. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,На даний момент немає запасів на будь-якому складі @@ -5268,6 +5335,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Clearance дата DocType: Delivery Settings,Dispatch Notification Template,Шаблон сповіщення про відправлення apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Оціночний звіт apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Отримати співробітників +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,Опис адреси @@ -5361,7 +5429,6 @@ DocType: Stock Settings,Use Naming Series,Використовуйте сері apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Ніяких дій apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Звинувачення типу Оцінка не може відзначений як включено DocType: POS Profile,Update Stock,Оновити запас -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Різні Одиниця виміру для елементів призведе до неправильної (всього) значення маси нетто. Переконайтеся, що вага нетто кожного елемента знаходиться в тій же UOM." DocType: Certification Application,Payment Details,Платіжні реквізити apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Вартість згідно норми @@ -5397,7 +5464,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Це корінний Відповідальний з продажу та не може бути змінений. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Якщо вибрано, то значення, задане або розраховане в цьому компоненті не вноситиме свій внесок в доходи або відрахування. Проте, це значення може посилатися на інші компоненти, які можуть бути додані або віднімаються." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Якщо вибрано, то значення, задане або розраховане в цьому компоненті не вноситиме свій внесок в доходи або відрахування. Проте, це значення може посилатися на інші компоненти, які можуть бути додані або віднімаються." -DocType: Asset Settings,Number of Days in Fiscal Year,Кількість днів у фінансовому році ,Stock Ledger,Складська книга DocType: Company,Exchange Gain / Loss Account,Прибутки/збитки від курсової різниці DocType: Amazon MWS Settings,MWS Credentials,MWS Повноваження @@ -5433,6 +5499,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Стовпець у файлі банку apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Залишити заявку {0} вже існує проти студента {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Очікується оновлення останньої ціни у всіх Білльових Матеріалах. Це може зайняти кілька хвилин. +DocType: Pick List,Get Item Locations,Отримати місця розташування предметів apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Ім'я нового Користувача. Примітка: Будь ласка, не створювати облікові записи для клієнтів і постачальників" DocType: POS Profile,Display Items In Stock,Відображати елементи на складі apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Країнозалежний шаблон адреси за замовчуванням @@ -5456,6 +5523,7 @@ DocType: Crop,Materials Required,Необхідні матеріали apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,"Немає студентів, не знайдено" DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Щомісячне звільнення від ГРА DocType: Clinical Procedure,Medical Department,Медичний департамент +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Всього дострокових виходів DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Критерії оцінки скорингової системи постачальника apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Дата створення рахунку-фактури apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Продаж @@ -5467,11 +5535,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Видаліть працівника {0} \, щоб скасувати цей документ" DocType: Program Enrollment,School House,School House DocType: Serial No,Out of AMC,З Контракту на річне обслуговування DocType: Opportunity,Opportunity Amount,Сума можливостей +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Твій профіль apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Кількість проведених амортизацій не може бути більше за загальну кількість амортизацій DocType: Purchase Order,Order Confirmation Date,Дата підтвердження замовлення DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5566,7 +5633,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Існують невідповідності між ставкою, без акцій та обчисленою сумою" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,У вас немає всіх днів між днями компенсаційного відпустки apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,"Будь ласка, повторіть введення назви компанії, щоб підтвердити" -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Загальна неоплачена сума DocType: Journal Entry,Printing Settings,Налаштування друку DocType: Payment Order,Payment Order Type,Тип платіжного доручення DocType: Employee Advance,Advance Account,Авансовий рахунок @@ -5656,7 +5722,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Назва року apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,У цьому місяці більше вихідних ніж робочих днів. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Наступні елементи {0} не позначені як {1} елемент. Ви можете включити їх як елемент {1} з майстра пункту -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Комплект DocType: Sales Partner,Sales Partner Name,Назва торгового партнеру apps/erpnext/erpnext/hooks.py,Request for Quotations,Запит на надання пропозицій @@ -5665,7 +5730,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,Нормальні тестові елементи DocType: QuickBooks Migrator,Company Settings,Налаштування компанії DocType: Additional Salary,Overwrite Salary Structure Amount,Переписати суму структури заробітної плати -apps/erpnext/erpnext/config/hr.py,Leaves,Листя +DocType: Leave Ledger Entry,Leaves,Листя DocType: Student Language,Student Language,Student Мова DocType: Cash Flow Mapping,Is Working Capital,Це оборотний капітал apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Надіслати доказ @@ -5673,12 +5738,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Замовлення / Quot% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Запис пацієнта Vitals DocType: Fee Schedule,Institution,установа -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: Asset,Partially Depreciated,Частково амортизований DocType: Issue,Opening Time,Час відкриття apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,"Від і До дати, необхідних" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Цінні папери та бірж -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Підсумок дзвінків за {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Пошук документів apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"За од.вим. за замовчуванням для варіанту '{0}' має бути такою ж, як в шаблоні ""{1} '" DocType: Shipping Rule,Calculate Based On,"Розрахувати, засновані на" @@ -5725,6 +5788,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Максимально допустиме значення DocType: Journal Entry Account,Employee Advance,Працівник Аванс DocType: Payroll Entry,Payroll Frequency,Розрахунок заробітної плати Частота +DocType: Plaid Settings,Plaid Client ID,Плед-ідентифікатор клієнта DocType: Lab Test Template,Sensitivity,Чутливість DocType: Plaid Settings,Plaid Settings,Налаштування плед apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Синхронізацію було тимчасово вимкнено, оскільки перевищено максимальні спроби" @@ -5742,6 +5806,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Будь ласка, виберіть спочатку дату запису" apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,"Відкриття Дата повинна бути, перш ніж Дата закриття" DocType: Travel Itinerary,Flight,Політ +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Повернутися на батьківщину DocType: Leave Control Panel,Carry Forward,Переносити apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,"Центр витрат з існуючими операціями, не може бути перетворений у книгу" DocType: Budget,Applicable on booking actual expenses,Застосовується при бронюванні фактичних витрат @@ -5798,6 +5863,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Створити apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Ви не уповноважений погоджувати відпустки на заблоковані дати apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Запит на {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,На всі ці позиції вже виставлений рахунок +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,"Не знайдені непогашені рахунки-фактури для {0} {1}, які визначають вказані вами фільтри." apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Встановити нову дату випуску DocType: Company,Monthly Sales Target,Місячний ціль продажу apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Не знайдені непогашені рахунки-фактури @@ -5845,6 +5911,7 @@ DocType: Batch,Source Document Name,Джерело Назва документа DocType: Batch,Source Document Name,Джерело Назва документа DocType: Production Plan,Get Raw Materials For Production,Отримайте сировину для виробництва DocType: Job Opening,Job Title,Професія +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Майбутня оплата Ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} вказує на те, що {1} не буде надавати котирування, але котируються всі елементи \. Оновлення стану цитати RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Максимальна кількість зразків - {0} вже збережено для партії {1} та елемента {2} у пакеті {3}. @@ -5855,12 +5922,10 @@ 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: Company,Product Code,Код продукту DocType: Quality Review Table,Objective,Об'єктивна DocType: Supplier Scorecard,Per Month,На місяць DocType: Education Settings,Make Academic Term Mandatory,Зробити академічний термін обов'язковим -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,"Кількість, Виготовлення повинні бути більше, ніж 0." -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Розрахувати розклад розрахункової зносу на основі фінансового року +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,"Кількість, Виготовлення повинні бути більше, ніж 0." apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Звіт по візиту на виклик по тех. обслуговуванню. DocType: Stock Entry,Update Rate and Availability,Частота оновлення і доступність 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 одиниць." @@ -5872,7 +5937,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Дата виходу повинна бути в майбутньому DocType: BOM,Website Description,Опис веб-сайту apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Чиста зміна в капіталі -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,"Будь ласка, відмініть спочатку вхідний рахунок {0}" apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,"Не дозволено. Будь ласка, вимкніть тип службового блоку" apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Адреса електронної пошти повинен бути унікальним, вже існує для {0}" DocType: Serial No,AMC Expiry Date,Дата закінчення річного обслуговування @@ -5916,6 +5980,7 @@ DocType: Pricing Rule,Price Discount Scheme,Схема знижок на цін apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Статус технічного обслуговування має бути скасований або завершено для відправлення DocType: Amazon MWS Settings,US,нас DocType: Holiday List,Add Weekly Holidays,Додати щотижневі свята +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Елемент звіту DocType: Staffing Plan Detail,Vacancies,Вакансії DocType: Hotel Room,Hotel Room,Кімната в готелі apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Рахунок {0} не належить компанії {1} @@ -5967,12 +6032,15 @@ DocType: Email Digest,Open Quotations,Відкриті котирування 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Видаліть працівника {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,Основна кількість @@ -5986,6 +6054,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Вакантний DocType: Patient,Alcohol Past Use,Спиртне минуле використання DocType: Fertilizer Content,Fertilizer Content,Вміст добрив +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,без опису apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Штат (оплата) DocType: Quality Goal,Monitoring Frequency,Частота моніторингу @@ -6003,6 +6072,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Кінець На дату не може бути до наступної контактної дати. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Пакетні записи DocType: Journal Entry,Pay To / Recd From,Заплатити / Отримати +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Скасувати публікацію DocType: Naming Series,Setup Series,Налаштування серій DocType: Payment Reconciliation,To Invoice Date,Рахунки-фактури з датою по DocType: Bank Account,Contact HTML,Зв'язатися з HTML- @@ -6024,6 +6094,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Роздрібна тор DocType: Student Attendance,Absent,Відсутній DocType: Staffing Plan,Staffing Plan Detail,Детальний план персоналу DocType: Employee Promotion,Promotion Date,Дата просування +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Виділення залишку% s пов'язане із заявою на відпустку% s 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} @@ -6058,9 +6129,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Рахунок-фактура {0} більше не існує DocType: Guardian Interest,Guardian Interest,опікун Відсотки DocType: Volunteer,Availability,Наявність +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Заява на відпустку пов'язана з розподілом відпусток {0}. Залишити заявку не можна встановити як відпустку без оплати apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Встановити значення за замовчуванням для рахунків-фактур POS DocType: Employee Training,Training,навчання DocType: Project,Time to send,Час відправити +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,"Ця сторінка відстежує ваші товари, до яких покупці виявили певний інтерес." 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,ІД епошти охоронця @@ -6160,12 +6233,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Сума на початок роботи DocType: Salary Component,Formula,формула apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Серійний # -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, налаштуйте Систему іменування співробітників у Людських ресурсах> Налаштування HR" 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/setup/doctype/company/company.py,Sales Account,Рахунок продажів DocType: Purchase Invoice Item,Total Weight,Загальна вага +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}" @@ -6189,6 +6262,7 @@ DocType: Company,Default Employee Advance Account,Авансовий рахун apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Елемент пошуку (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Рахунок з існуючою транзакції не можуть бути вилучені +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,"Чому, на вашу думку, цей пункт потрібно видалити?" DocType: Vehicle,Last Carbon Check,Останній Carbon Перевірити apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Судові витрати apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,"Будь ласка, виберіть кількість по ряду" @@ -6208,6 +6282,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Зламатися DocType: Travel Itinerary,Vegetarian,Вегетаріанець DocType: Patient Encounter,Encounter Date,Дата зустрічі +DocType: Work Order,Update Consumed Material Cost In Project,Оновлення витрат на споживаний матеріал у проекті apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Рахунок: {0} з валютою: {1} не може бути обраний DocType: Bank Statement Transaction Settings Item,Bank Data,Банківські дані DocType: Purchase Receipt Item,Sample Quantity,Обсяг вибірки @@ -6262,7 +6337,7 @@ DocType: GSTR 3B Report,April,Квітень DocType: Plant Analysis,Collection Datetime,Колекція Datetime DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,Загальна експлуатаційна вартість -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Примітка: Пункт {0} введений кілька разів +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Примітка: Пункт {0} введений кілька разів apps/erpnext/erpnext/config/buying.py,All Contacts.,Всі контакти. DocType: Accounting Period,Closed Documents,Закриті документи DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,Керування рахунками для зустрічей подавати та скасовувати автоматично для зустрічей пацієнтів @@ -6344,9 +6419,7 @@ DocType: Member,Membership Type,Тип членства ,Reqd By Date,Reqd за датою apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Кредитори DocType: Assessment Plan,Assessment Name,оцінка Ім'я -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Показати PDC у друк apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Ряд # {0}: Серійний номер є обов'язковим -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Не знайдено непогашених рахунків-фактур за {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Пункт Мудрий Податковий Подробиці DocType: Employee Onboarding,Job Offer,Пропозиція про роботу apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Абревіатура інституту @@ -6405,6 +6478,7 @@ DocType: Serial No,Out of Warranty,З гарантії DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Змінений тип даних DocType: BOM Update Tool,Replace,Замінювати apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Не знайдено продуктів. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Опублікувати більше предметів apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Ця Угода про рівень обслуговування стосується Клієнта {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} по вихідних рахунках-фактурах {1} DocType: Antibiotic,Laboratory User,Лабораторний користувач @@ -6427,7 +6501,6 @@ DocType: Payment Order Reference,Bank Account Details,Дані банківсь DocType: Purchase Order Item,Blanket Order,Ковдра ордена 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,Податкові активи -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Виробничий замовлення було {0} DocType: BOM Item,BOM No,Номер Норм 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 @@ -6501,6 +6574,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),"Податкові товари, що оподатковуються (нульова оцінка)" DocType: BOM,Materials Required (Exploded),"Матеріалів, необхідних (в розібраному)" 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/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,Дата розміщення не може бути майбутня дата @@ -6558,7 +6632,6 @@ DocType: Pricing Rule,Same Item,Той самий предмет DocType: Stock Ledger Entry,Stock Ledger Entry,Запис складської книги DocType: Quality Action Resolution,Quality Action Resolution,Якісна резолюція дій apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} на пів дня Залишити на {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Той же пункт був введений кілька разів DocType: Department,Leave Block List,Список блокування відпусток DocType: Purchase Invoice,Tax ID,ІПН apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не налаштований на послідовний пп. Колонка повинна бути порожньою @@ -6596,7 +6669,7 @@ 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} відключений або не існує DocType: Purchase Invoice,Return,Повернення -DocType: Accounting Dimension,Disable,Відключити +DocType: Account,Disable,Відключити apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,Спосіб оплати потрібно здійснити оплату DocType: Task,Pending Review,В очікуванні відгук apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Редагувати повну сторінку для отримання додаткових параметрів, таких як активи, серійні номери, партії тощо." @@ -6710,7 +6783,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Комбінована частина рахунку-фактури повинна дорівнювати 100% DocType: Item Default,Default Expense Account,Витратний рахунок за замовчуванням DocType: GST Account,CGST Account,Обліковий запис CGST -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Код товару> Група предметів> Бренд apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,ІД епошти студента DocType: Employee,Notice (days),Попередження (днів) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Квитанції про закупівлю ваучерів POS @@ -6721,6 +6793,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Виберіть елементи для збереження рахунку-фактури DocType: Employee,Encashment Date,Дата виплати DocType: Training Event,Internet,інтернет +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Інформація про продавця DocType: Special Test Template,Special Test Template,Спеціальний шаблон тесту DocType: Account,Stock Adjustment,Підлаштування інвентаря apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},За замовчуванням активність Вартість існує для виду діяльності - {0} @@ -6733,7 +6806,6 @@ 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,"Потрібно встановити як початкову, так і кінцеву дату пробного періоду" -DocType: Company,Bank Remittance Settings,Налаштування банківських переказів apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Середня ставка 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",""Елемент, що надається клієнтом" не може мати показник оцінки" @@ -6761,6 +6833,7 @@ DocType: Grading Scale Interval,Threshold,поріг apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Фільтрувати співробітників за (необов’язково) DocType: BOM Update Tool,Current BOM,Поточні норми витрат apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Баланс (др - хр) +DocType: Pick List,Qty of Finished Goods Item,Кількість предмета готової продукції apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Додати серійний номер DocType: Work Order Item,Available Qty at Source Warehouse,Доступний Кількість на складі Джерело apps/erpnext/erpnext/config/support.py,Warranty,гарантія @@ -6839,7 +6912,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Тут ви можете зберегти зріст, вага, алергії, медичні проблеми і т.д." apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Створення облікових записів ... DocType: Leave Block List,Applies to Company,Відноситься до Компанії -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Не можна скасувати, тому що проведений Рух ТМЦ {0} існує" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Не можна скасувати, тому що проведений Рух ТМЦ {0} існує" DocType: Loan,Disbursement Date,витрачання Дата DocType: Service Level Agreement,Agreement Details,Деталі угоди apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Дата початку угоди не може бути більшою або дорівнює Кінцевій даті. @@ -6848,6 +6921,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Медичний запис DocType: Vehicle,Vehicle,транспортний засіб DocType: Purchase Invoice,In Words,Прописом +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,На сьогоднішній день потрібно бути раніше від дати apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Перед подачею введіть назву банку або кредитної установи. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} потрібно затвердити DocType: POS Profile,Item Groups,Групи товарів @@ -6920,7 +6994,6 @@ DocType: Customer,Sales Team Details,Продажі команд Детальн apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Видалити назавжди? DocType: Expense Claim,Total Claimed Amount,Усього сума претензії apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Потенційні можливості для продажу. -DocType: Plaid Settings,Link a new bank account,Зв’яжіть новий банківський рахунок apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} - недійсний статус відвідування. DocType: Shareholder,Folio no.,Фоліо № apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Невірний {0} @@ -6936,7 +7009,6 @@ DocType: Production Plan,Material Requested,Запитаний матеріал DocType: Warehouse,PIN,PIN-код DocType: Bin,Reserved Qty for sub contract,Зарезервований номер для підряду DocType: Patient Service Unit,Patinet Service Unit,Сервісний центр Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Створити текстовий файл DocType: Sales Invoice,Base Change Amount (Company Currency),Базова Зміна Сума (Компанія Валюта) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Немає бухгалтерських записів для наступних складів apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Тільки {0} в наявності для пункту {1} @@ -6950,6 +7022,7 @@ DocType: Item,No of Months,Кількість місяців DocType: Item,Max Discount (%),Макс Знижка (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Кредитні дні не можуть бути негативними числами apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Завантажте заяву +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Повідомити про цей елемент DocType: Purchase Invoice Item,Service Stop Date,Дата завершення сервісу apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Останнє Сума замовлення DocType: Cash Flow Mapper,e.g Adjustments for:,"наприклад, коригування для:" @@ -7043,16 +7116,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Категорія звільнення від сплати працівників apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Сума не повинна бути меншою за нуль. DocType: Sales Invoice,C-Form Applicable,"С-формі, застосовної" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},"Час роботи повинно бути більше, ніж 0 для операції {0}" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},"Час роботи повинно бути більше, ніж 0 для операції {0}" DocType: Support Search Source,Post Route String,Поштовий маршрут apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Склад є обов'язковим apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Не вдалося створити веб-сайт DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Одиниця виміру Перетворення Деталь apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Вступ та зарахування -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Внесені запаси запасу вже створені або кількість проб не вказана +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Внесені запаси запасу вже створені або кількість проб не вказана DocType: Program,Program Abbreviation,Абревіатура програми -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Виробниче замовлення не може бути зроблене на шаблон номенклатурної позиції apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Групувати за ваучером (консолідований) DocType: HR Settings,Encrypt Salary Slips in Emails,Шифруйте заробітну плату в електронних листах DocType: Question,Multiple Correct Answer,Кілька правильних відповідей @@ -7099,7 +7171,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Чи є нульовим DocType: Employee,Educational Qualification,Освітня кваліфікація DocType: Workstation,Operating Costs,Експлуатаційні витрати apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Валюта для {0} має бути {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Період наслідків вступу в Грейс DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,"Позначте відвідуваність на основі "Checkiner Checkin" для працівників, призначених на цю зміну." DocType: Asset,Disposal Date,Утилізація Дата DocType: Service Level,Response and Resoution Time,Час реагування та реагування @@ -7148,6 +7219,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Дата Виконання DocType: Purchase Invoice Item,Amount (Company Currency),Сума (Компанія валют) DocType: Program,Is Featured,Вибрано +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Отримання ... DocType: Agriculture Analysis Criteria,Agriculture User,Сільськогосподарський користувач apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Дійсний до дати не може бути до дати здійснення операції 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}, щоб завершити цю транзакцію." @@ -7180,7 +7252,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Загальна оплачена сума 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 Деталізація продажів Реєстрація @@ -7204,6 +7275,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Анонім apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Отримано від DocType: Lead,Converted,Перероблений DocType: Item,Has Serial No,Має серійний номер +DocType: Stock Entry Detail,PO Supplied Item,Поставляється товар 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} @@ -7318,7 +7390,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Синхронізуват 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,За замовчуванням BOM для {0} не найден +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}: Будь ласка, встановіть кількість перезамовлення" apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,"Натисніть пункти, щоб додати їх тут" @@ -7354,7 +7426,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Дата технічного обслуговування DocType: Purchase Invoice Item,Rejected Serial No,Відхилено Серійний номер apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,"Дата початку року або дата закінчення перекривається з {0}. Щоб уникнути будь ласка, встановіть компанію" -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,Установіть серію нумерації для відвідування через Налаштування> Серія нумерації apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Вкажіть, будь ласка, ім'я головного моменту у програмі {0}" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},"Дата початку повинна бути менше, ніж дата закінчення Пункт {0}" DocType: Shift Type,Auto Attendance Settings,Налаштування автоматичного відвідування @@ -7364,9 +7435,11 @@ DocType: Upload Attendance,Upload Attendance,Завантажити Відвід apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,Норми та кількість виробництва потрібні apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Старіння Діапазон 2 DocType: SG Creation Tool Course,Max Strength,Максимальна міцність +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Рахунок {0} вже існує в дочірній компанії {1}. У наступних полях різні значення, вони повинні бути однаковими:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Встановлення пресетів DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Примітка доставки не вибрана для Клієнта {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Рядки додано в {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Працівник {0} не має максимальної суми допомоги apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Виберіть елементи на основі дати доставки DocType: Grant Application,Has any past Grant Record,Має будь-яку минулу реєстр грантів @@ -7412,6 +7485,7 @@ DocType: Fees,Student Details,Студентські подробиці DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".","Це UOM за замовчуванням, який використовується для товарів та замовлень на продаж. Резервний UOM - "Ні"." DocType: Purchase Invoice Item,Stock Qty,Фото Кількість DocType: Purchase Invoice Item,Stock Qty,Фото Кількість +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,Обліковий запис доставки за умовчанням DocType: Loan,Repayment Period in Months,Період погашення в місцях @@ -7440,6 +7514,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise Знижка apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Timesheet для виконання завдань. DocType: Purchase Invoice,Against Expense Account,На рахунки витрат apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Відмітка про встановлення {0} вже проведена +DocType: BOM,Raw Material Cost (Company Currency),Вартість сировини (валюта компанії) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},"Оплачувані будинкові орендні дні, що перекриваються на {0}" DocType: GSTR 3B Report,October,Жовтень DocType: Bank Reconciliation,Get Payment Entries,Отримати Оплати @@ -7486,15 +7561,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Необхідна дата для використання DocType: Request for Quotation,Supplier Detail,Постачальник: Подробиці apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Помилка у формулі або умова: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Сума за рахунками +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Сума за рахунками apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Критеріальні ваги повинні складати до 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Відвідуваність apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Stock Items DocType: Sales Invoice,Update Billed Amount in Sales Order,Оновити орендовану суму в замовленні клієнта +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Зв'язатися з продавцем 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,"Будь ласка, увійдіть як користувач Marketplace, щоб повідомити про цей товар." ,Sales Partner Commission Summary,Підсумок комісії з продажу партнерів ,Item Prices,Ціни DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Прописом буде видно, як тільки ви збережете Замовлення на придбання." @@ -7508,6 +7585,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Майстер Прайс-листа DocType: Task,Review Date,Огляд Дата DocType: BOM,Allow Alternative Item,Дозволити альтернативний елемент +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,"У квитанції про придбання немає жодного предмета, для якого увімкнено Затримати зразок." apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Рахунок-фактура Велика сума DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Серія для амортизаційних відрахувань (вступ до журналу) DocType: Membership,Member Since,Учасник з @@ -7517,6 +7595,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,На чистий підсумок 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: Pricing Rule,Product Discount Scheme,Схема знижок на продукти +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Абонента не виникало жодних питань. DocType: Restaurant Reservation,Waitlisted,Чекав на розсилку DocType: Employee Tax Exemption Declaration Category,Exemption Category,Категорія звільнення apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,"Валюта не може бути змінена після внесення запису, використовуючи інший валюти" @@ -7530,7 +7609,6 @@ DocType: Customer Group,Parent Customer Group,Батько Група клієн apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,Електронний вексель JSON можна отримати лише з рахунку-фактури з продажу apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Досягнуто максимальних спроб цієї вікторини! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Підписка -DocType: Purchase Invoice,Contact Email,Контактний Email apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Очікує створити плату DocType: Project Template Task,Duration (Days),Тривалість (дні) DocType: Appraisal Goal,Score Earned,Оцінка Зароблені @@ -7556,7 +7634,6 @@ DocType: Landed Cost Item,Landed Cost Item,Приземлився Вартіст 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Сума за одну транзакцію перевищує максимально дозволену суму, створіть окреме платіжне доручення шляхом поділу транзакцій" DocType: Service Level Agreement,Entity,Суб'єкт DocType: Payment Reconciliation,Receivable / Payable Account,Рахунок Кредиторської / Дебіторської заборгованості DocType: Delivery Note Item,Against Sales Order Item,На Sales Order Пункт @@ -7727,6 +7804,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,на DocType: Quality Inspection Reading,Reading 3,Читання 3 DocType: Stock Entry,Source Warehouse Address,Адреса джерела зберігання DocType: GL Entry,Voucher Type,Тип документа +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Майбутні платежі 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 ,Остання активність @@ -7753,6 +7831,7 @@ 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 клієнтів DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Список захворювань, виявлених на полі. Коли буде обрано, він автоматично додасть список завдань для боротьби з хворобою" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Це коренева служба охорони здоров'я і не може бути відредагована. DocType: Asset Repair,Repair Status,Ремонт статусу apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.","Запитаний Кількість: Кількість запитується на покупку, але не замовляється." @@ -7767,6 +7846,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Рахунок для суми змін DocType: QuickBooks Migrator,Connecting to QuickBooks,Підключення до QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Загальний прибуток / збиток +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Створіть список вибору apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ряд {0}: Партія / рахунку не відповідає {1} / {2} в {3} {4} DocType: Employee Promotion,Employee Promotion,Заохочення працівників DocType: Maintenance Team Member,Maintenance Team Member,Член технічного обслуговування @@ -7850,6 +7930,7 @@ 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,Категорія активів apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,"Сума ""на руки"" не може бути від'ємною" @@ -7881,7 +7962,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Ціль якості DocType: BOM,Item to be manufactured or repacked,Пункт має бути виготовлений чи перепакована apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Синтаксична помилка в стані: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Замовник не порушує жодних питань. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Основні / Додаткові Суб'єкти apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,"Будь ласка, встановіть групу постачальників у налаштуваннях покупки." @@ -7974,8 +8054,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Кредитні Дні apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,"Будь ласка, виберіть Пацієнта, щоб отримати лабораторні тести" DocType: Exotel Settings,Exotel Settings,Налаштування екзотелі -DocType: Leave Type,Is Carry Forward,Є переносити +DocType: Leave Ledger Entry,Is Carry Forward,Є переносити DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),"Робочий час, нижче якого відмічено відсутність. (Нуль для відключення)" +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Відправити повідомлення apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Отримати елементи з норм 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,Витрати з податку на прибуток diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv index 6368023148..57e18b5a73 100644 --- a/erpnext/translations/ur.csv +++ b/erpnext/translations/ur.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,سپلائر کو مطلع کریں apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,پہلے پارٹی کی قسم منتخب کریں DocType: Item,Customer Items,کسٹمر اشیاء +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,واجبات DocType: Project,Costing and Billing,لاگت اور بلنگ apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},ایڈورڈز اکاؤنٹ کرنسی کو کمپنی کی کرنسی {0} DocType: QuickBooks Migrator,Token Endpoint,ٹوکن اختتام پوائنٹ @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,پیمائش کی پہلے سے طے شد DocType: SMS Center,All Sales Partner Contact,تمام سیلز پارٹنر رابطہ DocType: Department,Leave Approvers,Approvers چھوڑ دو DocType: Employee,Bio / Cover Letter,بائیو / کور خط +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,اشیا تلاش کریں… DocType: Patient Encounter,Investigations,تحقیقات DocType: Restaurant Order Entry,Click Enter To Add,شامل کرنے کیلئے درج کریں پر کلک کریں apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL",پاسورڈ، API کی کلید یا Shopify یو آر ایل کے لئے لاپتہ قدر DocType: Employee,Rented,کرایے apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,تمام اکاؤنٹس apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,اسٹیٹ بائیں کے ساتھ ملازم کو منتقل نہیں کر سکتا -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",روک پروڈکشن آرڈر منسوخ نہیں کیا جا سکتا، منسوخ کرنے کے لئے سب سے پہلے اس Unstop DocType: Vehicle Service,Mileage,میلانہ apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,اگر تم واقعی اس اثاثہ کو ختم کرنا چاہتے ہیں؟ DocType: Drug Prescription,Update Schedule,شیڈول اپ ڈیٹ کریں @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,کسٹمر DocType: Purchase Receipt Item,Required By,طرف سے کی ضرورت DocType: Delivery Note,Return Against Delivery Note,ترسیل کے نوٹ خلاف واپسی DocType: Asset Category,Finance Book Detail,فنانس کتاب کی تفصیل +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,تمام فرسودگی کو بک کیا گیا ہے۔ DocType: Purchase Order,% Billed,٪ بل apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,پے رول نمبر apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),زر مبادلہ کی شرح کے طور پر ایک ہی ہونا چاہیے {0} {1} ({2}) @@ -95,6 +97,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,بیچ آئٹم ختم ہونے کی حیثیت apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,بینک ڈرافٹ DocType: Journal Entry,ACC-JV-.YYYY.-,اے اے اے جی وی- .YYYY- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,کل دیر سے اندراجات۔ DocType: Mode of Payment Account,Mode of Payment Account,ادائیگی اکاؤنٹ کے موڈ apps/erpnext/erpnext/config/healthcare.py,Consultation,مشاورت DocType: Accounts Settings,Show Payment Schedule in Print,پرنٹ میں ادائیگی شیڈول دکھائیں @@ -120,6 +123,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,ا apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,بنیادی رابطے کی تفصیلات apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,کھولیں مسائل DocType: Production Plan Item,Production Plan Item,پیداوار کی منصوبہ بندی آئٹم +DocType: Leave Ledger Entry,Leave Ledger Entry,لیجر انٹری چھوڑ دیں۔ 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,لیڈ بنائیں۔ @@ -138,6 +142,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,ز DocType: Purchase Invoice Item,Item Weight Details,آئٹم وزن کی تفصیلات DocType: Asset Maintenance Log,Periodicity,مدت apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,مالی سال {0} کی ضرورت ہے +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,خالص منافع / نقصان DocType: Employee Group Table,ERPNext User ID,ERPNext صارف ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,زیادہ سے زیادہ ترقی کے لئے پودوں کی صفوں کے درمیان کم از کم فاصلے apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,براہ کرم طے شدہ طریقہ کار حاصل کرنے کے لئے مریض کا انتخاب کریں۔ @@ -164,10 +169,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,قیمت کی فہرست فروخت DocType: Patient,Tobacco Current Use,تمباکو موجودہ استعمال apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,فروخت کی شرح -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,براہ کرم نیا اکاؤنٹ شامل کرنے سے پہلے اپنی دستاویز کو محفوظ کریں۔ 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 ...,کسی بھی چیز کی تلاش ... DocType: Company,Phone No,فون نمبر DocType: Delivery Trip,Initial Email Notification Sent,ابتدائی ای میل کی اطلاع بھیجا DocType: Bank Statement Settings,Statement Header Mapping,بیان ہیڈر نقشہ جات @@ -228,6 +233,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,پن DocType: Exchange Rate Revaluation Account,Gain/Loss,فائدہ / نقصان DocType: Crop,Perennial,پیدائش DocType: Program,Is Published,شائع ہوا ہے۔ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,حوالگی کے نوٹ دکھائیں۔ apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",اوور بلنگ کی اجازت دینے کے لئے ، اکاؤنٹس کی ترتیبات یا آئٹم میں "اوور بلنگ الاؤنس" کو اپ ڈیٹ کریں۔ DocType: Patient Appointment,Procedure,طریقہ کار DocType: Accounts Settings,Use Custom Cash Flow Format,اپنی مرضی کیش فلو فارمیٹ استعمال کریں @@ -276,6 +282,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,دوران ادوار کی تعداد ادا apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,پیداواری مقدار صفر سے کم نہیں ہوسکتی ہے۔ DocType: Stock Entry,Additional Costs,اضافی اخراجات +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ۔ apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,موجودہ لین دین کے ساتھ اکاؤنٹ گروپ میں تبدیل نہیں کیا جا سکتا. DocType: Lead,Product Enquiry,مصنوعات کی انکوائری DocType: Education Settings,Validate Batch for Students in Student Group,طالب علم گروپ کے طلبا کے بیچ کی توثیق @@ -287,7 +294,9 @@ DocType: Employee Education,Under Graduate,گریجویٹ کے تحت apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,براہ کرم انسانی حقوق کی ترتیبات میں چھوڑ اسٹیٹ نوٹیفیکیشن کے لئے ڈیفالٹ سانچے مقرر کریں. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,ہدف پر DocType: BOM,Total Cost,کل لاگت +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,الاٹیکشن کی میعاد ختم ہوگئی! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,فارورڈڈ پتے زیادہ سے زیادہ لے جائیں۔ DocType: Salary Slip,Employee Loan,ملازم قرض DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS -YY .-. ایم ایم.- DocType: Fee Schedule,Send Payment Request Email,ای میل ادائیگی کی درخواست بھیجیں @@ -297,6 +306,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,ریل apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,اکاؤنٹ کا بیان apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,دواسازی DocType: Purchase Invoice Item,Is Fixed Asset,فکسڈ اثاثہ ہے +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,مستقبل کی ادائیگی دکھائیں۔ DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT -YYYY- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,یہ بینک اکاؤنٹ پہلے ہی مطابقت پذیر ہے۔ DocType: Homepage,Homepage Section,مرکزی صفحہ سیکشن @@ -343,7 +353,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,کھاد apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",سیریل نمبر کی طرف سے \ آئٹم {0} کے ذریعے ترسیل کو یقینی بنانے کے بغیر اور سیریل نمبر کی طرف سے یقینی بنانے کے بغیر شامل نہیں کیا جاسکتا ہے. -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,براہ کرم تعلیم> تعلیم کی ترتیبات میں انسٹرکٹر نام دینے کا نظام مرتب کریں۔ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,ادائیگی کی کم از کم ایک موڈ POS انوائس کے لئے ضروری ہے. DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,بینک بیان ٹرانزیکشن انوائس آئٹم DocType: Salary Detail,Tax on flexible benefit,لچکدار فائدہ پر ٹیکس @@ -417,6 +426,7 @@ DocType: Job Offer,Select Terms and Conditions,منتخب کریں شرائط و apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,آؤٹ ویلیو DocType: Bank Statement Settings Item,Bank Statement Settings Item,بینک بیان کی ترتیبات آئٹم DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce ترتیبات +DocType: Leave Ledger Entry,Transaction Name,ٹرانزیکشن کا نام DocType: Production Plan,Sales Orders,فروخت کے احکامات apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,کسٹمر کے لئے مل کر ایک سے زیادہ وفادار پروگرام. دستی طور پر منتخب کریں. DocType: Purchase Taxes and Charges,Valuation,تشخیص @@ -451,6 +461,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: 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,ای میل تازہ کاری گروپ DocType: POS Profile,Only show Customer of these Customer Groups,صرف ان صارفین کے گروپ کو دکھائیں۔ DocType: Sales Invoice,Is Opening Entry,انٹری افتتاح ہے @@ -459,8 +470,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,ذکر غیر معیاری وصولی اکاؤنٹ اگر قابل اطلاق ہو 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,اس چن لسٹ کے خلاف اسٹاک انٹری پہلے ہی تیار کی جاچکی ہے۔ DocType: Supplier Scorecard,Criteria Setup,معیارات سیٹ اپ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,گودام کے لئے جمع کرانے سے پہلے کی ضرورت ہے +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,پر موصول DocType: Codification Table,Medical Code,میڈیکل کوڈ apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,ایم پی پی کے ساتھ ایمیزون سے رابطہ کریں @@ -476,7 +488,7 @@ DocType: Restaurant Order Entry,Add Item,آئٹم شامل کریں DocType: Party Tax Withholding Config,Party Tax Withholding Config,پارٹی ٹیکس کو برقرار رکھنے کی تشکیل DocType: Lab Test,Custom Result,اپنی مرضی کے نتائج apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,بینک اکاؤنٹس شامل ہوگئے۔ -DocType: Delivery Stop,Contact Name,رابطے کا نام +DocType: Call Log,Contact Name,رابطے کا نام DocType: Plaid Settings,Synchronize all accounts every hour,ہر اکاؤنٹ میں تمام اکاؤنٹس کی ہم آہنگی کریں۔ DocType: Course Assessment Criteria,Course Assessment Criteria,بلاشبہ تشخیص کا معیار DocType: Pricing Rule Detail,Rule Applied,اصول لاگو۔ @@ -520,7 +532,6 @@ 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,فروخت انوائس کوئی -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,نامعلوم نمبر DocType: Website Filter Field,Website Filter Field,ویب سائٹ فلٹر فیلڈ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,سپلائی کی قسم DocType: Material Request Item,Min Order Qty,کم از کم آرڈر کی مقدار @@ -548,7 +559,6 @@ DocType: Salary Slip,Total Principal Amount,کل پرنسپل رقم DocType: Student Guardian,Relation,ریلیشن DocType: Quiz Result,Correct,درست کریں۔ DocType: Student Guardian,Mother,ماں -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,براہ کرم پہلے سائٹ_کیونٹیگ.جسن میں درست پلیڈ اے پی آئی کیز کو شامل کریں۔ DocType: Restaurant Reservation,Reservation End Time,ریزرویشن اختتام کا وقت DocType: Crop,Biennial,باہمی ,BOM Variance Report,BOM متغیر رپورٹ @@ -564,6 +574,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,پلیڈ پبلک کی۔ DocType: Payment Term,Payment Term Name,ادائیگی کی مدت کا نام DocType: Healthcare Settings,Create documents for sample collection,نمونہ مجموعہ کے لئے دستاویزات بنائیں apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},کے خلاف ادائیگی {0} {1} بقایا رقم سے زیادہ نہیں ہو سکتا {2} @@ -610,12 +621,14 @@ DocType: POS Profile,Offline POS Settings,آف لائن POS کی ترتیبات DocType: Stock Entry Detail,Reference Purchase Receipt,حوالہ خریداری کی رسید۔ DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,میٹ - RECO -YYYY- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,کے مختلف -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',کے مقابلے میں 'مقدار تعمیر کرنے' مکمل مقدار زیادہ نہیں ہو سکتا +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',کے مقابلے میں 'مقدار تعمیر کرنے' مکمل مقدار زیادہ نہیں ہو سکتا +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,مدت پر مبنی DocType: Period Closing Voucher,Closing Account Head,اکاؤنٹ ہیڈ بند DocType: Employee,External Work History,بیرونی کام کی تاریخ apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,سرکلر حوالہ خرابی apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,طالب علم کی رپورٹ کارڈ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,پن کوڈ سے +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,سیلز شخص کو دکھائیں۔ DocType: Appointment Type,Is Inpatient,بیمار ہے apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 نام DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,آپ ڈلیوری نوٹ بچانے بار الفاظ (ایکسپورٹ) میں نظر آئے گا. @@ -629,6 +642,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,طول و عرض کا نام۔ apps/erpnext/erpnext/healthcare/setup.py,Resistant,مزاحم apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},براہ کرم ہوٹل روم کی شرح مقرر کریں {} +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,براہ کرم حاضری کے لئے نمبر بندی سیریز سیٹ اپ> نمبرنگ سیریز کے ذریعے ترتیب دیں۔ DocType: Journal Entry,Multi Currency,ملٹی کرنسی DocType: Bank Statement Transaction Invoice Item,Invoice Type,انوائس کی قسم apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,درست تاریخ سے زیادہ درست تاریخ سے کم ہونا چاہئے۔ @@ -647,6 +661,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,اعتراف کیا DocType: Workstation,Rent Cost,کرایہ لاگت 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,رقم ہراس کے بعد apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,انے والے واقعات کے کیلنڈر apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,مختلف خصوصیات @@ -732,7 +747,6 @@ DocType: Request for Quotation,Request for Quotation,کوٹیشن کے لئے د 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,پرنٹ میں سیلز پرسن دکھائیں۔ 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,طاقت @@ -740,7 +754,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,ایک نئے گاہک بنائیں apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,ختم ہونے پر apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",ایک سے زیادہ قیمتوں کا تعین قواعد غالب کرنے کے لئے جاری ہے، صارفین تنازعہ کو حل کرنے دستی طور پر ترجیح مقرر کرنے کو کہا جاتا. -DocType: Purchase Invoice,Scan Barcode,بارکوڈ اسکین کریں۔ apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,خریداری کے آرڈر بنائیں ,Purchase Register,خریداری رجسٹر apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,مریض نہیں ملا @@ -799,6 +812,7 @@ DocType: Account,Old Parent,پرانا والدین apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,لازمی فیلڈ - تعلیمی سال apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,لازمی فیلڈ - تعلیمی سال apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{2} {1} سے متعلق نہیں ہے {2} {3} +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} کو روکنے کے خلاف ٹرانزیکشن کی اجازت نہیں دی گئی @@ -842,6 +856,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,timesheet بنیاد پے رول کے لئے تنخواہ کے اجزاء. DocType: Driver,Applicable for external driver,بیرونی ڈرائیور کے لئے قابل اطلاق DocType: Sales Order Item,Used for Production Plan,پیداوار کی منصوبہ بندی کے لئے استعمال کیا جاتا ہے +DocType: BOM,Total Cost (Company Currency),کل لاگت (کمپنی کرنسی) DocType: Loan,Total Payment,کل ادائیگی apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,مکمل کام کے آرڈر کے لئے ٹرانزیکشن منسوخ نہیں کر سکتا. DocType: Manufacturing Settings,Time Between Operations (in mins),(منٹ میں) آپریشنز کے درمیان وقت @@ -861,6 +876,7 @@ apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_pro DocType: Supplier Scorecard Standing,Notify Other,دیگر مطلع کریں DocType: Vital Signs,Blood Pressure (systolic),بلڈ پریشر (systolic) DocType: Item Price,Valid Upto,درست تک +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.,آپ کے گاہکوں میں سے چند ایک کی فہرست. وہ تنظیموں یا افراد کے ہو سکتا ہے. @@ -879,6 +895,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} میں تبدیلیاں apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,کمپنی کا انتخاب کریں DocType: Employee Skill,Employee Skill,ملازم مہارت apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,فرق اکاؤنٹ @@ -922,6 +939,7 @@ DocType: Patient,Risk Factors,خطرہ عوامل DocType: Patient,Occupational Hazards and Environmental Factors,پیشہ ورانہ خطرات اور ماحولیاتی عوامل apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,اسٹاک انٹریز پہلے سے ہی کام آرڈر کے لئے تیار ہیں apps/erpnext/erpnext/templates/pages/cart.html,See past orders,ماضی کے احکامات دیکھیں۔ +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} گفتگو۔ DocType: Vital Signs,Respiratory rate,سوزش کی شرح apps/erpnext/erpnext/config/help.py,Managing Subcontracting,منیجنگ ذیلی سمجھوتے DocType: Vital Signs,Body Temperature,جسمانی درجہ حرارت @@ -963,6 +981,7 @@ DocType: Purchase Invoice,Registered Composition,رجسٹرڈ مرکب apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,ہیلو apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,منتقل آئٹم DocType: Employee Incentive,Incentive Amount,حساس رقم +,Employee Leave Balance Summary,ملازم لیون بیلنس کا خلاصہ۔ DocType: Serial No,Warranty Period (Days),وارنٹی مدت (دن) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,کل کریڈٹ / ڈیبٹ کی رقم سے منسلک جرنل انٹری کے طور پر ہونا چاہئے DocType: Installation Note Item,Installation Note Item,تنصیب نوٹ آئٹم @@ -976,6 +995,7 @@ DocType: Vital Signs,Bloated,پھولا ہوا DocType: Salary Slip,Salary Slip Timesheet,تنخواہ کی پرچی Timesheet apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ذیلی کنٹریکٹڈ خریداری کی رسید کے لئے لازمی پردایک گودام DocType: Item Price,Valid From,سے درست +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,آپ کی درجہ بندی: DocType: Sales Invoice,Total Commission,کل کمیشن DocType: Tax Withholding Account,Tax Withholding Account,ٹیکس کو روکنے کے اکاؤنٹ DocType: Pricing Rule,Sales Partner,سیلز پارٹنر @@ -983,6 +1003,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,تمام سپلا DocType: Buying Settings,Purchase Receipt Required,خریداری کی رسید کی ضرورت ہے DocType: Sales Invoice,Rail,ریل apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,اصل قیمت +DocType: Item,Website Image,ویب سائٹ کی تصویر۔ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,قطار {0} میں ہدف گودام کام کام کے طور پر ہی ہونا ضروری ہے apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,اسٹاک کھولنے میں داخل ہوئے تو اندازہ شرح لازمی ہے apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,انوائس ٹیبل میں پایا کوئی ریکارڈ @@ -1015,8 +1036,8 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Receive at Warehou 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,براہ کرم اپنے اکاؤنٹ کی ہم آہنگی کرنے سے پہلے اپنی پلیڈ API کی تشکیل مکمل کریں۔ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,نصف دن کی تاریخ لازمی ہے DocType: Sales Order,Billing and Delivery Status,بلنگ اور ترسیل کی حیثیت DocType: Job Applicant,Resume Attachment,پھر جاری منسلکہ @@ -1028,7 +1049,6 @@ DocType: Production Plan,Production Plan,پیداوار کی منصوبہ بند DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,افتتاحی انوائس تخلیق کا آلہ DocType: Salary Component,Round to the Nearest Integer,قریب ترین عدد کے لئے گول apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,سیلز واپس -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,نوٹ: کل روانہ مختص {0} پہلے ہی منظور پتیوں سے کم نہیں ہونا چاہئے {1} مدت کے لئے DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,سیریل نمبر ان پٹ پر مبنی ٹرانزیکشن میں مقدار مقرر کریں ,Total Stock Summary,کل اسٹاک خلاصہ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1056,6 +1076,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,ا apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,اصل رقم DocType: Loan Application,Total Payable Interest,کل قابل ادائیگی دلچسپی apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},کل بقایا: {0} +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} DocType: Payroll Entry,Select Payment Account to make Bank Entry,بینک اندراج کرنے کے لئے منتخب ادائیگی اکاؤنٹ @@ -1064,6 +1085,7 @@ 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,اپ ڈیٹ کی کارروائی کے دوران ایک خرابی واقع ہوئی DocType: Restaurant Reservation,Restaurant Reservation,ریسٹورانٹ ریزرویشن +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,آپ کے اشیا apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,تجویز تحریری طور پر DocType: Payment Entry Deduction,Payment Entry Deduction,ادائیگی انٹری کٹوتی DocType: Service Level Priority,Service Level Priority,خدمت کی سطح کی ترجیح @@ -1072,6 +1094,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,بیچ نمبر سیریز apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,ایک فروخت شخص {0} اسی ملازم ID کے ساتھ موجود DocType: Employee Advance,Claimed Amount,دعوی رقم +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,میعاد مختص کریں۔ DocType: QuickBooks Migrator,Authorization Settings,اجازت کی ترتیبات DocType: Travel Itinerary,Departure Datetime,دور دورہ apps/erpnext/erpnext/hub_node/api.py,No items to publish,اشاعت کیلئے کوئی آئٹم نہیں ہے۔ @@ -1140,7 +1163,6 @@ DocType: Student Batch Name,Batch Name,بیچ کا نام DocType: Fee Validity,Max number of visit,دورے کی زیادہ سے زیادہ تعداد DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,منافع اور نقصان کے اکاؤنٹ کے لئے لازمی ہے۔ ,Hotel Room Occupancy,ہوٹل کمرہ ہستی -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Timesheet پیدا کیا: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},ادائیگی کے موڈ میں پہلے سے طے شدہ نقد یا بینک اکاؤنٹ مقرر کریں {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,اندراج کریں DocType: GST Settings,GST Settings,GST ترتیبات @@ -1271,6 +1293,7 @@ DocType: Sales Invoice,Commission Rate (%),کمیشن کی شرح (٪) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,براہ مہربانی منتخب کریں پروگرام DocType: Project,Estimated Cost,تخمینی لاگت DocType: Request for Quotation,Link to material requests,مواد درخواستوں کا لنک +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,شائع کریں apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,ایرواسپیس ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,کریڈٹ کارڈ انٹری @@ -1297,6 +1320,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,موجودہ اثاثہ جات apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} اسٹاک شے نہیں ہے apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',براہ کرم 'ٹریننگ فیڈریشن' پر کلک کرکے تربیت کے لۓ اپنی رائے کا اشتراک کریں اور پھر 'نیا' +DocType: Call Log,Caller Information,کالر کی معلومات۔ DocType: Mode of Payment Account,Default Account,پہلے سے طے شدہ اکاؤنٹ apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,سب سے پہلے سٹاک کی ترتیبات میں نمونہ برقرار رکھنے گودام کا انتخاب کریں apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,ایک سے زائد مجموعہ کے قواعد کے لۓ ایک سے زیادہ ٹائر پروگرام کی قسم منتخب کریں. @@ -1321,6 +1345,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,آٹو مواد درخواستوں پیدا DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),کام کے اوقات جس کے نیچے آدھا دن نشان لگا ہوا ہے۔ (غیر فعال کرنے کے لئے زیرو) DocType: Job Card,Total Completed Qty,کل مکمل مقدار +DocType: HR Settings,Auto Leave Encashment,آٹو چھوڑ انکشمنٹ۔ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,کھو apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,آپ کے کالم 'جرنل اندراج کے خلاف' میں موجودہ واؤچر داخل نہیں ہو سکتا DocType: Employee Benefit Application Detail,Max Benefit Amount,زیادہ سے زیادہ منافع رقم @@ -1350,9 +1375,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,سبسکرائب DocType: Item Attribute Value,Item Attribute Value,شے کی قیمت خاصیت apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,خریدنے یا فروخت کے لئے کرنسی ایکسچینج لازمی طور پر نافذ ہونا ضروری ہے. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,صرف میعاد ختم ہونے والی رقم مختص کی جاسکتی ہے۔ DocType: Item,Maximum sample quantity that can be retained,زیادہ سے زیادہ نمونہ کی مقدار جو برقرار رکھی جا سکتی ہے apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},قطار {0} # آئٹم {1} کو خریداری آرڈر کے خلاف {2} سے زیادہ منتقل نہیں کیا جا سکتا {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,سیلز مہمات. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,نامعلوم کالر۔ DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1384,6 +1411,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,ہیلتھ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,ڈاکٹر کا نام DocType: Expense Claim Detail,Expense Claim Type,اخراجات دعوی کی قسم DocType: Shopping Cart Settings,Default settings for Shopping Cart,خریداری کی ٹوکری کے لئے پہلے سے طے شدہ ترتیبات +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,آئٹم کو محفوظ کریں۔ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,نیا خرچ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,موجودہ حکم کردہ مقدار کو نظر انداز کریں۔ apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Timeslots شامل کریں @@ -1396,6 +1424,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,دعوت نامہ بھیجنے کا جائزہ لیں DocType: Shift Assignment,Shift Assignment,شفٹ کی تفویض DocType: Employee Transfer Property,Employee Transfer Property,ملازم ٹرانسمیشن پراپرٹی +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,فیلڈ ایکویٹی / ذمہ داری اکاؤنٹ خالی نہیں ہوسکتا ہے۔ apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,وقت سے کم وقت ہونا چاہئے apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,جیو ٹیکنالوجی apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1477,11 +1506,13 @@ 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,نیا رابطہ بنائیں۔ apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,کورس شیڈول DocType: GSTR 3B Report,GSTR 3B Report,جی ایس ٹی آر 3 بی رپورٹ۔ DocType: Request for Quotation Supplier,Quote Status,اقتباس کی حیثیت DocType: GoCardless Settings,Webhooks Secret,Webhooks خفیہ DocType: Maintenance Visit,Completion Status,تکمیل کی حیثیت +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},ادائیگی کی کل رقم {than سے زیادہ نہیں ہوسکتی ہے DocType: Daily Work Summary Group,Select Users,صارفین کو منتخب کریں DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,ہوٹل کمرہ قیمتوں کا تعین آئٹم DocType: Loyalty Program Collection,Tier Name,ٹائر کا نام @@ -1519,6 +1550,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,ایس DocType: Lab Test Template,Result Format,نتیجہ کی شکل DocType: Expense Claim,Expenses,اخراجات DocType: Service Level,Support Hours,سپورٹ گھنٹے +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,ڈلیوری نوٹس DocType: Item Variant Attribute,Item Variant Attribute,آئٹم مختلف خاصیت ,Purchase Receipt Trends,خریداری کی رسید رجحانات DocType: Payroll Entry,Bimonthly,دو ماہی @@ -1540,7 +1572,6 @@ DocType: Sales Team,Incentives,ترغیبات DocType: SMS Log,Requested Numbers,درخواست نمبر DocType: Volunteer,Evening,شام DocType: Quiz,Quiz Configuration,کوئز کنفیگریشن۔ -DocType: Customer,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,اسٹاک کی تفصیلات @@ -1587,7 +1618,6 @@ apps/erpnext/erpnext/config/accounting.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,فلرو مقدار فلٹر -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},آپریشن کے لئے اگلے {0} دنوں میں وقت سلاٹ تلاش کرنے سے قاصر {1} DocType: Work Order,Plan material for sub-assemblies,ذیلی اسمبلیوں کے لئے منصوبہ مواد 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,منتقلی کے لئے دستیاب اشیاء نہیں @@ -1602,9 +1632,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,آرڈر کی سطح کو برقرار رکھنے کے ل You آپ کو اسٹاک کی ترتیبات میں از خود دوبارہ ترتیب دینا ہوگا۔ apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,اس کی بحالی کا منسوخ کرنے سے پہلے منسوخ مواد دورہ {0} DocType: Pricing Rule,Rate or Discount,شرح یا ڈسکاؤنٹ +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,بینک کی تفصیلات DocType: Vital Signs,One Sided,یک طرفہ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},سیریل نمبر {0} آئٹم سے تعلق نہیں ہے {1} -DocType: Purchase Receipt Item Supplied,Required Qty,مطلوبہ مقدار +DocType: Purchase Order Item Supplied,Required Qty,مطلوبہ مقدار DocType: Marketplace Settings,Custom Data,اپنی مرضی کے مطابق ڈیٹا apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,موجودہ منتقلی کے ساتھ گوداموں لیجر میں تبدیل نہیں کیا جا سکتا. DocType: Service Day,Service Day,یوم خدمت۔ @@ -1631,7 +1662,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,اکاؤنٹ کی کرنسی DocType: Lab Test,Sample ID,نمونہ ID apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,کمپنی میں گول آف اکاؤنٹ کا ذکر کریں -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,ڈیبٹ_نوٹ_امٹ۔ DocType: Purchase Receipt,Range,رینج DocType: Supplier,Default Payable Accounts,پہلے سے طے شدہ قابل ادائیگی اکاؤنٹس apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,{0} ملازم فعال نہیں ہے یا موجود نہیں ہے @@ -1672,8 +1702,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,معلومات کے لئے درخواست DocType: Course Activity,Activity Date,سرگرمی کی تاریخ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} کا { -,LeaderBoard,لیڈر DocType: Sales Invoice Item,Rate With Margin (Company Currency),مارجن کے ساتھ شرح (کمپنی کی کرنسی) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,اقسام apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,مطابقت پذیری حاضر انوائس DocType: Payment Request,Paid,ادائیگی DocType: Service Level,Default Priority,پہلے سے طے شدہ ترجیح @@ -1708,11 +1738,11 @@ 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,بالواسطہ آمدنی DocType: Student Attendance Tool,Student Attendance Tool,طلبا کی حاضری کا آلہ DocType: Restaurant Menu,Price List (Auto created),قیمت کی فہرست (آٹو تخلیق) +DocType: Pick List Item,Picked Qty,کیٹی کو اٹھایا DocType: Cheque Print Template,Date Settings,تاریخ کی ترتیبات 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,ملازم فروغ کی تفصیل -,Company Name,کمپنی کا نام DocType: SMS Center,Total Message(s),کل پیغام (ے) DocType: Share Balance,Purchased,خریدا DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,آئٹم کی خصوصیت میں خصوصیت قیمت کا نام تبدیل کریں. @@ -1731,7 +1761,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,تازہ ترین کوشش۔ 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} کے لئے لازمی ہے. -DocType: BOM,Raw Material Cost(Company Currency),خام مواد کی لاگت (کمپنی کرنسی) 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,میٹر @@ -1800,6 +1829,7 @@ DocType: Travel Itinerary,Train,ٹرین ,Delayed Item Report,تاخیر سے آئٹم رپورٹ۔ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,اہل ITC DocType: Healthcare Service Unit,Inpatient Occupancy,بیمار +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,اپنی پہلی اشیاء شائع کریں۔ DocType: Sample Collection,HLC-SC-.YYYY.-,HLC- SC- .YYYY- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,شفٹ کے خاتمے کے بعد جس وقت حاضری کے لئے چیک آؤٹ سمجھا جاتا ہے۔ apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},وضاحت کریں ایک {0} @@ -1918,6 +1948,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,تمام BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,انٹر کمپنی جرنل انٹری بنائیں۔ DocType: Company,Parent Company,والدین کی کمپنی apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},{1} قسم کے ہوٹل کے کمرے دستیاب نہیں ہیں {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,خام مال اور کارروائیوں میں تبدیلی کے ل B BOM کا موازنہ کریں۔ apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,دستاویز {0} کامیابی کے ساتھ غیر یقینی ہے۔ DocType: Healthcare Practitioner,Default Currency,پہلے سے طے شدہ کرنسی apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,اس اکاؤنٹ کو دوبارہ تشکیل دیں۔ @@ -1952,6 +1983,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,سی فارم انوائس تفصیل DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ادائیگی مصالحتی انوائس DocType: Clinical Procedure,Procedure Template,پروسیسنگ سانچہ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,اشاعت شائع کریں۔ apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,شراکت٪ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",خریدنے کی ترتیبات کے مطابق اگر خریداری کی ضرورت ہوتی ہے تو == 'ہاں'، پھر خریداری انوائس کی تخلیق کے لۓ، صارف کو شے کے لئے سب سے پہلے خریداری آرڈر تیار کرنے کی ضرورت ہے {0} ,HSN-wise-summary of outward supplies,بیرونی سامان کی HSN وار - خلاصہ @@ -1963,7 +1995,6 @@ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,خریداری apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',سیٹ 'پر اضافی رعایت کا اطلاق کریں براہ مہربانی DocType: Party Tax Withholding Config,Applicable Percent,قابل اطلاق ,Ordered Items To Be Billed,کو حکم دیا اشیاء بل بھیجا جائے کرنے کے لئے -DocType: Employee Checkin,Exit Grace Period Consequence,فضل ادوار سے باہر نکلیں۔ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,رینج کم ہونا ضروری ہے کے مقابلے میں رینج کے لئے DocType: Global Defaults,Global Defaults,گلوبل ڈیفالٹس apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,منصوبے کے تعاون کا دعوت نامہ @@ -1971,13 +2002,11 @@ DocType: Salary Slip,Deductions,کٹوتیوں DocType: Setup Progress Action,Action Name,ایکشن کا نام apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,شروع سال apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,لون بنائیں۔ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,موجودہ انوائس کی مدت کے شروع کرنے کی تاریخ DocType: Shift Type,Process Attendance After,عمل کے بعد حاضری۔ ,IRS 1099,آئی آر ایس 1099۔ DocType: Salary Slip,Leave Without Pay,بغیر تنخواہ چھٹی DocType: Payment Request,Outward,باہر -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,صلاحیت کی منصوبہ بندی کرنے میں خامی apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,ریاست / UT ٹیکس ,Trial Balance for Party,پارٹی کے لئے مقدمے کی سماعت توازن ,Gross and Net Profit Report,مجموعی اور خالص منافع کی رپورٹ۔ @@ -1996,7 +2025,6 @@ DocType: Payroll Entry,Employee Details,ملازم کی تفصیلات 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} کے لئے اثاثہ درکار ہے -DocType: Setup Progress Action,Domains,ڈومینز 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} @@ -2010,6 +2038,7 @@ DocType: Delivery Note,Is Return,واپسی ہے apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Caution,احتیاط apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js,Import Successful,امپورٹ کامیاب۔ apps/erpnext/erpnext/config/quality_management.py,Goal and Procedure,مقصد اور طریقہ کار +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: Sales Invoice,Set Source Warehouse,ماخذ گودام مقرر کریں۔ @@ -2037,7 +2066,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,کل وا 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.",ادائیگی موڈ تشکیل نہیں ہے. چاہے اکاؤنٹ ادائیگیاں کے موڈ پر یا POS پروفائل پر قائم کیا گیا ہے، براہ مہربانی چیک کریں. apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,ایک ہی شے کے کئی بار داخل نہیں کیا جا سکتا. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",مزید اکاؤنٹس گروپوں کے تحت بنایا جا سکتا ہے، لیکن اندراجات غیر گروپوں کے خلاف بنایا جا سکتا ہے -DocType: Email Campaign,Lead,لیڈ +DocType: Call Log,Lead,لیڈ DocType: Email Digest,Payables,Payables DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth ٹوکن DocType: Email Campaign,Email Campaign For ,کے لئے ای میل مہم @@ -2049,6 +2078,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,خریداری کے آرڈر اشیا بل بھیجا جائے کرنے کے لئے 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,کریڈٹ حدود DocType: Purchase Invoice Item,Net Rate,نیٹ کی شرح apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,برائے مہربانی ایک کسٹمر منتخب کریں DocType: Leave Policy,Leave Allocations,تخصیص چھوڑ دو @@ -2062,6 +2092,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,دن کے بعد مسئلہ بند کریں ,Eway Bill,ایو بل apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,صارفین کو مارکیٹ کے مینیجر میں صارفین کو شامل کرنے کے لئے سسٹم مینیجر اور آئٹم مینیجر رول کے ساتھ ایک صارف ہونا ضروری ہے. +DocType: Attendance,Early Exit,جلد سے باہر نکلیں۔ DocType: Job Opening,Staffing Plan,اسٹافنگ پلان apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,ای وے بل JSON صرف پیش کی گئی دستاویز سے تیار کیا جاسکتا ہے۔ apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,ملازم ٹیکس اور فوائد @@ -2084,6 +2115,7 @@ DocType: Maintenance Team Member,Maintenance Role,بحالی رول apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},کے ساتھ ڈپلیکیٹ قطار {0} اسی {1} DocType: Marketplace Settings,Disable Marketplace,مارکیٹ کی جگہ کو غیر فعال کریں DocType: Quality Meeting,Minutes,منٹ +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,آپ کے نمایاں اشیا ,Trial Balance,مقدمے کی سماعت توازن apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,مکمل دکھائیں۔ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,مالی سال {0} نہیں ملا @@ -2093,8 +2125,8 @@ 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,پہلے سابقہ براہ مہربانی منتخب کریں DocType: Contract,Fulfilment Deadline,مکمل آخری وقت +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,آپ کے قریب DocType: Student,O-,O- -DocType: Shift Type,Consequence,نتیجہ DocType: Subscription Settings,Subscription Settings,سبسکرائب کی ترتیبات DocType: Purchase Invoice,Update Auto Repeat Reference,خود کار طریقے سے ریفرنس دوبارہ اپ ڈیٹ کریں apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},اختیاری چھٹیوں کی فہرست کو چھوڑنے کیلئے مدت مقرر نہیں کی گئی ہے {0} @@ -2105,7 +2137,6 @@ DocType: Maintenance Visit Purpose,Work Done,کام ہو گیا apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,صفات ٹیبل میں کم از کم ایک وصف کی وضاحت کریں DocType: Announcement,All Students,تمام طلباء apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,{0} آئٹم ایک غیر اسٹاک شے ہونا ضروری ہے -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,بینک ڈیٹیلز apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,لنک لیجر DocType: Grading Scale,Intervals,وقفے DocType: Bank Statement Transaction Entry,Reconciled Transactions,منسلک لین دین @@ -2141,6 +2172,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",یہ گودام سیل آرڈرز بنانے کے لئے استعمال ہوگا۔ فال بیک بیک گودام "اسٹورز" ہے۔ DocType: Work Order,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,خریداری سائیکل بھر میں ایک ہی شرح کو برقرار رکھنے DocType: Opportunity Item,Opportunity Item,موقع آئٹم DocType: Quality Action,Quality Review,کوالٹی جائزہ۔ @@ -2167,7 +2199,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,بقایا انوائس حاصل -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,سیلز آرڈر {0} درست نہیں ہے +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,کوٹیشن کے لئے نئی درخواست کے لئے انتباہ apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,خریداری کے احکامات کو آپ کی منصوبہ بندی کی مدد کرنے اور آپ کی خریداری پر عمل apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,لیب ٹیسٹ نسخہ @@ -2191,6 +2223,7 @@ DocType: Employee Onboarding,Notify users by email,صارفین کو ای میل DocType: Travel Request,International,بین اقوامی DocType: Training Event,Training Event,تربیت ایونٹ DocType: Item,Auto re-order,آٹو دوبارہ آرڈر +DocType: Attendance,Late Entry,دیر سے انٹری۔ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,کل حاصل کیا DocType: Employee,Place of Issue,مسئلے کی جگہ DocType: Promotional Scheme,Promotional Scheme Price Discount,پروموشنل اسکیم کی قیمت میں چھوٹ۔ @@ -2236,6 +2269,7 @@ DocType: Serial No,Serial No Details,سیریل کوئی تفصیلات DocType: Purchase Invoice Item,Item Tax Rate,آئٹم ٹیکس کی شرح apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,پارٹی کا نام سے apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,تنخواہ کی خالص رقم۔ +DocType: Pick List,Delivery against Sales Order,سیل آرڈر کے خلاف ترسیل۔ DocType: Student Group Student,Group Roll Number,گروپ رول نمبر DocType: Student Group Student,Group Roll Number,گروپ رول نمبر apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",{0}، صرف کریڈٹ اکاؤنٹس ایک ڈیبٹ داخلے کے خلاف منسلک کیا جا سکتا ہے @@ -2308,7 +2342,6 @@ DocType: Contract,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,سپلائر انوائس تاریخ -DocType: Asset Settings,This value is used for pro-rata temporis calculation,یہ قیمت پرو راٹا ٹارپورٹ حساب کے لئے استعمال کیا جاتا ہے apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,آپ کی خریداری کی ٹوکری کو چالو کرنے کی ضرورت ہے DocType: Payment Entry,Writeoff,لکھ دینا DocType: Maintenance Visit,MAT-MVS-.YYYY.-,میٹ - MVS- .YYYY- @@ -2331,7 +2364,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,غیر فعال فروخت اشیا DocType: Quality Review,Additional Information,اضافی معلومات apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,کل آرڈر ویلیو -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,خدمت کی سطح کے معاہدے کو دوبارہ ترتیب دیں۔ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,خوراک apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,خستہ رینج 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,پی او ایس کل واؤچر تفصیلات @@ -2376,6 +2408,7 @@ 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,مہم 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',منظوری کی حیثیت 'منظور' یا 'مسترد' ہونا ضروری ہے DocType: Healthcare Practitioner,Contacts and Address,رابطوں اور ایڈریس DocType: Shift Type,Determine Check-in and Check-out,چیک ان اور چیک آؤٹ کا تعین کریں۔ @@ -2395,7 +2428,6 @@ DocType: Student Admission,Eligibility and Details,اہلیت اور تفصیل apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,مجموعی منافع میں شامل apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,فکسڈ اثاثہ میں خالص تبدیلی apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,رقیہ مقدار -DocType: Company,Client Code,کلائنٹ کا کوڈ apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,قسم 'اصل' قطار میں کے انچارج {0} شے کی درجہ بندی میں شامل نہیں کیا جا سکتا apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},زیادہ سے زیادہ: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,تریخ ویلہ سے @@ -2462,6 +2494,7 @@ DocType: Journal Entry Account,Account Balance,اکاؤنٹ بیلنس apps/erpnext/erpnext/config/accounting.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 (%),اوور ٹرانسفر الاؤنس (٪) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: وصول کنندگان کے خلاف کسٹمر ضروری ہے {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),کل ٹیکس اور الزامات (کمپنی کرنسی) DocType: Weather,Weather Parameter,موسم پیرامیٹر @@ -2522,6 +2555,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,ورکنگ اوورس ت apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,کل خرچ کی بنیاد پر ایک سے زیادہ درجے کے جمع ہونے والی عنصر موجود ہوسکتا ہے. لیکن موٹائی کے تبادلوں کا عنصر ہمیشہ ہر قسم کے لئے ہوگا. apps/erpnext/erpnext/config/help.py,Item Variants,آئٹم متغیرات apps/erpnext/erpnext/public/js/setup_wizard.js,Services,خدمات +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,ملازم کو ای میل تنخواہ کی پرچی DocType: Cost Center,Parent Cost Center,والدین لاگت مرکز @@ -2532,7 +2566,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields",م DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Shopify پر شپمنٹ سے ترسیل کے نوٹس درآمد کریں apps/erpnext/erpnext/templates/pages/projects.html,Show closed,بند کر کے دکھائیں DocType: Issue Priority,Issue Priority,ترجیح جاری کریں۔ -DocType: Leave Type,Is Leave Without Pay,تنخواہ کے بغیر چھوڑ +DocType: Leave Ledger Entry,Is Leave Without Pay,تنخواہ کے بغیر چھوڑ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,جی ایس ٹی این۔ apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,ایسیٹ قسم فکسڈ اثاثہ شے کے لئے لازمی ہے DocType: Fee Validity,Fee Validity,فیس وادی @@ -2604,6 +2638,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,دو طرفہ DocType: Item,Manufacturers,مینوفیکچررز۔ @@ -2640,7 +2675,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,بینک مصالحتی بیان DocType: Patient Encounter,Medical Coding,طبی کوڈنگ DocType: Healthcare Settings,Reminder Message,یاد دہانی کا پیغام -,Lead Name,لیڈ نام +DocType: Call Log,Lead Name,لیڈ نام ,POS,پی او ایس DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,متوقع @@ -2672,12 +2707,14 @@ DocType: Purchase Invoice,Supplier Warehouse,پردایک گودام DocType: Opportunity,Contact Mobile No,موبائل سے رابطہ کریں کوئی apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,کمپنی منتخب کریں ,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: Student Report Generation Tool,Print Section,پرنٹ سیکشن DocType: Staffing Plan Detail,Estimated Cost Per Position,فی وضع کردہ قیمت DocType: Employee,HR-EMP-,HR- EMP- 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} میں کوئی ڈیفالٹ پی ایس او پروفائل نہیں ہے. اس صارف کے لئے قطار {1} قطار پر ڈیفالٹ چیک کریں. DocType: Quality Meeting Minutes,Quality Meeting Minutes,کوالٹی میٹنگ منٹ۔ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,سپلائر> سپلائر کی قسم apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,ملازم ریفرل DocType: Student Group,Set 0 for no limit,کوئی حد 0 سیٹ کریں apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,آپ کی چھٹی کے لئے درخواست دے رہے ہیں جس دن (ے) تعطیلات ہیں. آپ کو چھوڑ کے لئے درخواست دینے کی ضرورت نہیں ہے. @@ -2711,12 +2748,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,کیش میں خالص تبدیلی DocType: Assessment Plan,Grading Scale,گریڈنگ پیمانے apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,پیمائش {0} کے یونٹ تبادلوں فیکٹر ٹیبل میں ایک سے زائد بار میں داخل کر دیا گیا ہے -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,پہلے ہی مکمل apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,ہاتھ میں اسٹاک apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",براہ کرم باقی پروٹوکول کے طور پر \ "پروٹا جزو 'کے طور پر درخواست پر {0} شامل کریں apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',برائے مہربانی عوامی انتظامیہ کے لئے مالی ضابطہ '٪ s' مرتب کریں -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},ادائیگی کی درخواست پہلے سے موجود ہے {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,تاریخ اجراء اشیا کی لاگت DocType: Healthcare Practitioner,Hospital,ہسپتال apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},مقدار سے زیادہ نہیں ہونا چاہئے {0} @@ -2760,6 +2795,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,انسانی وسائل apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,بالائی آمدنی DocType: Item Manufacturer,Item Manufacturer,آئٹم کے ڈویلپر +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,نئی لیڈ بنائیں۔ DocType: BOM Operation,Batch Size,بیچ کا سائز apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,مسترد DocType: Journal Entry Account,Debit in Company Currency,کمپنی کرنسی میں ڈیبٹ @@ -2779,9 +2815,11 @@ DocType: Bank Transaction,Reconciled,مفاہمت کی۔ DocType: Expense Claim,Total Amount Reimbursed,کل رقم آفسیٹ apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,یہ اس گاڑی کے خلاف نوشتہ پر مبنی ہے. تفصیلات کے لئے نیچے ٹائم لائن ملاحظہ کریں apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,پے رول کی تاریخ ملازم کی شمولیت کی تاریخ سے کم نہیں ہوسکتی ہے +DocType: Pick List,Item Locations,آئٹم کے مقامات apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} بن گا apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",درجہ بندی کھولنے کے لئے ملازمت کے افتتاحی {0} پہلے ہی کھولے گئے \ یا اسٹافنگ پلان کے مطابق مکمل کرائے گئے ہیں {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,آپ 200 اشیاء تک شائع کرسکتے ہیں۔ DocType: Vital Signs,Constipated,قبضہ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},پردایک خلاف انوائس {0} ء {1} DocType: Customer,Default Price List,پہلے سے طے شدہ قیمت کی فہرست @@ -2872,6 +2910,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,شفٹ اصل آغاز۔ DocType: Tally Migration,Is Day Book Data Imported,یہ دن کا ڈیٹا امپورٹڈ ہے۔ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,مارکیٹنگ کے اخراجات +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{1} کے {0} یونٹ دستیاب نہیں ہیں۔ ,Item Shortage Report,آئٹم کمی رپورٹ 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,معیاری معیار نہیں بن سکتا. براہ کرم معیار کا نام تبدیل کریں @@ -2895,6 +2934,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,ریٹائرمنٹ کے تاریخ DocType: Upload Attendance,Get Template,سانچے حاصل +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,فہرست منتخب کریں۔ ,Sales Person Commission Summary,سیلز شخص کمیشن خلاصہ DocType: Material Request,Transferred,منتقل DocType: Vehicle,Doors,دروازے @@ -2975,7 +3015,7 @@ DocType: Sales Invoice Item,Customer's Item Code,گاہک کی آئٹم کوڈ DocType: Stock Reconciliation,Stock Reconciliation,اسٹاک مصالحتی DocType: Territory,Territory Name,علاقے کا نام DocType: Email Digest,Purchase Orders to Receive,خریدنے کے لئے خریداروں کو خریدنے کے لئے -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,کام میں پیش رفت گودام جمع کرانے سے پہلے کی ضرورت ہے +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,کام میں پیش رفت گودام جمع کرانے سے پہلے کی ضرورت ہے apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,آپ صرف ایک رکنیت میں اسی بلنگ سائیکل کے ساتھ منصوبوں کو صرف کرسکتے ہیں DocType: Bank Statement Transaction Settings Item,Mapped Data,موڈ ڈیٹا DocType: Purchase Order Item,Warehouse and Reference,گودام اور حوالہ @@ -3046,6 +3086,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,ڈلیوری ترتیبات apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,ڈیٹا لاؤ apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},چھوڑنے کی قسم میں {0} زیادہ سے زیادہ اجازت کی اجازت ہے {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 آئٹم شائع کریں۔ DocType: SMS Center,Create Receiver List,وصول فہرست بنائیں DocType: Student Applicant,LMS Only,صرف ایل ایم ایس۔ apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,استعمال کے لئے دستیاب تاریخ کی خریداری کی تاریخ کے بعد ہونا چاہئے @@ -3079,6 +3120,7 @@ DocType: Serial No,Delivery Document No,ڈلیوری دستاویز DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,تیار سیریل نمبر پر مبنی ترسیل کو یقینی بنائیں DocType: Vital Signs,Furry,پیارے apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},کمپنی میں 'اثاثہ تلفی پر حاصل / نقصان اکاؤنٹ' مقرر مہربانی {0} +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} کے لئے ھدف کی جگہ کی ضرورت ہے @@ -3099,9 +3141,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,ماہانہ تقسیم کے نام DocType: Quality Procedure Process,Quality Procedure Process,کوالٹی پروسیسر کا عمل۔ apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,بیچ ID لازمی ہے +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,براہ کرم پہلے کسٹمر کو منتخب کریں۔ DocType: Sales Person,Parent Sales Person,والدین فروخت شخص apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,موصول ہونے والی کوئی چیز غالب نہیں ہیں apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,بیچنے والا اور خریدار ایک ہی نہیں ہو سکتا +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,ابھی تک کوئی خیال نہیں DocType: Project,Collect Progress,پیش رفت جمع کرو DocType: Delivery Note,MAT-DN-.YYYY.-,میٹ - ڈی این - .YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,پہلے پروگرام کا انتخاب کریں @@ -3122,6 +3166,7 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,حاصل کیا DocType: Student Admission,Application Form Route,درخواست فارم روٹ apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,معاہدے کی آخری تاریخ آج سے کم نہیں ہوسکتی ہے۔ +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,جمع کرنے کے لئے Ctrl + Enter۔ DocType: Healthcare Settings,Patient Encounters in valid days,درست دن میں مریض کا معائنہ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,قسم چھوڑ دو {0} مختص نہیں کیا جاسکتا کیونکہ اس کے بغیر ادائیگی نہیں ہوگی 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} @@ -3169,9 +3214,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,فراہم کی مقدار DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC- CPR-YYYY.- DocType: Purchase Order Item,Material Request Item,مواد درخواست آئٹم -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,براہ کرم سب سے پہلے خریداری رسید {0} منسوخ کریں apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,آئٹم گروپس کا درخت. DocType: Production Plan,Total Produced Qty,کل پیداوار مقدار +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,ابھی تک ابھی تک جائز نہیں ہے apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,اس چارج کی قسم کے لئے موجودہ صفیں سے زیادہ یا برابر صفیں رجوع نہیں کر سکتے ہیں DocType: Asset,Sold,فروخت ,Item-wise Purchase History,آئٹم وار خریداری کی تاریخ @@ -3190,7 +3235,7 @@ DocType: Designation,Required Skills,مطلوبہ ہنر DocType: Inpatient Record,O Positive,اے مثبت apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,سرمایہ کاری DocType: Issue,Resolution Details,قرارداد کی تفصیلات -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,ٹرانزیکشن کی قسم +DocType: Leave Ledger Entry,Transaction Type,ٹرانزیکشن کی قسم DocType: Item Quality Inspection Parameter,Acceptance Criteria,قبولیت کا کلیہ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,مندرجہ بالا جدول میں مواد درخواستیں داخل کریں apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,جرنل اندراج کیلئے کوئی ادائیگی نہیں @@ -3232,6 +3277,7 @@ DocType: Bank Account,Bank Account No,بینک اکاؤنٹ نمبر DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,ملازم ٹیکس چھوٹ ثبوت جمع کرانے DocType: Patient,Surgical History,جراحی تاریخ DocType: Bank Statement Settings Item,Mapped Header,نقشہ ہیڈر +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,برائے کرم انسانی وسائل> HR کی ترتیبات میں ملازمین کے نام دینے کا نظام مرتب کریں۔ DocType: Employee,Resignation Letter Date,استعفی تاریخ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,قیمتوں کا تعین کے قواعد مزید مقدار کی بنیاد پر فلٹر کر رہے ہیں. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},ملازم کے لئے شامل ہونے کے تاریخ مقرر مہربانی {0} @@ -3297,7 +3343,6 @@ DocType: Student Report Generation Tool,Add Letterhead,لیٹر ہیڈ شامل 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,کل مختص پتے {0} کم نہیں ہو سکتا مدت کے لئے پہلے سے ہی منظور پتے {1} سے DocType: Contract Fulfilment Checklist,Requirement,ضرورت DocType: Journal Entry,Accounts Receivable,وصولی اکاؤنٹس DocType: Quality Goal,Objectives,مقاصد۔ @@ -3320,7 +3365,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,سنگل ٹرانزی DocType: Lab Test Template,This value is updated in the Default Sales Price List.,یہ قیمت ڈیفالٹ سیلز قیمت کی قیمت میں اپ ڈیٹ کیا جاتا ہے. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,آپ کی ٹوکری خالی ہے DocType: Email Digest,New Expenses,نیا اخراجات -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC رقم apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,ڈرائیور کا پتہ گم ہونے کی وجہ سے روٹ کو بہتر نہیں بنایا جاسکتا۔ DocType: Shareholder,Shareholder,شیئر ہولڈر DocType: Purchase Invoice,Additional Discount Amount,اضافی ڈسکاؤنٹ رقم @@ -3388,6 +3432,7 @@ DocType: Salary Component,Deduction,کٹوتی DocType: Item,Retain Sample,نمونہ برقرار رکھنا apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,صف {0}: وقت سے اور وقت کے لئے لازمی ہے. DocType: Stock Reconciliation Item,Amount Difference,رقم فرق +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,یہ صفحہ ان اشیاء پر نظر رکھتا ہے جو آپ بیچنے والے سے خریدنا چاہتے ہیں۔ apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},شے کی قیمت کے لئے شامل {0} قیمت کی فہرست میں {1} DocType: Delivery Stop,Order Information,آرڈر کی معلومات apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,اس کی فروخت کے شخص کے ملازم کی شناخت درج کریں @@ -3416,6 +3461,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** مالی سال ** ایک مالی سال کی نمائندگی کرتا ہے. تمام اکاؤنٹنگ اندراجات اور دیگر اہم لین دین *** مالی سال کے ساقھ ٹریک کر رہے ہیں. DocType: Opportunity,Customer / Lead Address,کسٹمر / لیڈ ایڈریس DocType: Supplier Scorecard Period,Supplier Scorecard Setup,سپلائر اسکور کارڈ سیٹ اپ +DocType: Customer Credit Limit,Customer Credit Limit,کسٹمر کریڈٹ کی حد apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,تشخیص منصوبہ نام apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,ہدف کی تفصیلات۔ apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",اگر کمپنی SpA ، SAPA یا SRL ہے تو قابل اطلاق ہے۔ @@ -3468,7 +3514,6 @@ DocType: Company,Transactions Annual History,ٹرانزیکشن سالانہ ت 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,بینک کا نام -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,اوپر 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,سیال @@ -3522,6 +3567,7 @@ 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,نمایاں اشیا میں شامل کیا گیا۔ apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,سال کے لئے منافع 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,اس عمل میں @@ -3576,12 +3622,10 @@ 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,اسی آئٹم کو ایک سے زیادہ ٹائمز کی اجازت دیں -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,کمپنی کے لئے کوئی جی ایس ٹی نمبر نہیں ملا۔ 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,ایمپلائز DocType: Question,Single Correct Answer,سنگل درست جواب۔ -DocType: Employee,Contact Details,رابطہ کی تفصیلات DocType: C-Form,Received Date,موصول تاریخ DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",آپ سیلز ٹیکس اور الزامات سانچہ میں ایک معیاری سانچے پیدا کیا ہے تو، ایک کو منتخب کریں اور نیچے دیے گئے بٹن پر کلک کریں. DocType: BOM Scrap Item,Basic Amount (Company Currency),بنیادی رقم (کمپنی کرنسی) @@ -3611,12 +3655,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM ویب سائٹ آپر DocType: Bank Statement Transaction Payment Item,outstanding_amount,بقایا DocType: Supplier Scorecard,Supplier Score,سپلائر اسکور apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,داخلہ شیڈول +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,ادائیگی کی کل درخواست کی رقم {0} رقم سے زیادہ نہیں ہوسکتی ہے۔ DocType: Tax Withholding Rate,Cumulative Transaction Threshold,مجموعی ٹرانزیکشن تھراسمold DocType: Promotional Scheme Price Discount,Discount Type,ڈسکاؤنٹ کی قسم -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,کل انوائس AMT DocType: Purchase Invoice Item,Is Free Item,مفت آئٹم ہے۔ +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,جو فیصد آپ کو آرڈر کی گئی مقدار کے مقابلہ میں زیادہ منتقل کرنے کی اجازت ہے۔ مثال کے طور پر: اگر آپ نے 100 یونٹوں کا آرڈر دیا ہے۔ اور آپ کا الاؤنس 10٪ ہے تب آپ کو 110 یونٹ منتقل کرنے کی اجازت ہے۔ DocType: Supplier,Warn RFQs,آر ایف پیز کو خبردار کریں -apps/erpnext/erpnext/templates/pages/home.html,Explore,کھنگالیں +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,کھنگالیں DocType: BOM,Conversion Rate,تبادلوں کی شرح apps/erpnext/erpnext/www/all-products/index.html,Product Search,مصنوعات کی تلاش ,Bank Remittance,بینک ترسیلات زر۔ @@ -3628,6 +3673,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,ادا کردہ کل رقم DocType: Asset,Insurance End Date,انشورنس اختتام کی تاریخ apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,برائے مہربانی طالب علم داخلہ منتخب کریں جو ادا طلبہ کے درخواست دہندگان کے لئے لازمی ہے +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK -YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,بجٹ کی فہرست DocType: Campaign,Campaign Schedules,مہم کے شیڈول DocType: Job Card Time Log,Completed Qty,مکمل مقدار @@ -3650,6 +3696,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,نیا ا DocType: Quality Inspection,Sample Size,نمونہ سائز apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,رسید دستاویز درج کریں apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,تمام اشیاء پہلے ہی انوائس کیا گیا ہے +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,پتے لے گئے۔ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.','کیس نمبر سے' درست وضاحت کریں 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,مزید لاگت کے مراکز گروپوں کے تحت بنایا جا سکتا ہے لیکن اندراجات غیر گروپوں کے خلاف بنایا جا سکتا ہے DocType: Branch,Branch,برانچ @@ -3749,6 +3796,8 @@ 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: Call Log,Received By,کی طرف سے موصول 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.,علیحدہ آمدنی ٹریک اور مصنوعات کاریکشیتر یا تقسیم کے لئے اخراجات. @@ -3802,6 +3851,7 @@ DocType: Support Search Source,Result Title Field,نتیجہ عنوان فیلڈ apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,کال کا خلاصہ۔ DocType: Sample Collection,Collected Time,جمع کردہ وقت DocType: Employee Skill Map,Employee Skills,ملازم ہنر +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,ایندھن خرچ DocType: Company,Sales Monthly History,فروخت ماہانہ تاریخ apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,براہ کرم ٹیکس اور چارجز ٹیبل میں کم از کم ایک صف طے کریں۔ DocType: Asset Maintenance Task,Next Due Date,اگلی تاریخ کی تاریخ @@ -3835,11 +3885,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,ملازم کی تنخواہ کی پرچی {0} نے پہلے ہی اس کی مدت کے لئے پیدا apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,دواسازی apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,آپ کو صرف ایک جائز شناختی رقم کے لۓ چھوڑ کر Encashment جمع کر سکتے ہیں +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,آئٹمز بذریعہ۔ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,خریدی اشیاء کی لاگت DocType: Employee Separation,Employee Separation Template,ملازم علیحدگی سانچہ DocType: Selling Settings,Sales Order Required,سیلز آرڈر کی ضرورت ہے apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,بیچنے والا بن -DocType: Shift Type,The number of occurrence after which the consequence is executed.,وقوع کی تعداد جس کے بعد نتیجہ کو انجام دیا جاتا ہے۔ ,Procurement Tracker,پروکیورمنٹ ٹریکر DocType: Purchase Invoice,Credit To,کریڈٹ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC الٹ۔ @@ -3852,6 +3902,7 @@ DocType: Quality Meeting,Agenda,ایجنڈا۔ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,بحالی کے شیڈول تفصیل DocType: Supplier Scorecard,Warn for new Purchase Orders,نئے خریداری کے حکم کے لئے انتباہ کریں DocType: Quality Inspection Reading,Reading 9,9 پڑھنا +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,اپنے ایکسٹل اکاؤنٹ کو ERPNext اور ٹریک کال لاگز سے مربوط کریں۔ DocType: Supplier,Is Frozen,منجمد ہے DocType: Tally Migration,Processed Files,پروسیسڈ فائلیں۔ apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,گروپ نوڈ گودام لین دین کے لئے منتخب کرنے کے لئے کی اجازت نہیں ہے @@ -3860,6 +3911,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,ایک ختم اچ DocType: Upload Attendance,Attendance To Date,تاریخ کرنے کے لئے حاضری 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,نسخہ @@ -3884,7 +3936,6 @@ DocType: Room,Room Number,کمرہ نمبر apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,درخواست گزار۔ apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},غلط حوالہ {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,مختلف پروموشنل اسکیموں کو لاگو کرنے کے قواعد۔ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) منصوبہ بندی quanitity سے زیادہ نہیں ہو سکتا ({2}) پیداوار میں آرڈر {3} DocType: Shipping Rule,Shipping Rule Label,شپنگ حکمرانی لیبل DocType: Journal Entry Account,Payroll Entry,پے رول انٹری apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,فیس ریکارڈز دیکھیں @@ -3896,6 +3947,7 @@ DocType: Contract,Fulfilment Status,مکمل حیثیت DocType: Lab Test Sample,Lab Test Sample,لیب ٹیسٹنگ نمونہ DocType: Item Variant Settings,Allow Rename Attribute Value,خصوصیت قیمت کا نام تبدیل کرنے کی اجازت دیں apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,فوری جرنل اندراج +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,مستقبل میں ادائیگی کی رقم۔ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,BOM کسی بھی شے agianst ذکر اگر آپ کی شرح کو تبدیل نہیں کر سکتے ہیں DocType: Restaurant,Invoice Series Prefix,انوائس سیریل پریفکس DocType: Employee,Previous Work Experience,گزشتہ کام کا تجربہ @@ -3925,6 +3977,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,منصوبے کی حیثیت DocType: UOM,Check this to disallow fractions. (for Nos),کسور کو رد کرنا اس کی جانچ پڑتال. (نمبر کے لئے) DocType: Student Admission Program,Naming Series (for Student Applicant),نام دینے سیریز (طالب علم کی درخواست گزار کے لئے) +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/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,پریکٹیشنر سروس یونٹ شیڈول @@ -3948,6 +4001,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,موجودہ اسٹاک حاصل کریں DocType: Purchase Invoice,ineligible,ناگزیر apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,مواد کے بل کے پیڑ +DocType: BOM,Exploded Items,پھٹا ہوا اشیا DocType: Student,Joining Date,شمولیت تاریخ ,Employees working on a holiday,چھٹی پر کام کرنے والے ملازمین ,TDS Computation Summary,ٹیڈی ایس ایس کا اہتمام خلاصہ @@ -3980,6 +4034,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),بنیادی شرح ( DocType: SMS Log,No of Requested SMS,درخواست ایس ایم ایس کی کوئی apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,بغیر تنخواہ چھٹی منظور شدہ رخصت کی درخواست ریکارڈ کے ساتھ میل نہیں کھاتا apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,اگلے مراحل +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,محفوظ کردہ اشیا DocType: Travel Request,Domestic,گھریلو apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,بہترین ممکنہ شرح پر بیان کردہ اشیاء فراہم مہربانی apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,منتقلی کی تاریخ سے پہلے ملازم کی منتقلی جمع نہیں کی جا سکتی @@ -4032,7 +4087,7 @@ 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,ایسیٹ زمرہ اکاؤنٹ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,قطار # {0} (ادائیگی کی میز): رقم مثبت ہونا ضروری ہے -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},سیلز آرڈر کی مقدار سے زیادہ آئٹم {0} پیدا نہیں کر سکتے ہیں {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},سیلز آرڈر کی مقدار سے زیادہ آئٹم {0} پیدا نہیں کر سکتے ہیں {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,مجموعی طور پر کچھ بھی شامل نہیں ہے۔ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,اس دستاویز کے لئے ای وے بل پہلے ہی موجود ہے۔ apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,خصوصیت اقدار منتخب کریں @@ -4067,12 +4122,10 @@ 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,سیٹ اپ کمپنی -DocType: Shift Type,Enable Different Consequence for Early Exit,جلد سے باہر نکلنے کے لئے مختلف نتائج کو قابل بنائیں۔ ,Lab Test Report,لیب ٹیسٹ کی رپورٹ DocType: Employee Benefit Application,Employee Benefit Application,ملازمت کے فوائد کی درخواست apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,اضافی تنخواہ اجزاء موجود ہیں۔ DocType: Purchase Invoice,Unregistered,غیر رجسٹرڈ -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,براہ مہربانی سب سے پہلے ترسیل کے نوٹ DocType: Student Applicant,Application Date,تاریخ درخواست DocType: Salary Component,Amount based on formula,فارمولے پر مبنی رقم DocType: Purchase Invoice,Currency and Price List,کرنسی اور قیمت کی فہرست @@ -4101,6 +4154,7 @@ DocType: Purchase Receipt,Time at which materials were received,مواد موص DocType: Products Settings,Products per Page,فی صفحہ مصنوعات 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,بلنگ کی تاریخ apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,مختص رقم منفی نہیں ہوسکتی ہے۔ DocType: Sales Order,Billing Status,بلنگ کی حیثیت apps/erpnext/erpnext/public/js/conf.js,Report an Issue,ایک مسئلہ کی اطلاع دیں @@ -4108,6 +4162,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,۹۰ سے بڑھ کر 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} یا پہلے سے ہی ایک اور واؤچر کے خلاف میچ نہیں کرتے DocType: Supplier Scorecard Criteria,Criteria Weight,معیار وزن +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,اکاؤنٹ: ادائیگی کے اندراج کے تحت {0} کی اجازت نہیں ہے۔ DocType: Production Plan,Ignore Existing Projected Quantity,موجودہ متوقع مقدار کو نظر انداز کریں۔ apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,منظوری کی اطلاع چھوڑ دو DocType: Buying Settings,Default Buying Price List,پہلے سے طے شدہ خرید قیمت کی فہرست @@ -4116,6 +4171,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},قطار {0}: اثاثہ شے کے لئے مقام درج کریں {1} DocType: Employee Checkin,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.",وغیرہ کمپنی، کرنسی، رواں مالی سال کی طرح پہلے سے طے شدہ اقدار DocType: Payment Entry,Payment Type,ادائیگی کی قسم apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,آئٹم کے لئے ایک بیچ براہ مہربانی منتخب کریں {0}. اس ضرورت کو پورا کرتا ہے کہ ایک بیچ کو تلاش کرنے سے قاصر ہے @@ -4145,6 +4201,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,خریداری کی ٹو DocType: Journal Entry,Accounting Entries,اکاؤنٹنگ اندراجات 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.",اگر 'قیمت' کے لئے منتخب کردہ قیمت کا تعین کرنے والا اصول بنایا جاتا ہے تو، یہ قیمت کی فہرست کو اوور کر دیں گے. قیمتوں کا تعین کرنے کی شرح کی شرح حتمی شرح ہے، لہذا مزید رعایت نہیں کی جاسکتی ہے. لہذا، سیلز آرڈر، خریداری آرڈر وغیرہ جیسے ٹرانزیکشن میں، یہ 'قیمت فہرست کی شرح' فیلڈ کے بجائے 'شرح' فیلڈ میں لے جائے گا. +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,براہ کرم تعلیم> تعلیم کی ترتیبات میں انسٹرکٹر نام دینے کا نظام مرتب کریں۔ DocType: Journal Entry,Paid Loan,ادا کردہ قرض 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,حوالہ کی تاریخ کی تاریخ @@ -4161,12 +4218,14 @@ DocType: Shopify Settings,Webhooks Details,ویب ہک تفصیلات apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,کوئی وقت شیٹس DocType: GoCardless Mandate,GoCardless Customer,GoCardless کسٹمر apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} لے بھیج دیا جائے نہیں کر سکتے ہیں کی قسم چھوڑ دو +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ۔ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',بحالی کے شیڈول تمام اشیاء کے لئے پیدا نہیں کر رہا. 'پیدا شیڈول' پر کلک کریں براہ مہربانی ,To Produce,پیدا کرنے کے لئے DocType: Leave Encashment,Payroll,پے رول 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} بھی شامل کیا جانا چاہئے DocType: Healthcare Service Unit,Parent Service Unit,والدین سروس یونٹ DocType: Packing Slip,Identification of the package for the delivery (for print),کی ترسیل کے لئے پیکج کی شناخت (پرنٹ کے لئے) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,سروس لیول کا معاہدہ دوبارہ تشکیل دے دیا گیا۔ DocType: Bin,Reserved Quantity,محفوظ مقدار apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,درست ای میل ایڈریس درج کریں apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,درست ای میل ایڈریس درج کریں @@ -4188,7 +4247,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,قیمت یا مصنوع کی چھوٹ۔ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,قطار {0} کے لئے: منصوبہ بندی کی مقدار درج کریں DocType: Account,Income Account,انکم اکاؤنٹ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ۔ DocType: Payment Request,Amount in customer's currency,کسٹمر کی کرنسی میں رقم apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,ڈلیوری apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,ڈھانچے کی تفویض… @@ -4211,6 +4269,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,ممبران 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?,آپ پہلے سے تیار کردہ انوائس کے ریکارڈ کھو جائیں گے. کیا آپ واقعی اس رکنیت کو دوبارہ شروع کرنا چاہتے ہیں؟ @@ -4264,11 +4323,10 @@ DocType: Additional Salary,HR User,HR صارف DocType: Bank Guarantee,Reference Document Name,حوالہ دستاویز کا نام DocType: Purchase Invoice,Taxes and Charges Deducted,ٹیکسز اور الزامات کٹوتی DocType: Support Settings,Issues,مسائل -DocType: Shift Type,Early Exit Consequence after,ابتدائی باہر نکلیں نتیجہ DocType: Loyalty Program,Loyalty Program Name,وفادار پروگرام کا نام apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},سٹیٹس سے ایک ہونا ضروری {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,GSTIN بھیجا اپ ڈیٹ کرنے کیلئے یاد دہانی -DocType: Sales Invoice,Debit To,ڈیبٹ +DocType: Discounted Invoice,Debit To,ڈیبٹ DocType: Restaurant Menu Item,Restaurant Menu Item,ریسٹورانٹ مینو آئٹم DocType: Delivery Note,Required only for sample item.,صرف نمونے شے کے لئے کی ضرورت ہے. DocType: Stock Ledger Entry,Actual Qty After Transaction,ٹرانزیکشن کے بعد اصل مقدار @@ -4351,6 +4409,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,پیرامیٹر ک apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,صرف حیثیت کے ساتھ درخواستیں چھوڑ دو 'منظور' اور 'مسترد' جمع کی جا سکتی apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,طول و عرض کی تشکیل… apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},طالب علم گروپ کا نام صف {0} میں ضروری ہے +DocType: Customer Credit Limit,Bypass credit limit_check,بائی پاس کریڈٹ کی حد_چیک۔ DocType: Homepage,Products to be shown on website homepage,مصنوعات کی ویب سائٹ کے ہوم پیج پر دکھایا جائے گا DocType: HR Settings,Password Policy,پاس ورڈ کی پالیسی apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,یہ ایک جڑ کسٹمر گروپ ہے اور میں ترمیم نہیں کیا جا سکتا. @@ -4398,10 +4457,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),تو apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,براہ کرم ریستوران ترتیبات میں ڈیفالٹ کسٹمر مقرر کریں ,Salary Register,تنخواہ رجسٹر DocType: Company,Default warehouse for Sales Return,ڈیفالٹ گودام برائے سیلز ریٹرن۔ -DocType: Warehouse,Parent Warehouse,والدین گودام +DocType: Pick List,Parent Warehouse,والدین گودام DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},پہلے سے طے شدہ BOM آئٹم کے لئے نہیں پایا {0} اور پروجیکٹ {1} +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 شرح @@ -4438,6 +4497,7 @@ DocType: Travel Itinerary,Lodging Required,جذبہ کی ضرورت ہے DocType: Promotional Scheme,Price Discount Slabs,قیمت چھوٹ سلیب DocType: Stock Reconciliation Item,Current Serial No,موجودہ سیریل نمبر DocType: Employee,Attendance and Leave Details,حاضری اور رخصت کی تفصیلات۔ +,BOM Comparison Tool,BOM موازنہ کا آلہ۔ ,Requested,درخواست apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,کوئی ریمارکس DocType: Asset,In Maintenance,بحالی میں @@ -4459,6 +4519,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.js,Include UOM,UOM apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Material Request No,مواد کی درخواست نہیں DocType: Service Level Agreement,Default Service Level Agreement,طے شدہ خدمت کی سطح کا معاہدہ۔ DocType: SG Creation Tool Course,Course Code,کورس کوڈ +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,تیار شدہ سامان آئٹم کی مقدار کی بنیاد پر کتنے خام مال کا فیصلہ کیا جائے گا۔ DocType: Location,Parent Location,والدین کی جگہ DocType: POS Settings,Use POS in Offline Mode,آف لائن موڈ میں POS استعمال کریں apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,ترجیح کو {0} میں تبدیل کردیا گیا ہے۔ @@ -4476,7 +4537,7 @@ DocType: Stock Settings,Sample Retention Warehouse,نمونہ برقرار رک DocType: Company,Default Receivable Account,پہلے سے طے شدہ وصولی اکاؤنٹ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,متوقع مقدار کا فارمولا۔ DocType: Sales Invoice,Deemed Export,ڈیمیٹڈ برآمد -DocType: Stock Entry,Material Transfer for Manufacture,تیاری کے لئے مواد کی منتقلی +DocType: Pick List,Material Transfer for Manufacture,تیاری کے لئے مواد کی منتقلی 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.,ڈسکاؤنٹ فی صد قیمت کی فہرست کے خلاف یا تمام قیمت کی فہرست کے لئے یا تو لاگو کیا جا سکتا. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,اسٹاک کے لئے اکاؤنٹنگ انٹری DocType: Lab Test,LabTest Approver,LabTest کے قریب @@ -4519,7 +4580,6 @@ DocType: Training Event,Theory,نظریہ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,انتباہ: مقدار درخواست مواد کم از کم آرڈر کی مقدار سے کم ہے apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,اکاؤنٹ {0} منجمد ہے DocType: Quiz Question,Quiz Question,کوئز سوال۔ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,سپلائر> سپلائر کی قسم 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",کھانا، مشروب اور تمباکو @@ -4548,6 +4608,7 @@ 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,اشاعت شدہ اشیا DocType: Account,Expense Account,ایکسپینس اکاؤنٹ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,سافٹ ویئر apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,رنگین @@ -4586,6 +4647,7 @@ 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,تمام بینک لین دین تشکیل دے دیئے گئے ہیں۔ DocType: Fee Validity,Visited yet,ابھی تک ملاحظہ کی +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,آپ 8 آئٹمز تک کی نمائش کرسکتے ہیں۔ 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.,سیلز ٹرانسمیشن کی بنیاد پر پروجیکٹ اور کمپنی کو اپ ڈیٹ کیا جانا چاہئے. @@ -4593,7 +4655,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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,ذخیرہ اندوزی کا درجہ حرارت @@ -4618,7 +4679,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,گھنٹوں می DocType: Contract,Signee Details,دستخط کی تفصیلات apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} فی الحال ایک {1} سپلائر اسکور کارڈ کھڑا ہے، اور اس سپلائر کو آر ایف پی کو احتیاط سے جاری کیا جاسکتا ہے. DocType: Certified Consultant,Non Profit Manager,غیر منافع بخش مینیجر -DocType: BOM,Total Cost(Company Currency),کل لاگت (کمپنی کرنسی) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,{0} پیدا سیریل نمبر DocType: Homepage,Company Description for website homepage,ویب سائٹ کے ہوم پیج کے لئے کمپنی کی تفصیل DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",گاہکوں کی سہولت کے لئے، یہ کوڈ انوائس اور ترسیل نوٹوں کی طرح پرنٹ کی شکل میں استعمال کیا جا سکتا @@ -4646,7 +4706,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,خرید DocType: Amazon MWS Settings,Enable Scheduled Synch,شیڈول کردہ سنچری کو فعال کریں apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,تریخ ویلہ لئے apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,ایس ایم ایس کی ترسیل کی حیثیت برقرار رکھنے کے لئے نوشتہ جات -DocType: Shift Type,Early Exit Consequence,ابتدائی خروج کا نتیجہ DocType: Accounts Settings,Make Payment via Journal Entry,جرنل اندراج کے ذریعے ادائیگی apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,براہ کرم ایک وقت میں 500 سے زیادہ آئٹمز نہ بنائیں۔ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,طباعت پر @@ -4702,6 +4761,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,حد 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,خفیہ +DocType: Plaid Settings,Plaid Secret,پلیڈ سیکریٹ DocType: Company,Date of Establishment,قیام کی تاریخ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,وینچر کیپیٹل کی apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,اس 'تعلیمی سال' کے ساتھ ایک تعلیمی اصطلاح {0} اور 'کی اصطلاح کا نام' {1} پہلے سے موجود ہے. ان اندراجات پر نظر ثانی کریں اور دوبارہ کوشش کریں براہ مہربانی. @@ -4763,6 +4823,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,کسٹمر کی قسم DocType: Compensatory Leave Request,Leave Allocation,ایلوکیشن چھوڑ دو DocType: Payment Request,Recipient Message And Payment Details,وصول کنندہ کا پیغام اور ادائیگی کی تفصیلات +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,براہ کرم ڈلیوری نوٹ منتخب کریں۔ DocType: Support Search Source,Source DocType,ماخذ ڈیک ٹائپ apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,نئی ٹکٹ کھولیں DocType: Training Event,Trainer Email,ٹرینر کوارسال کریں @@ -4884,6 +4945,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,فارورڈڈ پتے لے جائیں۔ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','تاریخ سے' کے بعد 'تاریخ کے لئے' ہونا ضروری ہے apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,اس عہدہ کے لئے کوئی اسٹافنگ منصوبہ نہیں ملا apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,آئٹم {1} کا بیچ {0} غیر فعال ہے. @@ -4905,7 +4967,7 @@ DocType: Clinical Procedure,Patient,صبر apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,سیلز آرڈر پر کریڈٹ چیک چیک کریں DocType: Employee Onboarding Activity,Employee Onboarding Activity,ملازمت Onboarding سرگرمی DocType: Location,Check if it is a hydroponic unit,چیک کریں کہ یہ ایک ہائیڈرولوون یونٹ ہے -DocType: Stock Reconciliation Item,Serial No and Batch,سیریل نمبر اور بیچ +DocType: Pick List Item,Serial No and Batch,سیریل نمبر اور بیچ DocType: Warranty Claim,From Company,کمپنی کی طرف سے DocType: GSTR 3B Report,January,جنوری۔ apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,اسکور کے معیار کے معیار کا مقصد {0} ہونا ضروری ہے. @@ -4929,7 +4991,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,انٹر کمپنی کی ٹرانسمیشن کے لئے کوئی {0} نہیں ملا. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,کریڈٹ_نوٹ_امٹ۔ DocType: Travel Itinerary,Rented Car,کرایہ کار apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,آپ کی کمپنی کے بارے میں apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,اکاؤنٹ کریڈٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے @@ -4961,6 +5022,7 @@ apps/erpnext/erpnext/config/accounting.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 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,ن apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,باقی DocType: Appraisal,Appraisal,تشخیص @@ -5028,6 +5090,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),پیکج کی مجموعی وزن. عام طور پر نیٹ وزن پیکیجنگ مواد وزن. (پرنٹ کے لئے) DocType: Assessment Plan,Program,پروگرام کا DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,اس کردار کے ساتھ صارفین کو منجمد اکاؤنٹس کے خلاف اکاؤنٹنگ اندراجات منجمد اکاؤنٹس قائم کرنے اور تخلیق / ترمیم کریں کرنے کی اجازت ہے +DocType: Plaid Settings,Plaid Environment,پلیڈ ماحول۔ ,Project Billing Summary,پروجیکٹ بلنگ کا خلاصہ۔ DocType: Vital Signs,Cuts,پکڑتا ہے DocType: Serial No,Is Cancelled,منسوخ ہے @@ -5088,7 +5151,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,نوٹ: {0} مقدار یا رقم 0 ہے کے طور پر کی ترسیل اور زیادہ بکنگ شے کے لئے نظام کی جانچ پڑتال نہیں کرے گا DocType: Issue,Opening Date,افتتاحی تاریخ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,براہ کرم سب سے پہلے مریض کو محفوظ کریں -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,نیا رابطہ کریں۔ apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,حاضری کامیابی سے نشان لگا دیا گیا ہے. DocType: Program Enrollment,Public Transport,پبلک ٹرانسپورٹ DocType: Sales Invoice,GST Vehicle Type,جی ایس ایس گاڑی کی قسم @@ -5114,6 +5176,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,سپلائ DocType: POS Profile,Write Off Account,اکاؤنٹ لکھنے DocType: Patient Appointment,Get prescribed procedures,مقرر شدہ طریقہ کار حاصل کریں DocType: Sales Invoice,Redemption Account,چھٹکارا اکاؤنٹ +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,آئٹم مقامات کی میز میں پہلے اشیاء شامل کریں۔ DocType: Pricing Rule,Discount Amount,ڈسکاؤنٹ رقم DocType: Pricing Rule,Period Settings,مدت کی ترتیبات DocType: Purchase Invoice,Return Against Purchase Invoice,کے خلاف خریداری کی رسید واپس @@ -5145,7 +5208,6 @@ DocType: Assessment Plan,Assessment Plan,تشخیص کی منصوبہ بندی DocType: Travel Request,Fully Sponsored,مکمل طور پر سپانسر apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,ریورس جرنل انٹری apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,جاب کارڈ بنائیں۔ -DocType: Shift Type,Consequence after,نتیجے کے بعد۔ DocType: Quality Procedure Process,Process Description,عمل کی تفصیل apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,کسٹمر {0} پیدا ہوتا ہے. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,فی الحال کوئی اسٹاک کسی بھی گودام میں دستیاب نہیں ہے @@ -5179,6 +5241,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,کلیئرنس تاریخ DocType: Delivery Settings,Dispatch Notification Template,ڈسپیچ نوٹیفیکیشن سانچہ apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,تشخیص کی رپورٹ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,ملازمین حاصل کریں +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 ایڈریس @@ -5303,7 +5366,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,یہ ایک جڑ فروخت شخص ہے اور میں ترمیم نہیں کیا جا سکتا. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",منتخب شدہ ہیں، بیان کردہ یا اس کے اتحادیوں میں شمار کیا قدر آمدنی یا کٹوتیوں میں شراکت نہیں ہوں گے. تاہم، یہ قدر دوسرے اجزاء شامل یا منہا کیا جا سکتا ہے کی طرف سے محولہ کیا جا سکتا ہے. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",منتخب شدہ ہیں، بیان کردہ یا اس کے اتحادیوں میں شمار کیا قدر آمدنی یا کٹوتیوں میں شراکت نہیں ہوں گے. تاہم، یہ قدر دوسرے اجزاء شامل یا منہا کیا جا سکتا ہے کی طرف سے محولہ کیا جا سکتا ہے. -DocType: Asset Settings,Number of Days in Fiscal Year,مالی سال میں دن کی تعداد ,Stock Ledger,اسٹاک لیجر DocType: Company,Exchange Gain / Loss Account,ایکسچینج حاصل / نقصان کے اکاؤنٹ DocType: Amazon MWS Settings,MWS Credentials,MWS تصدیق نامہ @@ -5337,6 +5399,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,بینک فائل میں کالم۔ apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},طالب علم کے خلاف درخواست {0} پہلے ہی موجود ہے {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,مواد کے تمام بلوں میں تازہ ترین قیمت کو اپ ڈیٹ کرنے کے لئے قطع نظر. یہ چند منٹ لگ سکتا ہے. +DocType: Pick List,Get Item Locations,آئٹم کے مقامات حاصل کریں۔ apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,نئے اکاؤنٹ کا نام. نوٹ: صارفین اور سپلائرز کے اکاؤنٹس کی تخلیق نہیں کرتے ہیں براہ مہربانی DocType: POS Profile,Display Items In Stock,سٹاک میں اشیا ڈسپلے کریں apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,ملک وار طے شدہ ایڈریس سانچے @@ -5360,6 +5423,7 @@ DocType: Crop,Materials Required,مواد کی ضرورت ہے apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,کوئی طالب علم نہیں ملا DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,ماہانہ HRA چھوٹ DocType: Clinical Procedure,Medical Department,میڈیکل ڈپارٹمنٹ +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,کل ابتدائی اخراج DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,سپلائر اسکور کارڈ اسکورنگ معیار apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,انوائس پوسٹنگ کی تاریخ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,فروخت @@ -5371,11 +5435,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","براہ کرم اس دستاویز کو منسوخ کرنے کے لئے ملازم {0} delete کو حذف کریں۔" DocType: Program Enrollment,School House,سکول ہاؤس DocType: Serial No,Out of AMC,اے ایم سی کے باہر DocType: Opportunity,Opportunity Amount,موقع کی رقم +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,آپ کی پروفائل apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,بک Depreciations کی تعداد کل Depreciations کی تعداد سے زیادہ نہیں ہو سکتی DocType: Purchase Order,Order Confirmation Date,آرڈر کی توثیق کی تاریخ DocType: Driver,HR-DRI-.YYYY.-,HR-DRI -YYYY- @@ -5469,7 +5532,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",شرح، نمبروں میں سے نہیں اور حساب کی رقم کے درمیان متضاد ہیں apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,آپ معاوضے کی درخواست کی درخواستوں کے دن پورے دن موجود نہیں ہیں apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,دوبارہ ٹائپ کمپنی کا نام کی توثیق کے لئے براہ کرم -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,کل بقایا AMT DocType: Journal Entry,Printing Settings,پرنٹنگ ترتیبات DocType: Payment Order,Payment Order Type,ادائیگی آرڈر کی قسم DocType: Employee Advance,Advance Account,ایڈوانس اکاؤنٹ @@ -5558,7 +5620,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,سال نام apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,کام کے دنوں کے مقابلے میں زیادہ کی تعطیلات اس ماہ ہیں. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,مندرجہ ذیل آئٹمز {0} کو {1} آئٹم کے بطور نشان زد نہیں کیا گیا ہے۔ آپ انہیں اس کے آئٹم ماسٹر سے بطور {1} آئٹم اہل بنا سکتے ہیں۔ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC ریفریجریشن DocType: Production Plan Item,Product Bundle Item,پروڈکٹ بنڈل آئٹم DocType: Sales Partner,Sales Partner Name,سیلز پارٹنر نام apps/erpnext/erpnext/hooks.py,Request for Quotations,کوٹیشن کے لئے درخواست @@ -5567,7 +5628,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,عام ٹیسٹ اشیا DocType: QuickBooks Migrator,Company Settings,کمپنی کی ترتیبات DocType: Additional Salary,Overwrite Salary Structure Amount,تنخواہ کی ساخت کی رقم کو خارج کر دیں -apps/erpnext/erpnext/config/hr.py,Leaves,پتے۔ +DocType: Leave Ledger Entry,Leaves,پتے۔ DocType: Student Language,Student Language,Student کی زبان DocType: Cash Flow Mapping,Is Working Capital,کام کرنا کیپٹل ہے apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,ثبوت پیش کریں۔ @@ -5575,7 +5636,6 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,آرڈر / عمومی quot٪ apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,ریکارڈ مریض وٹیلز DocType: Fee Schedule,Institution,ادارہ -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: Asset,Partially Depreciated,جزوی طور پر فرسودگی DocType: Issue,Opening Time,افتتاحی وقت apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,سے اور مطلوبہ تاریخوں کے لئے @@ -5626,6 +5686,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,زیادہ سے زیادہ قابل اجازت قدر DocType: Journal Entry Account,Employee Advance,ملازم ایڈوانس DocType: Payroll Entry,Payroll Frequency,پے رول فریکوئینسی +DocType: Plaid Settings,Plaid Client ID,پلیڈ کلائنٹ کی شناخت DocType: Lab Test Template,Sensitivity,حساسیت DocType: Plaid Settings,Plaid Settings,پلائڈ کی ترتیبات۔ apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,ہم آہنگی سے عارضی طور پر معذور ہوگئی ہے کیونکہ زیادہ سے زیادہ دوبارہ کوششیں زیادہ ہو چکی ہیں @@ -5643,6 +5704,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,پہلے پوسٹنگ کی تاریخ منتخب کریں apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,تاریخ افتتاحی تاریخ بند کرنے سے پہلے ہونا چاہئے DocType: Travel Itinerary,Flight,پرواز +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,واپس گھر DocType: Leave Control Panel,Carry Forward,آگے لے جانے apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,موجودہ لین دین کے ساتھ سرمایہ کاری سینٹر اکاؤنٹ میں تبدیل نہیں کیا جا سکتا DocType: Budget,Applicable on booking actual expenses,حقیقی اخراجات بکنگ پر لاگو @@ -5744,6 +5806,7 @@ DocType: Batch,Source Document Name,ماخذ دستاویز کا نام DocType: Batch,Source Document Name,ماخذ دستاویز کا نام DocType: Production Plan,Get Raw Materials For Production,پیداوار کے لئے خام مال حاصل کریں DocType: Job Opening,Job Title,ملازمت کا عنوان +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,مستقبل کی ادائیگی ریفری apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.",{0} یہ اشارہ کرتا ہے کہ {1} کوٹیشن فراہم نہیں کرے گا، لیکن تمام اشیاء \ کو حوالہ دیا گیا ہے. آر ایف پی کی اقتباس کی حیثیت کو اپ ڈیٹ کرنا. apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,زیادہ سے زیادہ نمونے - {1} بیچ {1} اور آئٹم {2} بیچ میں {3} پہلے ہی برقرار رکھے ہیں. @@ -5754,12 +5817,10 @@ 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: Company,Product Code,پروڈکٹ کوڈ DocType: Quality Review Table,Objective,مقصد۔ DocType: Supplier Scorecard,Per Month,فی مہینہ DocType: Education Settings,Make Academic Term Mandatory,تعلیمی ٹائم لازمی بنائیں -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,تیار کرنے کی مقدار 0 سے زیادہ ہونا چاہیے. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,مالی سال کی بنیاد پر پرورش شدہ قیمتوں کا تعین شیڈول کی گنتی کریں +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,تیار کرنے کی مقدار 0 سے زیادہ ہونا چاہیے. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,بحالی کال کے لئے رپورٹ ملاحظہ کریں. DocType: Stock Entry,Update Rate and Availability,اپ ڈیٹ کی شرح اور دستیابی 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 یونٹس کا حکم دیا ہے تو. اور آپ الاؤنس تو آپ کو 110 یونٹس حاصل کرنے کے لئے اجازت دی جاتی ہے 10٪ ہے. @@ -5771,7 +5832,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,رہائی کی تاریخ مستقبل میں ہونی چاہئے۔ DocType: BOM,Website Description,ویب سائٹ تفصیل apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,ایکوئٹی میں خالص تبدیلی -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,انوائس خریداری {0} منسوخ مہربانی سب سے پہلے apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,اجازت نہیں. برائے مہربانی سروس یونٹ کی قسم کو غیر فعال کریں apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}",ای میل پتہ منفرد ہونا ضروری ہے، پہلے ہی {0} کے لئے موجود ہے. DocType: Serial No,AMC Expiry Date,AMC ختم ہونے کی تاریخ @@ -5813,6 +5873,7 @@ DocType: Pricing Rule,Price Discount Scheme,پرائس ڈسکاؤنٹ اسکیم apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,بحالی کی حیثیت منسوخ کرنا یا جمع کرنے کے لئے مکمل کرنا ہوگا DocType: Amazon MWS Settings,US,امریکہ DocType: Holiday List,Add Weekly Holidays,ہفتہ وار چھٹیاں شامل کریں +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,آئٹم کی اطلاع دیں۔ DocType: Staffing Plan Detail,Vacancies,خالی جگہیں DocType: Hotel Room,Hotel Room,ہوٹل کا کمرہ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},اکاؤنٹ {0} کرتا کمپنی سے تعلق رکھتا نہیں {1} @@ -5863,12 +5924,15 @@ DocType: Email Digest,Open Quotations,کھولیں کوٹیشن 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","براہ کرم اس دستاویز کو منسوخ کرنے کے لئے ملازم {0} delete کو حذف کریں۔" apps/erpnext/erpnext/config/projects.py,Types of activities for Time Logs,وقت لاگز کے لئے سرگرمیوں کی اقسام DocType: Opening Invoice Creation Tool,Sales,سیلز DocType: Stock Entry Detail,Basic Amount,بنیادی رقم @@ -5882,6 +5946,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,خالی DocType: Patient,Alcohol Past Use,شراب ماضی کا استعمال DocType: Fertilizer Content,Fertilizer Content,ارورائزر مواد +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,کوئی وضاحت نہیں apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,کروڑ DocType: Tax Rule,Billing State,بلنگ ریاست DocType: Quality Goal,Monitoring Frequency,مانیٹرنگ فریکوئینسی۔ @@ -5899,6 +5964,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,تاریخ پر ختم ہوجاتا ہے اگلا رابطہ کی تاریخ سے پہلے نہیں ہوسکتا ہے. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,بیچ کے اندراجات۔ DocType: Journal Entry,Pay To / Recd From,سے / Recd کرنے کے لئے ادا +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,اشاعت غیر شائع کریں۔ DocType: Naming Series,Setup Series,سیٹ اپ سیریز DocType: Payment Reconciliation,To Invoice Date,تاریخ انوائس کے لئے DocType: Bank Account,Contact HTML,رابطہ کریں ایچ ٹی ایم ایل @@ -5920,6 +5986,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,پرچون DocType: Student Attendance,Absent,غائب DocType: Staffing Plan,Staffing Plan Detail,اسٹافنگ پلان تفصیل DocType: Employee Promotion,Promotion Date,فروغ کی تاریخ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,رخصت٪ s کو چھٹی کی درخواست٪ s کے ساتھ منسلک کیا گیا ہے۔ 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} @@ -5957,6 +6024,7 @@ DocType: Volunteer,Availability,دستیابی apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS انوائس کے لئے ڈیفالٹ اقدار سیٹ کریں DocType: Employee Training,Training,ٹریننگ DocType: Project,Time to send,بھیجنے کا وقت +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,یہ صفحہ آپ کے آئٹمز پر نظر رکھتا ہے جس میں خریداروں نے کچھ دلچسپی ظاہر کی ہے۔ 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 ای میل آئی ڈی @@ -6055,11 +6123,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,افتتاحی ویلیو DocType: Salary Component,Formula,فارمولہ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,سیریل نمبر -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,برائے کرم انسانی وسائل> HR کی ترتیبات میں ملازمین کے نام دینے کا نظام مرتب کریں۔ DocType: Material Request Plan Item,Required Quantity,مطلوبہ مقدار DocType: Lab Test Template,Lab Test Template,لیب ٹیسٹنگ سانچہ apps/erpnext/erpnext/setup/doctype/company/company.py,Sales Account,سیلز اکاؤنٹ DocType: Purchase Invoice Item,Total Weight,کل وزن +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} @@ -6083,6 +6151,7 @@ DocType: Company,Default Employee Advance Account,ڈیفالٹ ملازم ایڈ apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),تلاش آئٹم (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF -YYYY- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,موجودہ لین دین کے ساتھ اکاؤنٹ خارج کر دیا نہیں کیا جا سکتا +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,کیوں لگتا ہے کہ اس آئٹم کو ہٹا دیا جانا چاہئے؟ DocType: Vehicle,Last Carbon Check,آخری کاربن چیک کریں apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,قانونی اخراجات apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,صف پر مقدار براہ مہربانی منتخب کریں @@ -6102,6 +6171,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,خرابی DocType: Travel Itinerary,Vegetarian,سبزیوں DocType: Patient Encounter,Encounter Date,تصادم کی تاریخ +DocType: Work Order,Update Consumed Material Cost In Project,منصوبے میں استعمال شدہ مواد کی لاگت کو اپ ڈیٹ کریں۔ apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,اکاؤنٹ: {0} کرنسی: {1} منتخب نہیں کیا جا سکتا DocType: Bank Statement Transaction Settings Item,Bank Data,بینک ڈیٹا DocType: Purchase Receipt Item,Sample Quantity,نمونہ مقدار @@ -6155,7 +6225,7 @@ DocType: GSTR 3B Report,April,اپریل۔ DocType: Plant Analysis,Collection Datetime,ڈیٹیٹ وقت جمع DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR -YYYY- DocType: Work Order,Total Operating Cost,کل آپریٹنگ لاگت -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,نوٹ: آئٹم {0} کئی بار میں داخل +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,نوٹ: آئٹم {0} کئی بار میں داخل apps/erpnext/erpnext/config/buying.py,All Contacts.,تمام رابطے. DocType: Accounting Period,Closed Documents,بند دستاویزات DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,تقرری انوائس کو مریض مباحثے کے لئے خود بخود جمع اور منسوخ کریں @@ -6235,9 +6305,7 @@ DocType: Member,Membership Type,رکنیت کی قسم ,Reqd By Date,Reqd تاریخ کی طرف سے apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,قرض DocType: Assessment Plan,Assessment Name,تشخیص نام -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,پرنٹ میں پی ڈی سی دکھائیں apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,صف # {0}: سیریل کوئی لازمی ہے -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,{0} {1} کیلئے کوئی بقایا انوائس نہیں ملی۔ DocType: Purchase Taxes and Charges,Item Wise Tax Detail,آئٹم حکمت ٹیکس تفصیل DocType: Employee Onboarding,Job Offer,ملازمت کی پیشکش apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,انسٹی ٹیوٹ مخفف @@ -6296,6 +6364,7 @@ DocType: Serial No,Out of Warranty,وارنٹی سے باہر DocType: Bank Statement Transaction Settings Item,Mapped Data Type,موڈ ڈیٹا کی قسم DocType: BOM Update Tool,Replace,بدل دیں apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,نہیں کی مصنوعات مل گیا. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,مزید اشیا شائع کریں۔ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} فروخت انوائس کے خلاف {1} DocType: Antibiotic,Laboratory User,لیبارٹری صارف DocType: Request for Quotation Item,Project Name,پراجیکٹ کا نام @@ -6316,7 +6385,6 @@ DocType: Payment Order Reference,Bank Account Details,بینک اکاؤنٹ کی DocType: Purchase Order Item,Blanket Order,کمبل آرڈر 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,ٹیکس اثاثے -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},پیداوار آرڈر {0} ہے DocType: BOM Item,BOM No,BOM کوئی 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,حرکت پذیری اوسط @@ -6389,6 +6457,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),ظاہری ٹیکس قابل فراہمی (صفر کا درجہ دیا ہوا) DocType: BOM,Materials Required (Exploded),مواد (دھماکے) کی ضرورت 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/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,پوسٹنگ کی تاریخ مستقبل کی تاریخ میں نہیں ہو سکتا @@ -6446,7 +6515,6 @@ DocType: Pricing Rule,Same Item,ایک ہی چیز DocType: Stock Ledger Entry,Stock Ledger Entry,اسٹاک لیجر انٹری DocType: Quality Action Resolution,Quality Action Resolution,کوالٹی ایکشن ریزولوشن۔ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} نصف دن کی چھٹی پر {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,ایک ہی شے کے کئی بار داخل کیا گیا ہے DocType: Department,Leave Block List,بلاک فہرست چھوڑ دو DocType: Purchase Invoice,Tax ID,ٹیکس شناخت apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,{0} آئٹم سیریل نمبر کے لئے سیٹ اپ نہیں ہے. کالم خالی ہونا ضروری ہے @@ -6483,7 +6551,7 @@ 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} غیر فعال ہے یا موجود نہیں ہے DocType: Purchase Invoice,Return,واپس -DocType: Accounting Dimension,Disable,غیر فعال کریں +DocType: Account,Disable,غیر فعال کریں apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,ادائیگی کا طریقہ ایک ادائیگی کرنے کے لئے کی ضرورت ہے DocType: Task,Pending Review,زیر جائزہ apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.",اثاثوں، سیریل نو، بیچ وغیرہ جیسے زیادہ اختیارات کیلئے مکمل صفحہ میں ترمیم کریں. @@ -6595,7 +6663,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH -YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,مشترکہ انوائس کا حصہ 100٪ DocType: Item Default,Default Expense Account,پہلے سے طے شدہ ایکسپینس اکاؤنٹ DocType: GST Account,CGST Account,CGST اکاؤنٹ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ۔ apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Student کی ای میل آئی ڈی DocType: Employee,Notice (days),نوٹس (دن) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,پی او وی بند واؤچر انوائس @@ -6606,6 +6673,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,انوائس کو بچانے کے لئے اشیاء کو منتخب کریں DocType: Employee,Encashment Date,معاوضہ تاریخ DocType: Training Event,Internet,انٹرنیٹ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,بیچنے والے سے متعلق معلومات DocType: Special Test Template,Special Test Template,خصوصی ٹیسٹ سانچہ DocType: Account,Stock Adjustment,اسٹاک ایڈجسٹمنٹ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},پہلے سے طے شدہ سرگرمی لاگت سرگرمی کی قسم کے لئے موجود ہے - {0} @@ -6618,7 +6686,6 @@ 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,آزمائشی مدت کے دوران شروع کی تاریخ اور آزمائشی مدت کے اختتام کی تاریخ کو مقرر کیا جانا چاہئے -DocType: Company,Bank Remittance Settings,بینک ترسیلات کی ترتیبات۔ apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,اوسط قیمت 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","گراہک فراہم کردہ آئٹم" میں ویلیو ریٹ نہیں ہوسکتا @@ -6646,6 +6713,7 @@ DocType: Grading Scale Interval,Threshold,تھریشولڈ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),فلٹر ملازمین کے ذریعہ (اختیاری) DocType: BOM Update Tool,Current BOM,موجودہ BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),بیلنس (ڈاکٹر - کر) +DocType: Pick List,Qty of Finished Goods Item,تیار سامان کی مقدار apps/erpnext/erpnext/public/js/utils.js,Add Serial No,سیریل نمبر شامل DocType: Work Order Item,Available Qty at Source Warehouse,ماخذ گودام پر دستیاب قی apps/erpnext/erpnext/config/support.py,Warranty,وارنٹی @@ -6722,7 +6790,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",یہاں آپ کو وغیرہ اونچائی، وزن، یلرجی، طبی خدشات کو برقرار رکھنے کے کر سکتے ہیں apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,اکاؤنٹ بنانا… DocType: Leave Block List,Applies to Company,کمپنی پر لاگو ہوتا ہے -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,پیش اسٹاک انٹری {0} موجود ہے کیونکہ منسوخ نہیں کر سکتے +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,پیش اسٹاک انٹری {0} موجود ہے کیونکہ منسوخ نہیں کر سکتے DocType: Loan,Disbursement Date,ادائیگی کی تاریخ DocType: Service Level Agreement,Agreement Details,معاہدے کی تفصیلات apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,معاہدے کی شروعات کی تاریخ اختتامی تاریخ سے زیادہ یا اس کے برابر نہیں ہوسکتی ہے۔ @@ -6731,6 +6799,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,میڈیکل ریکارڈ DocType: Vehicle,Vehicle,وہیکل DocType: Purchase Invoice,In Words,الفاظ میں +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,آج تک تاریخ سے پہلے ہونا ضروری ہے۔ apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,جمع کرنے سے پہلے بینک یا قرض دینے والے ادارے کا نام درج کریں. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} جمع ہونا لازمی ہے DocType: POS Profile,Item Groups,آئٹم گروپس @@ -6803,7 +6872,6 @@ DocType: Customer,Sales Team Details,سیلز ٹیم تفصیلات apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,مستقل طور پر خارج کر دیں؟ DocType: Expense Claim,Total Claimed Amount,کل دعوی رقم apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,فروخت کے لئے ممکنہ مواقع. -DocType: Plaid Settings,Link a new bank account,ایک نیا بینک اکاؤنٹ لنک کریں۔ apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,} tend حاضری کی ایک غلط حیثیت ہے۔ DocType: Shareholder,Folio no.,فولیو نمبر. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},غلط {0} @@ -6819,7 +6887,6 @@ DocType: Production Plan,Material Requested,مواد کی درخواست کی گ DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,ذیلی معاہدہ کے لئے محفوظ مقدار DocType: Patient Service Unit,Patinet Service Unit,پیٹنٹ سروس یونٹ -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,ٹیکسٹ فائل بنائیں۔ DocType: Sales Invoice,Base Change Amount (Company Currency),بیس بدلیں رقم (کمپنی کرنسی) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,مندرجہ ذیل گوداموں کے لئے کوئی اکاؤنٹنگ اندراجات apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},صرف {0} آئٹم کے اسٹاک میں {1} @@ -6833,6 +6900,7 @@ DocType: Item,No of Months,مہینہ میں سے کوئی نہیں DocType: Item,Max Discount (%),زیادہ سے زیادہ ڈسکاؤنٹ (٪) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,کریڈٹ دن منفی نمبر نہیں ہوسکتا ہے apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,ایک بیان اپ لوڈ کریں۔ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,اس چیز کی اطلاع دیں DocType: Purchase Invoice Item,Service Stop Date,سروس کی روک تھام کی تاریخ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,آخری آرڈر رقم DocType: Cash Flow Mapper,e.g Adjustments for:,مثال کے طور پر: @@ -6924,16 +6992,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,ملازم ٹیکس چھوٹ زمرہ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,رقم صفر سے کم نہیں ہونی چاہئے۔ DocType: Sales Invoice,C-Form Applicable,سی فارم لاگو -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},آپریشن کے وقت کے آپریشن کے لئے زیادہ سے زیادہ 0 ہونا ضروری ہے {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},آپریشن کے وقت کے آپریشن کے لئے زیادہ سے زیادہ 0 ہونا ضروری ہے {0} DocType: Support Search Source,Post Route String,روٹ سٹرنگ پوسٹ کریں apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,گودام لازمی ہے apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,ویب سائٹ بنانے میں ناکام DocType: Soil Analysis,Mg/K,MG / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM تبادلوں تفصیل apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,داخلہ اور اندراج۔ -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,رکنیت اسٹاک انٹری نے پہلے ہی تشکیل یا نمونہ مقدار فراہم نہیں کی +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,رکنیت اسٹاک انٹری نے پہلے ہی تشکیل یا نمونہ مقدار فراہم نہیں کی DocType: Program,Program Abbreviation,پروگرام کا مخفف -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,پروڈکشن آرڈر شے سانچہ خلاف اٹھایا نہیں کیا جا سکتا apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),گروپ بذریعہ واؤچر (مستحکم) DocType: HR Settings,Encrypt Salary Slips in Emails,ای میلز میں تنخواہ سلپ خفیہ کریں۔ DocType: Question,Multiple Correct Answer,متعدد درست جواب۔ @@ -6980,7 +7047,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,نیل ریٹیڈ یا DocType: Employee,Educational Qualification,تعلیمی اہلیت DocType: Workstation,Operating Costs,آپریٹنگ اخراجات apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},{0} کیلئے کرنسی ہونا ضروری ہے {1} -DocType: Employee Checkin,Entry Grace Period Consequence,انٹری گریس پیریڈ کا نتیجہ DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,اس شفٹ میں تفویض کردہ ملازمین کے لئے 'ملازمین چیکن' پر مبنی حاضری کو نشان زد کریں۔ DocType: Asset,Disposal Date,ڈسپوزل تاریخ DocType: Service Level,Response and Resoution Time,جواب اور ردعمل کا وقت۔ @@ -7029,6 +7095,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,تکمیل کی تاریخ DocType: Purchase Invoice Item,Amount (Company Currency),رقم (کمپنی کرنسی) DocType: Program,Is Featured,نمایاں ہے۔ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,بازیافت کر رہا ہے… DocType: Agriculture Analysis Criteria,Agriculture User,زراعت کا صارف apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,تاریخ تک ٹرانزیکشن کی تاریخ سے پہلے درست نہیں ہوسکتا ہے 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} اس ٹرانزیکشن مکمل کرنے کے یونٹوں. @@ -7061,7 +7128,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,کل ادا AMT 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 آئٹمائزڈ سیلز رجسٹر @@ -7085,6 +7151,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,گمنام apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,کی طرف سے موصول DocType: Lead,Converted,تبدیل DocType: Item,Has Serial No,سیریل نہیں ہے +DocType: Stock Entry Detail,PO Supplied Item,پی او فراہم کردہ آئٹم 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} @@ -7196,7 +7263,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,ہم آہنگ ٹیکس او 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,{0} نہیں پایا کیلئے ڈیفالٹ BOM +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}: ترتیب مقدار مقرر کریں apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,انہیں یہاں شامل کرنے کے لئے اشیاء کو تھپتھپائیں @@ -7231,7 +7298,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,بحالی کی تاریخ DocType: Purchase Invoice Item,Rejected Serial No,مسترد سیریل نمبر apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,سال کے آغاز کی تاریخ یا تاریخ انتہاء {0} کے ساتھ اتیویاپی ہے. سے بچنے کے لئے مقرر کی کمپنی کے لئے براہ مہربانی -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,براہ کرم حاضری کے لئے نمبر بندی سیریز سیٹ اپ> نمبرنگ سیریز کے ذریعے ترتیب دیں۔ apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},براہ کرم لیڈ نام {0} میں ذکر کریں. apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},شے کے لئے ختم ہونے کی تاریخ سے کم ہونا چاہئے شروع کرنے کی تاریخ {0} DocType: Shift Type,Auto Attendance Settings,خود حاضری کی ترتیبات۔ @@ -7288,6 +7354,7 @@ DocType: Fees,Student Details,طالب علم کی تفصیلات DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",یہ آئٹمز اور سیلز آرڈرز کے لئے استعمال شدہ ڈیفالٹ UOM ہے۔ فال بیک UOM "Nos" ہے۔ DocType: Purchase Invoice Item,Stock Qty,اسٹاک قی DocType: Purchase Invoice Item,Stock Qty,اسٹاک قی +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Ctrl+Enter to submit,جمع کرنے کیلئے Ctrl + درج کریں DocType: Contract,Requires Fulfilment,مکمل ضرورت ہے DocType: QuickBooks Migrator,Default Shipping Account,پہلے سے طے شدہ شپنگ اکاؤنٹ DocType: Loan,Repayment Period in Months,مہینے میں واپسی کی مدت @@ -7316,6 +7383,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise ڈسکاؤنٹ apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,کاموں کے لئے Timesheet. DocType: Purchase Invoice,Against Expense Account,اخراجات کے اکاؤنٹ کے خلاف apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,تنصیب نوٹ {0} پہلے ہی پیش کیا گیا ہے +DocType: BOM,Raw Material Cost (Company Currency),خام مال کی لاگت (کمپنی کی کرنسی) DocType: GSTR 3B Report,October,اکتوبر۔ DocType: Bank Reconciliation,Get Payment Entries,ادائیگی لکھے حاصل کریں DocType: Quotation Item,Against Docname,Docname خلاف @@ -7362,15 +7430,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,استعمال کی تاریخ کے لئے دستیاب ہے DocType: Request for Quotation,Supplier Detail,پردایک تفصیل apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},فارمولا یا حالت میں خرابی: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,انوائس کی رقم +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,انوائس کی رقم apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,معیار کے وزن 100٪ apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,حاضری apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,اسٹاک اشیا DocType: Sales Invoice,Update Billed Amount in Sales Order,سیلز آرڈر میں بل شدہ رقم اپ ڈیٹ کریں +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,بیچنے والے سے رابطہ کریں 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,براہ کرم اس آئٹم کی اطلاع دینے کے لئے کسی بازار کے صارف کے بطور لاگ ان ہوں۔ ,Sales Partner Commission Summary,سیلز پارٹنر کمیشن کا خلاصہ۔ ,Item Prices,آئٹم کی قیمتوں میں اضافہ DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,آپ کی خریداری آرڈر کو بچانے کے ایک بار الفاظ میں نظر آئے گا. @@ -7383,6 +7453,7 @@ DocType: Dosage Form,Dosage Form,خوراک کی شکل apps/erpnext/erpnext/config/buying.py,Price List master.,قیمت کی فہرست ماسٹر. DocType: Task,Review Date,جائزہ تاریخ DocType: BOM,Allow Alternative Item,متبادل آئٹم کی اجازت دیں +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,خریداری کی رسید میں ایسا کوئی آئٹم نہیں ہے جس کے لئے دوبارہ برقرار رکھنے والا نمونہ فعال ہو۔ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,انوائس گرینڈ ٹوٹل DocType: Company,Series for Asset Depreciation Entry (Journal Entry),اثاثہ قیمتوں کا تعین داخلہ (جرنل انٹری) کے لئے سیریز DocType: Membership,Member Since,چونکہ اراکین @@ -7390,6 +7461,7 @@ DocType: Purchase Invoice,Advance Payments,ایڈوانس ادائیگی apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please select Healthcare Service,براہ کرم ہیلتھ کیئر سروس منتخب کریں DocType: Purchase Taxes and Charges,On Net Total,نیٹ کل پر DocType: Pricing Rule,Product Discount Scheme,پروڈکٹ ڈسکاؤنٹ اسکیم +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,کال کرنے والے کی طرف سے کوئی مسئلہ نہیں اٹھایا گیا ہے۔ DocType: Restaurant Reservation,Waitlisted,انتظار کیا DocType: Employee Tax Exemption Declaration Category,Exemption Category,چھوٹ کی قسم apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,کرنسی کسی دوسرے کرنسی استعمال اندراجات کرنے کے بعد تبدیل کر دیا گیا نہیں کیا جا سکتا @@ -7403,7 +7475,6 @@ DocType: Customer Group,Parent Customer Group,والدین گاہک گروپ apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,ای وے بل جے ایسون صرف سیل انوائس سے تیار کیا جاسکتا ہے۔ apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,اس کوئز کیلئے زیادہ سے زیادہ کوششیں ہوگئی! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,سبسکرائب کریں -DocType: Purchase Invoice,Contact Email,رابطہ ای میل apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,فیس تخلیق کی منتقلی DocType: Project Template Task,Duration (Days),دورانیہ (دن) DocType: Appraisal Goal,Score Earned,سکور حاصل کی @@ -7429,7 +7500,6 @@ DocType: Landed Cost Item,Landed Cost Item,لینڈڈ شے کی قیمت 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions",ایک ہی لین دین کی رقم زیادہ سے زیادہ اجازت شدہ رقم سے زیادہ ہے ، لین دین کو تقسیم کرکے الگ ادائیگی کا آرڈر بنائیں۔ DocType: Service Level Agreement,Entity,ہستی DocType: Payment Reconciliation,Receivable / Payable Account,وصولی / قابل ادائیگی اکاؤنٹ DocType: Delivery Note Item,Against Sales Order Item,سیلز آرڈر آئٹم خلاف @@ -7596,6 +7666,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,دس DocType: Quality Inspection Reading,Reading 3,3 پڑھنا DocType: Stock Entry,Source Warehouse Address,ماخذ گودام ایڈریس DocType: GL Entry,Voucher Type,واؤچر کی قسم +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,مستقبل کی ادائیگی 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 ,آخری سرگرمی @@ -7622,6 +7693,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,میدان پر موجود بیماریوں کی فہرست. جب منتخب ہوجائے تو یہ خود بخود کاموں کی فہرست میں اضافہ کرے گی تاکہ بیماری سے نمٹنے کے لئے +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,یہ جڑ صحت کی دیکھ بھال سروس یونٹ ہے اور اس میں ترمیم نہیں کیا جاسکتا ہے. DocType: Asset Repair,Repair Status,مرمت کی حیثیت apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",درخواست کردہ مقدار: مقدار میں خریداری کے لئے درخواست کی گئی ، لیکن حکم نہیں دیا گیا۔ @@ -7636,6 +7708,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,رقم تبدیلی کے لئے اکاؤنٹ DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks سے منسلک DocType: Exchange Rate Revaluation,Total Gain/Loss,کل حاصل / نقصان +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,منتخب فہرست بنائیں۔ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},صف {0}: پارٹی / اکاؤنٹ کے ساتھ میل نہیں کھاتا {1} / {2} میں {3} {4} DocType: Employee Promotion,Employee Promotion,ملازم فروغ DocType: Maintenance Team Member,Maintenance Team Member,بحالی ٹیم کے رکن @@ -7717,6 +7790,7 @@ 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,ایسیٹ زمرہ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,نیٹ تنخواہ منفی نہیں ہو سکتا @@ -7748,7 +7822,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,کوالٹی گول۔ DocType: BOM,Item to be manufactured or repacked,آئٹم تیار یا repacked جائے کرنے کے لئے apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},حالت میں مطابقت پذیری غلطی: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,گاہک کی طرف سے کوئی مسئلہ نہیں اٹھایا گیا۔ DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST -YYYY.- DocType: Employee Education,Major/Optional Subjects,میجر / اختیاری مضامین apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,براہ کرم خریداروں کی خریداری کی ترتیبات میں سیٹ کریں. @@ -7841,8 +7914,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,کریڈٹ دنوں apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,لیب ٹیسٹ حاصل کرنے کے لئے مریض کا انتخاب کریں DocType: Exotel Settings,Exotel Settings,ایکسٹل کی ترتیبات۔ -DocType: Leave Type,Is Carry Forward,فارورڈ لے +DocType: Leave Ledger Entry,Is Carry Forward,فارورڈ لے DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),کام کے اوقات جن کے نیچے غیر حاضر کو نشان زد کیا گیا ہے۔ (غیر فعال کرنے کے لئے زیرو) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,پیغام بھیجو apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,BOM سے اشیاء حاصل 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,آمدنی ٹیک خرچ ہے diff --git a/erpnext/translations/uz.csv b/erpnext/translations/uz.csv index 81fe50ae02..d05c6ffd46 100644 --- a/erpnext/translations/uz.csv +++ b/erpnext/translations/uz.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Yetkazib beruvchini xabardor qiling apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,"Marhamat qilib, avval Teri turini tanlang" DocType: Item,Customer Items,Xaridor elementlari +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Majburiyatlar DocType: Project,Costing and Billing,Xarajatlar va billing apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Advance hisobvarag'ining valyutasi kompaniyaning valyutasi {0} DocType: QuickBooks Migrator,Token Endpoint,Token Endpoint @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Standart o'lchov birligi DocType: SMS Center,All Sales Partner Contact,Barcha Sotuvdagi hamkori bilan aloqa DocType: Department,Leave Approvers,Tasdiqlovchilar qoldiring DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Izlash ... DocType: Patient Encounter,Investigations,Tadqiqotlar DocType: Restaurant Order Entry,Click Enter To Add,Qo'shish uchun Enter ni bosing apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Parol, API kaliti yoki URL manzilini sotish uchun nuqsonli qiymat" DocType: Employee,Rented,Ijaraga olingan apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Barcha Hisoblar apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Xodimga statusni chapga bera olmaysiz -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","To'xtatilgan ishlab chiqarish tartibi bekor qilinishi mumkin emas, bekor qilish uchun avval uni to'xtatib turish" DocType: Vehicle Service,Mileage,Yugurish apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Haqiqatan ham ushbu obyektni yo'qotmoqchimisiz? DocType: Drug Prescription,Update Schedule,Jadvalni yangilash @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Xaridor DocType: Purchase Receipt Item,Required By,Kerakli DocType: Delivery Note,Return Against Delivery Note,Xatoga qarshi qaytib kelish Eslatma DocType: Asset Category,Finance Book Detail,Moliya kitobining tafsilotlari +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Barcha eskirgan narsalar bron qilingan DocType: Purchase Order,% Billed,% Hisoblangan apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Ish haqi raqami apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Ayirboshlash kursi {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Partiya mahsulotining amal qilish muddati apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Bank loyihasi DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Jami yozuvlar DocType: Mode of Payment Account,Mode of Payment Account,To'lov shakli hisob apps/erpnext/erpnext/config/healthcare.py,Consultation,Maslamat DocType: Accounts Settings,Show Payment Schedule in Print,Chop etish uchun to'lov jadvalini ko'rsating @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Om apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Birlamchi aloqa ma'lumotlari apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Muammolarni ochish DocType: Production Plan Item,Production Plan Item,Ishlab chiqarish rejasi elementi +DocType: Leave Ledger Entry,Leave Ledger Entry,Kassir yozuvini qoldiring apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},{0} {0} {{{}} foydalanuvchisi allaqachon tayinlangan -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0} maydoni {1} hajmi bilan cheklangan 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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,Mak DocType: Purchase Invoice Item,Item Weight Details,Og'irligi haqida ma'lumot DocType: Asset Maintenance Log,Periodicity,Muntazamlik apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Moliyaviy yil {0} talab qilinadi +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Sof foyda / zarar DocType: Employee Group Table,ERPNext User ID,ERPNext foydalanuvchi identifikatori DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Eng yaxshi o'sish uchun o'simliklar qatorlari orasidagi minimal masofa apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Belgilangan muolajani olish uchun Bemorni tanlang @@ -168,10 +172,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Sotuvlar narxlari DocType: Patient,Tobacco Current Use,Tamaki foydalanish apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Sotish darajasi -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Yangi hisob qo'shmasdan oldin hujjatni saqlang 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 ... 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 @@ -234,6 +238,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Pens DocType: Exchange Rate Revaluation Account,Gain/Loss,Daromad / yo'qotish DocType: Crop,Perennial,Ko'p yillik DocType: Program,Is Published,Nashr qilingan +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Yetkazib berish eslatmalarini ko'rsatish apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",Hisob-kitob orqali ortiqcha to'lovni amalga oshirishga ruxsat berish uchun Hisoblar sozlamalari yoki bandidagi "To'lovdan ortiq ruxsatnoma" ni yangilang. DocType: Patient Appointment,Procedure,Protsedura DocType: Accounts Settings,Use Custom Cash Flow Format,Maxsus pul oqimi formatini ishlatish @@ -264,7 +269,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Siyosat tafsilotlarini qoldiring DocType: BOM,Item Image (if not slideshow),Mavzu tasvir (agar slayd-shou bo'lmasa) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,"# {0} qator: {3} ish tartibidagi {2} qt tayyor mahsulot uchun {1} operatsiyasi tugallanmagan. Iltimos, ish holatini {4} ish kartasi orqali yangilang." -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","Pul o'tkazmasini to'lash uchun {0} majburiy bo'lib, maydonni belgilang va qaytadan urining" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Soat / 60) * Haqiqiy operatsiya vaqti apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,# {0} satri: Hujjatning Hujjat turi xarajat shikoyati yoki jurnali kiritmasidan biri bo'lishi kerak apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,BOM-ni tanlang @@ -284,6 +288,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Davr sonini qaytaring apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Ishlab chiqarish miqdori noldan kam bo'lmasligi kerak DocType: Stock Entry,Additional Costs,Qo'shimcha xarajatlar +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Xaridor> Mijozlar guruhi> Hudud apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Mavjud tranzaktsiyadagi hisobni guruhga aylantirish mumkin emas. DocType: Lead,Product Enquiry,Mahsulot so'rovnomasi DocType: Education Settings,Validate Batch for Students in Student Group,Talaba guruhidagi talabalar uchun partiyani tasdiqlash @@ -295,7 +300,9 @@ DocType: Employee Education,Under Graduate,Magistr darajasida apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Chiqish sozlamalari uchun Leave Status Notification holatini ko'rsatish uchun standart shablonni o'rnating. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Nishonni yoqing DocType: BOM,Total Cost,Jami xarajat +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Ajratish muddati tugadi! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Maksimal yo'naltirilgan barglarni tashish DocType: Salary Slip,Employee Loan,Xodimlarning qarzlari DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY.- MM.- DocType: Fee Schedule,Send Payment Request Email,To'lov uchun so'rov yuborish uchun E-mail @@ -305,6 +312,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,Ko `ch apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Hisob qaydnomasi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Dori vositalari DocType: Purchase Invoice Item,Is Fixed Asset,Ruxsat etilgan aktiv +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Kelgusi to'lovlarni ko'rsatish DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-YYYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Ushbu bank hisobi allaqachon sinxronlangan DocType: Homepage,Homepage Section,Bosh sahifa bo'lim @@ -350,7 +358,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Go'ng apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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." -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Iltimos, Ta'limni sozlashda o'qituvchiga nom berish tizimini sozlang" apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,POS-faktura uchun kamida bitta to'lov tartibi talab qilinadi. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},{0} qadoqlangan mahsulot uchun partiya talab qilinmaydi DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Bank deklaratsiyasi bitimining bitimi @@ -425,6 +432,7 @@ DocType: Job Offer,Select Terms and Conditions,Qoidalar va shartlarni tanlang apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Chiqish qiymati DocType: Bank Statement Settings Item,Bank Statement Settings Item,Bank deklaratsiyasi parametrlari elementi DocType: Woocommerce Settings,Woocommerce Settings,Woosommerce sozlamalari +DocType: Leave Ledger Entry,Transaction Name,Bitim nomi DocType: Production Plan,Sales Orders,Savdo buyurtmalarini apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,"Xaridor uchun bir nechta sodiqlik dasturi topildi. Iltimos, qo'lda tanlang." DocType: Purchase Taxes and Charges,Valuation,Baholash @@ -459,6 +467,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Faqat ushbu Mijozlar Guruhlarining Mijozlarini ko'rsatish DocType: Sales Invoice,Is Opening Entry,Kirish ochilmoqda @@ -467,8 +476,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Standart bo'lmagan debitorlik hisob-varag'i qo'llanishi mumkin 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 DocType: Supplier Scorecard,Criteria Setup,Kriterlarni o'rnatish -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Yuborishdan oldin ombor uchun talab qilinadi +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 DocType: Codification Table,Medical Code,Tibbiy kod apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Amazonni ERPNext bilan ulang @@ -484,7 +494,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Bank hisoblari qo'shildi -DocType: Delivery Stop,Contact Name,Kontakt nomi +DocType: Call Log,Contact Name,Kontakt nomi DocType: Plaid Settings,Synchronize all accounts every hour,Barcha hisoblarni har soatda sinxronlashtiring DocType: Course Assessment Criteria,Course Assessment Criteria,Kurs baholash mezonlari DocType: Pricing Rule Detail,Rule Applied,Qoida qo'llaniladi @@ -528,7 +538,6 @@ 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 № -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Noma'lum raqam DocType: Website Filter Field,Website Filter Field,Veb-sayt filtri maydoni apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Ta'minot turi DocType: Material Request Item,Min Order Qty,Eng kam Buyurtma miqdori @@ -556,7 +565,6 @@ DocType: Salary Slip,Total Principal Amount,Asosiy jami miqdori DocType: Student Guardian,Relation,Aloqalar DocType: Quiz Result,Correct,To'g'ri DocType: Student Guardian,Mother,Ona -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,"Iltimos, avval sayt_config.json-ga Plaid api tugmachalarini qo'shing" DocType: Restaurant Reservation,Reservation End Time,Rezervasyon tugash vaqti DocType: Crop,Biennial,Biennale ,BOM Variance Report,BOM Variants hisoboti @@ -572,6 +580,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},{0} {1} ga nisbatan to'lov Olingan miqdordan ortiq bo'lmasligi mumkin {2} @@ -619,12 +628,14 @@ DocType: POS Profile,Offline POS Settings,POS sozlamalari DocType: Stock Entry Detail,Reference Purchase Receipt,Malumot Xarid kvitansiyasi DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-YYYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,Variant Of -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Tugallangan Miqdor "Katta ishlab chiqarish" dan katta bo'lishi mumkin emas +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Tugallangan Miqdor "Katta ishlab chiqarish" dan katta bo'lishi mumkin emas +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Davr asoslangan DocType: Period Closing Voucher,Closing Account Head,Hisob boshini yopish DocType: Employee,External Work History,Tashqi ish tarixi apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Dairesel mos yozuvlar xatosi apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Isoning shogirdi hisoboti kartasi apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Pin kodidan +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Sotuvchi shaxsni ko'rsatish DocType: Appointment Type,Is Inpatient,Statsionarmi? apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1 Ismi DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Etkazib berish eslatmasini saqlaganingizdan so'ng so'zlar (eksport) ko'rinadi. @@ -637,6 +648,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,O'lchov nomi apps/erpnext/erpnext/healthcare/setup.py,Resistant,Chidamli apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},"Iltimos, Hotel Room Rate ni {} belgilang." +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: Journal Entry,Multi Currency,Ko'p valyuta DocType: Bank Statement Transaction Invoice Item,Invoice Type,Faktura turi apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Yaroqlilik muddati sanadan kam bo'lishi kerak @@ -656,6 +668,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Qabul qilingan DocType: Workstation,Rent Cost,Ijara haqi 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Kelgusi taqvim tadbirlari apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Variant xususiyatlari @@ -743,7 +756,6 @@ DocType: Request for Quotation,Request for Quotation,Buyurtma uchun so'rov 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Sotuvchini bosmaxonada ko'rsatish 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 @@ -751,7 +763,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Yangi xaridorni yarating apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Vaqt o'tishi bilan apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Agar bir nechta narx qoidalari ustunlik qila boshlasa, foydalanuvchilardan nizoni hal qilish uchun birinchi o'ringa qo'l o'rnatish talab qilinadi." -DocType: Purchase Invoice,Scan Barcode,Shtrix-kodni skanerlash apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Buyurtma buyurtmalarini yaratish ,Purchase Register,Xarid qilish Register apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Kasal topilmadi @@ -810,6 +821,7 @@ DocType: Lead,Channel Partner,Kanal hamkori DocType: Account,Old Parent,Eski ota-ona apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Majburiy maydon - Akademik yil apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} {2} {3} bilan bog'lanmagan +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} @@ -852,6 +864,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Zamonaviy ish haqi bo'yicha ish haqi komponenti. DocType: Driver,Applicable for external driver,Tashqi haydovchi uchun amal qiladi DocType: Sales Order Item,Used for Production Plan,Ishlab chiqarish rejasi uchun ishlatiladi +DocType: BOM,Total Cost (Company Currency),Umumiy xarajat (kompaniya valyutasi) DocType: Loan,Total Payment,Jami to'lov apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Tugallangan ish tartibi uchun jurnali bekor qilolmaydi. DocType: Manufacturing Settings,Time Between Operations (in mins),Operatsiyalar o'rtasida vaqt (daq.) @@ -873,6 +886,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Boshqa xabar berish DocType: Vital Signs,Blood Pressure (systolic),Qon bosimi (sistolik) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} bu {2} DocType: Item Price,Valid Upto,To'g'ri Upto +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. @@ -890,6 +904,7 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Administr 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0} -dagi o'zgarishlar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,"Iltimos, Kompaniya-ni tanlang" DocType: Employee Skill,Employee Skill,Xodimlarning malakasi apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Farq hisob @@ -933,6 +948,7 @@ DocType: Patient,Risk Factors,Xavf omillari DocType: Patient,Occupational Hazards and Environmental Factors,Kasbiy xavf va atrof-muhit omillari apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Ish tartibi uchun allaqachon yaratilgan aktsion yozuvlar apps/erpnext/erpnext/templates/pages/cart.html,See past orders,O'tgan buyurtmalarga qarang +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} suhbatlar DocType: Vital Signs,Respiratory rate,Nafas olish darajasi apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Subpudrat shartnomasini boshqarish DocType: Vital Signs,Body Temperature,Tana harorati @@ -974,6 +990,7 @@ DocType: Purchase Invoice,Registered Composition,Ro'yxatdan o'tgan kompo apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,Salom apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Ob'ektni siljiting DocType: Employee Incentive,Incentive Amount,Rag'batlantirish miqdori +,Employee Leave Balance Summary,Xodimlarning mehnat ta'tilining yakuniy xulosasi DocType: Serial No,Warranty Period (Days),Kafolat muddati (kunlar) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Jami kredit / debet miqdori Aloqador jurnallar bilan bir xil bo'lishi kerak DocType: Installation Note Item,Installation Note Item,O'rnatish Eslatma elementi @@ -987,6 +1004,7 @@ DocType: Vital Signs,Bloated,Buzilgan DocType: Salary Slip,Salary Slip Timesheet,Ish staji vaqt jadvalini apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Yetkazib beruvchi ombori subpudratli sotib olish uchun ariza uchun majburiydir DocType: Item Price,Valid From,Darvoqe +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Sizning reytingingiz: DocType: Sales Invoice,Total Commission,Jami komissiya DocType: Tax Withholding Account,Tax Withholding Account,Soliq to'lashni hisobga olish DocType: Pricing Rule,Sales Partner,Savdo hamkori @@ -994,6 +1012,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Barcha etkazib be 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 +DocType: Item,Website Image,Veb-saytdagi rasm apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,{0} qatoridagi maqsadli ombor Ish tartibi bilan bir xil bo'lishi kerak apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Ochiq aktsiyadorlik jamg'armasi kiritilgan taqdirda baholash mezonlari majburiydir apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,Billing-jadvalida yozuvlar topilmadi @@ -1028,8 +1047,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0},T 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Hisobingizni sinxronlashdan oldin Plaid API konfiguratsiyasini yakunlang 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 DocType: Job Applicant,Resume Attachment,Atamani qayta tiklash @@ -1041,7 +1060,6 @@ DocType: Production Plan,Production Plan,Ishlab chiqarish rejasi DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Billingni ochish vositasini ochish DocType: Salary Component,Round to the Nearest Integer,Eng yaqin butun songa aylantiring apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Sotishdan qaytish -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Eslatma: Ajratilgan jami {0} barglari davr uchun tasdiqlangan {1} barglaridan kam bo'lmasligi kerak DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Serial No Input ga asoslangan operatsiyalarda Miqdorni belgilash ,Total Stock Summary,Jami Qisqacha Xulosa DocType: Announcement,Posted By,Muallif tomonidan @@ -1067,6 +1085,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,Qim apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Asosiy miqdori DocType: Loan Application,Total Payable Interest,To'lanadigan foiz apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Umumiy natija: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Kontaktni oching DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Sotuvdagi taqdim etgan vaqt jadvalini 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 @@ -1076,6 +1095,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Standart taqdim etgan noml 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 DocType: Restaurant Reservation,Restaurant Reservation,Restoran rezervasyoni +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Sizning narsalaringiz apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Takliflarni Yozish DocType: Payment Entry Deduction,Payment Entry Deduction,To'lovni to'lashni kamaytirish DocType: Service Level Priority,Service Level Priority,Xizmat darajasi ustuvorligi @@ -1084,6 +1104,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Partiya raqami apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Boshqa bir Sotuvdagi Shaxs {0} bir xil xodim identifikatori mavjud DocType: Employee Advance,Claimed Amount,Da'vo qilingan miqdori +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Ajratish muddati tugaydi 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 @@ -1152,7 +1173,6 @@ DocType: Student Batch Name,Batch Name,Partiya nomi DocType: Fee Validity,Max number of visit,Tashrifning maksimal soni DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Daromad va yo'qotishlar uchun majburiy hisob ,Hotel Room Occupancy,Mehmonxona xonasi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Tuzilish sahifasi: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},"Iltimos, odatdagi Cash yoki Bank hisobini {0} To'lov tartibi rejimida tanlang." apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Ro'yxatga olish DocType: GST Settings,GST Settings,GST sozlamalari @@ -1283,6 +1303,7 @@ DocType: Sales Invoice,Commission Rate (%),Komissiya darajasi (%) apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,"Iltimos, Dasturni tanlang" DocType: Project,Estimated Cost,Bashoratli narxlar DocType: Request for Quotation,Link to material requests,Materiallar so'rovlariga havola +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Nashr qiling apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Aerokosmos ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Kompartiyalari [FEC] DocType: Journal Entry,Credit Card Entry,Kredit kartalarini rasmiylashtirish @@ -1309,6 +1330,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Joriy aktivlar apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} - bu aksiya elementi emas apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',""Ta'lim bo'yicha hisobot" ni bosing, so'ngra "Yangi"" +DocType: Call Log,Caller Information,Qo'ng'iroqlar haqida ma'lumot DocType: Mode of Payment Account,Default Account,Standart hisob apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Avval Stok Sozlamalarida Sample Retention Warehouse-ni tanlang apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,"Iltimos, bir nechta yig'ish qoidalari uchun bir nechta darajali dastur turini tanlang." @@ -1333,6 +1355,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Avtomatik material talablari yaratildi DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Yarim kun belgilangan ish vaqti. (O'chirish uchun nol) DocType: Job Card,Total Completed Qty,Jami bajarilgan Qty +DocType: HR Settings,Auto Leave Encashment,Avtomatik chiqib ketish inkassatsiyasi apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Yo'qotilgan apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,"Jurnalga qarshi" ustunidan hozirgi kvotani kirita olmaysiz DocType: Employee Benefit Application Detail,Max Benefit Amount,Maksimal foyda miqdori @@ -1362,9 +1385,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Abonent DocType: Item Attribute Value,Item Attribute Value,Mavzu xususiyati qiymati apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Valyuta almashinuvi xarid yoki sotish uchun tegishli bo'lishi kerak. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Faqat muddati o'tgan ajratish bekor qilinishi mumkin DocType: Item,Maximum sample quantity that can be retained,Tutilishi mumkin bo'lgan maksimal namuna miqdori apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},{0} # 1-satr {1} -chi satr {3} Xarid buyurtmasiga qarshi {2} dan ortiq o'tkazilmaydi. apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Savdo kampaniyalari. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Noma’lum qo‘ng‘iroqchi DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1396,6 +1421,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Sog'liq apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc nomi DocType: Expense Claim Detail,Expense Claim Type,Xarajat shikoyati turi DocType: Shopping Cart Settings,Default settings for Shopping Cart,Savatga savatni uchun standart sozlamalar +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Elementni saqlang apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Yangi xarajatlar apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Mavjud buyurtma qilingan Qty ga e'tibor bermang apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Timeslots-ni qo'shish @@ -1408,6 +1434,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Taklifni ko'rib chiqish yuborildi DocType: Shift Assignment,Shift Assignment,Shift tayinlash DocType: Employee Transfer Property,Employee Transfer Property,Xodimlarning transfer huquqi +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Kapital / javobgarlik hisobi maydoni bo'sh bo'lishi mumkin emas apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Vaqtdan oz vaqtgacha bo'lishi kerak apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Biotexnologiya apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1489,11 +1516,13 @@ 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Kurs jadvali DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B hisoboti DocType: Request for Quotation Supplier,Quote Status,Iqtibos holati DocType: GoCardless Settings,Webhooks Secret,Webhooks Secret DocType: Maintenance Visit,Completion Status,Tugatish holati +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Umumiy to'lov miqdori {} dan ko'p bo'lmasligi kerak DocType: Daily Work Summary Group,Select Users,Foydalanuvchilarni tanlang DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,Mehmonxona xonasi narxlanish elementi DocType: Loyalty Program Collection,Tier Name,Tizim nomi @@ -1531,6 +1560,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST miq DocType: Lab Test Template,Result Format,Natijada formati DocType: Expense Claim,Expenses,Xarajatlar DocType: Service Level,Support Hours,Qo'llab-quvvatlash soatlari +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Etkazib berish eslatmalar DocType: Item Variant Attribute,Item Variant Attribute,Variant xususiyati ,Purchase Receipt Trends,Qabul rejasi xaridlari DocType: Payroll Entry,Bimonthly,Ikki oyda @@ -1553,7 +1583,6 @@ DocType: Sales Team,Incentives,Rag'batlantirish DocType: SMS Log,Requested Numbers,Talab qilingan raqamlar DocType: Volunteer,Evening,Oqshom DocType: Quiz,Quiz Configuration,Viktorina sozlamalari -DocType: Customer,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 @@ -1600,7 +1629,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Ayirbos ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Operatsion {1} uchun keyingi {0} kunda Time Slotni topib bo'lmadi DocType: Work Order,Plan material for sub-assemblies,Sub-assemblies uchun rejalashtirilgan material 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 @@ -1615,9 +1643,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Qayta buyurtma darajasini saqlab qolish uchun siz Fond sozlamalarida avtomatik tartibda buyurtma berishingiz kerak. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Materialni bekor qilish Bu Xizmat tashrifini bekor qilishdan avval {0} tashrif DocType: Pricing Rule,Rate or Discount,Tezlik yoki chegirma +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Bank rekvizitlari DocType: Vital Signs,One Sided,Bir tomonlama apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},No {0} seriyasi {1} mahsulotiga tegishli emas -DocType: Purchase Receipt Item Supplied,Required Qty,Kerakli son +DocType: Purchase Order Item Supplied,Required Qty,Kerakli son DocType: Marketplace Settings,Custom Data,Maxsus ma'lumotlar apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Mavjud bitimlarga ega bo'lgan omborlar kitobga o'tkazilmaydi. DocType: Service Day,Service Day,Xizmat kuni @@ -1645,7 +1674,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Hisob valyutasi DocType: Lab Test,Sample ID,Namuna identifikatori apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,"Iltimos, kompaniyadagi Yagona hisob qaydnomasidan foydalaning" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_not_amt DocType: Purchase Receipt,Range,Oralig'i DocType: Supplier,Default Payable Accounts,To'lanadigan qarz hisoblari apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Xodim {0} faol emas yoki mavjud emas @@ -1686,8 +1714,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Ma'lumot uchun ma'lumot DocType: Course Activity,Activity Date,Faoliyat sanasi apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} ning {} -,LeaderBoard,LeaderBoard DocType: Sales Invoice Item,Rate With Margin (Company Currency),Ayirboshlash kursi (Kompaniya valyutasi) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Toifalar apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Oflayn xaritalarni sinxronlash DocType: Payment Request,Paid,To'langan DocType: Service Level,Default Priority,Birlamchi ustuvorlik @@ -1722,11 +1750,11 @@ DocType: Agriculture Task,Agriculture Task,Qishloq xo'jaligi masalalari apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Bilvosita daromad DocType: Student Attendance Tool,Student Attendance Tool,Isoning shogirdi qatnashish vositasi DocType: Restaurant Menu,Price List (Auto created),Narxlar ro'yxati (Avtomatik yaratilgan) +DocType: Pick List Item,Picked Qty,Qty tanladi DocType: Cheque Print Template,Date Settings,Sana Sozlamalari 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 -,Company Name,kopmaniya nomi 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. @@ -1745,7 +1773,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,So'nggi urinish 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. -DocType: BOM,Raw Material Cost(Company Currency),Xomashyo narxlari (Kompaniya valyutasi) 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 @@ -1812,6 +1839,7 @@ DocType: Travel Itinerary,Train,Qatar ,Delayed Item Report,Kechiktirilgan mahsulot haqida hisobot apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,Muvofiq ITC DocType: Healthcare Service Unit,Inpatient Occupancy,Statsionar joylashtirish +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Birinchi buyumlaringizni nashr eting DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC - .YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Ishtirok etish uchun tekshirish hisobga olingan smena tugaganidan keyin vaqt. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},"Iltimos, {0}" @@ -1927,6 +1955,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Barcha BOMlar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Inter Company jurnaliga yozuv yarating DocType: Company,Parent Company,Bosh kompaniya apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},{0} turidagi mehmonxona xonalarida {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,Xom ashyo va operatsiyalardagi o'zgarishlar uchun BOMlarni taqqoslang apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,{0} hujjati muvaffaqiyatli aniqlanmadi DocType: Healthcare Practitioner,Default Currency,Standart valyuta apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Ushbu hisobni yarating @@ -1961,6 +1990,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-formasi faktura detallari DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,To'lovni tasdiqlash uchun schyot-faktura DocType: Clinical Procedure,Procedure Template,Hujjat shablonni +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Mahsulotlarni chop etish apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Qatnashish% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Buyurtma buyurtma qilish sharti bilan sotib olish buyurtmasi bo'yicha == 'YES' bo'lsa, u holda Xarid-fakturani yaratishda foydalanuvchi avval {0}" ,HSN-wise-summary of outward supplies,HSN-donasi - tashqi manbalar sarlavhalari @@ -1973,7 +2003,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',"Iltimos, "Qo'shimcha chegirmalarni yoqish"" DocType: Party Tax Withholding Config,Applicable Percent,Amaliy foiz ,Ordered Items To Be Billed,Buyurtma qilingan narsalar to'lanishi kerak -DocType: Employee Checkin,Exit Grace Period Consequence,Imtiyozli davr oqibatlaridan chiqish apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Qatordan oraliq oralig'idan kam bo'lishi kerak DocType: Global Defaults,Global Defaults,Global standartlar apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Loyiha hamkorlik taklifi @@ -1981,13 +2010,11 @@ DocType: Salary Slip,Deductions,Tahlikalar DocType: Setup Progress Action,Action Name,Ro'yxatdan o'tish nomi apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Boshlanish yili apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Kredit yaratish -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Joriy hisob-kitob davri boshlanish sanasi DocType: Shift Type,Process Attendance After,Jarayonga keyin ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,To'lovsiz qoldiring DocType: Payment Request,Outward,Tashqaridan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Imkoniyatlarni rejalashtirish xatosi apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Davlat / UT solig'i ,Trial Balance for Party,Tomonlar uchun sinov balansi ,Gross and Net Profit Report,Yalpi va sof foyda haqida hisobot @@ -2006,7 +2033,6 @@ DocType: Payroll Entry,Employee Details,Xodimlarning tafsilotlari 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 -DocType: Setup Progress Action,Domains,Domenlar 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 @@ -2049,7 +2075,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Ota-onalar 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.",To'lov tartibi sozlanmagan. Hisobni to'lov usulida yoki Qalin profilda o'rnatganligini tekshiring. apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Xuddi shu element bir necha marta kiritilmaydi. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Boshqa hisoblar Guruhlar ostida amalga oshirilishi mumkin, lekin guruhlar bo'lmagan guruhlarga qarshi yozuvlar kiritilishi mumkin" -DocType: Email Campaign,Lead,Qo'rg'oshin +DocType: Call Log,Lead,Qo'rg'oshin DocType: Email Digest,Payables,Qarzlar DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,Elektron pochta kampaniyasi @@ -2061,6 +2087,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Buyurtma buyurtmalarini sotib olish uchun to'lovlar 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 DocType: Purchase Invoice Item,Net Rate,Sof kurs apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,"Iltimos, mijozni tanlang" DocType: Leave Policy,Leave Allocations,Taqdimot qoldiring @@ -2074,6 +2101,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Kunlardan keyin muammoni yoping ,Eway Bill,Evey Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,Foydalanuvchilarni Marketplace'ga qo'shish uchun tizim menejeri va element menejeri vazifalarini bajaradigan foydalanuvchi bo'lishingiz kerak. +DocType: Attendance,Early Exit,Erta chiqish DocType: Job Opening,Staffing Plan,Xodimlar rejasi apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON faqat taqdim qilingan hujjat asosida yaratilishi mumkin apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Xodimlarga soliq va imtiyozlar @@ -2094,6 +2122,7 @@ DocType: Maintenance Team Member,Maintenance Role,Xizmat roli apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Shu {1} bilan {0} qatorini nusxalash DocType: Marketplace Settings,Disable Marketplace,Bozorni o'chirib qo'ying DocType: Quality Meeting,Minutes,Daqiqalar +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Siz tanlagan buyumlar ,Trial Balance,Sinov balansi apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Shou tugadi apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Moliyaviy yil {0} topilmadi @@ -2103,8 +2132,8 @@ 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" DocType: Contract,Fulfilment Deadline,Tugatish muddati +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,Yoningizda DocType: Student,O-,O- -DocType: Shift Type,Consequence,Oqibati DocType: Subscription Settings,Subscription Settings,Obuna sozlamalari DocType: Purchase Invoice,Update Auto Repeat Reference,Avto-takroriy referatni yangilang apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Majburiy bo'lmagan bayramlar ro'yxati {0} dam olish muddati uchun o'rnatilmadi @@ -2115,7 +2144,6 @@ DocType: Maintenance Visit Purpose,Work Done,Ish tugadi apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,"Iltimos, atributlar jadvalidagi kamida bitta xususiyatni ko'rsating" DocType: Announcement,All Students,Barcha talabalar apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,{0} elementi qimmatli bo'lmagan mahsulot bo'lishi kerak -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Bank Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Ledger-ni ko'rib chiqing DocType: Grading Scale,Intervals,Intervallar DocType: Bank Statement Transaction Entry,Reconciled Transactions,Qabul qilingan operatsiyalar @@ -2151,6 +2179,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Imkoniyat elementi DocType: Quality Action,Quality Review,Sifatni ko'rib chiqish @@ -2177,7 +2206,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Katta foyda olish -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Savdo Buyurtmani {0} haqiqiy emas +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,Xarid qilish buyurtmalari xaridlarni rejalashtirish va kuzatib borishingizga yordam beradi apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Laboratoriya testlari retseptlari @@ -2202,6 +2231,7 @@ DocType: Employee Onboarding,Notify users by email,Foydalanuvchilarni elektron p DocType: Travel Request,International,Xalqaro DocType: Training Event,Training Event,O'quv mashg'uloti DocType: Item,Auto re-order,Avtomatik buyurtma +DocType: Attendance,Late Entry,Kech kirish apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Jami erishildi DocType: Employee,Place of Issue,Kim tomonidan berilgan DocType: Promotional Scheme,Promotional Scheme Price Discount,Rag'batlantiruvchi sxemasi narx chegirmasi @@ -2248,6 +2278,7 @@ DocType: Serial No,Serial No Details,Seriya No Details DocType: Purchase Invoice Item,Item Tax Rate,Soliq to'lovi stavkasi apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Partiya nomidan apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Ish haqining aniq miqdori +DocType: Pick List,Delivery against Sales Order,Sotish buyurtmasiga qarshi etkazib berish DocType: Student Group Student,Group Roll Number,Guruh Rulksi raqami apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",{0} uchun faqat kredit hisoblari boshqa to'lov usullariga bog'liq bo'lishi mumkin apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Delivery Note {0} is not submitted,Yetkazib berish eslatmasi {0} yuborilmadi @@ -2319,7 +2350,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Ushbu qiymat proportsan temporis hisoblash uchun ishlatiladi apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Savatga savatni faollashtirishingiz kerak DocType: Payment Entry,Writeoff,Hisobdan o'chirish DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2333,6 +2363,7 @@ DocType: Delivery Trip,Total Estimated Distance,Jami taxminiy masofa DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Debitorlik qarzlari to'lanmagan hisob DocType: Tally Migration,Tally Company,Tally kompaniyasi apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM brauzeri +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},{0} uchun buxgalteriya o'lchamini yaratishga ruxsat berilmagan apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,"Iltimos, ushbu mashg'ulot uchun statusingizni yangilang" DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Qo'shish yoki cheklash @@ -2342,7 +2373,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Faol bo'lmagan savdo buyumlari DocType: Quality Review,Additional Information,Qo'shimcha ma'lumot apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Umumiy Buyurtma qiymati -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Xizmat darajasi bo'yicha kelishuvni tiklash. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Ovqat apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Qarish oralig'i 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Qalin yopish voucher tafsilotlari @@ -2389,6 +2419,7 @@ 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 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 DocType: Healthcare Practitioner,Contacts and Address,Kontaktlar va manzil DocType: Shift Type,Determine Check-in and Check-out,Belgilangan joyni va tekshiruvni aniqlang @@ -2408,7 +2439,6 @@ DocType: Student Admission,Eligibility and Details,Imtiyoz va tafsilotlar apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Yalpi foyda ichiga kiritilgan apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Ruxsat etilgan aktivlardagi aniq o'zgarish apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Mijoz kodi apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,{0} qatoridagi "Haqiqiy" turidagi to'lovni "Oddiy qiymat" ga qo'shish mumkin emas apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Maks: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Datetime'dan @@ -2476,6 +2506,7 @@ DocType: Journal Entry Account,Account Balance,Hisob balansi apps/erpnext/erpnext/config/accounting.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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},"{0} {1}: Xaridor, oladigan hisobiga qarshi {2}" DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Jami soliqlar va yig'imlar (Kompaniya valyutasi) DocType: Weather,Weather Parameter,Ob-havo parametrlari @@ -2536,6 +2567,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Ish vaqti yo'qligi uc apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,O'tkazilgan jami sarf-xarajatlar asosida bir necha bosqichli yig'ish omili bo'lishi mumkin. Lekin to'lovni qabul qilish faktori barcha qatlam uchun hamisha bir xil bo'ladi. apps/erpnext/erpnext/config/help.py,Item Variants,Variant variantlari apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Xizmatlar +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,E-pochtani ish haqi xodimiga aylantirish DocType: Cost Center,Parent Cost Center,Ota-xarajatlar markazi @@ -2546,7 +2578,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields",Xa DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Taqdimotda Shopify'dan etkazib berish eslatmalarini import qilish apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Yopiq ko'rsatilsin DocType: Issue Priority,Issue Priority,Muammoning ustuvorligi -DocType: Leave Type,Is Leave Without Pay,To'lovsiz qoldirish +DocType: Leave Ledger Entry,Is Leave Without Pay,To'lovsiz qoldirish apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Assot kategoriyasi Ruxsat etilgan obyektlar uchun majburiydir DocType: Fee Validity,Fee Validity,Ish haqi amal qilish muddati @@ -2595,6 +2627,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,QXIdagi mavjud omma apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Bosib chiqarish formatini yangilang DocType: Bank Account,Is Company Account,Kompaniya hisob raqami apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,{0} to`xtab turish imkoniyati mavjud emas +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Kompaniya uchun kredit limiti allaqachon aniqlangan {0} DocType: Landed Cost Voucher,Landed Cost Help,Yo'lga tushgan xarajatli yordam DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-YYYYY.- DocType: Purchase Invoice,Select Shipping Address,Yuk tashish manzilini tanlang @@ -2619,6 +2652,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Ikki tomonlama DocType: Item,Manufacturers,Ishlab chiqaruvchilar @@ -2655,7 +2689,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Bank kelishuvi bayonoti DocType: Patient Encounter,Medical Coding,Tibbiy kodlash DocType: Healthcare Settings,Reminder Message,Eslatma xabar -,Lead Name,Qurilish nomi +DocType: Call Log,Lead Name,Qurilish nomi ,POS,Qalin DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Tadqiqotlar @@ -2687,12 +2721,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Yetkazib beruvchi ombori DocType: Opportunity,Contact Mobile No,Mobil raqami bilan bog'laning apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Kompaniya-ni tanlang ,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: 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- 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} foydalanuvchida hech qanday standart qalin profil mavjud emas. Ushbu foydalanuvchi uchun Row {1} -dan standartni tekshiring. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Sifatli uchrashuv protokoli +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Ta'minotchi> Ta'minotchi turi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Xodimga murojaat DocType: Student Group,Set 0 for no limit,Hech qanday chegara uchun 0-ni tanlang apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Dam olish uchun ariza topshirgan kun (lar) bayramdir. Siz ta'tilga ariza berishingiz shart emas. @@ -2724,12 +2760,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Naqd pulning aniq o'zgarishi DocType: Assessment Plan,Grading Scale,Baholash o'lchovi apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,O'lchov birligi {0} bir necha marta kiritilgan -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,To'liq bajarildi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Al-Qoida apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component","Iltimos, qolgan imtiyozlarni "{0}" ga ilova sifatida qo'shing" apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',"Iltimos, davlat boshqaruvining '% s' uchun soliq kodini belgilang." -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},To'lov bo'yicha so'rov allaqachon {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Chiqarilgan mahsulotlarning narxi DocType: Healthcare Practitioner,Hospital,Kasalxona apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Miqdori {0} dan ortiq bo'lmasligi kerak @@ -2774,6 +2808,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Kadrlar bo'limi apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Yuqori daromad DocType: Item Manufacturer,Item Manufacturer,Mahsulot ishlab chiqaruvchisi +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Yangi qo'rg'oshin yarating DocType: BOM Operation,Batch Size,Paket hajmi apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Rad etish DocType: Journal Entry Account,Debit in Company Currency,Kompaniya valyutasidagi debet @@ -2794,9 +2829,11 @@ DocType: Bank Transaction,Reconciled,Yarashdi DocType: Expense Claim,Total Amount Reimbursed,To'lov miqdori to'langan apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,"Bu, ushbu avtomobilga qarshi jurnallarga asoslangan. Tafsilotlar uchun quyidagi jadvalga qarang" apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Ish beruvchining hisob-kitob tarixi xodimning ishga tushirilishidan kam bo'lmasligi kerak +DocType: Pick List,Item Locations,Element joylari apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} yaratildi apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",{0} belgilash uchun ish joylari allaqachon ochilgan yoki ishga yollanish {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Siz 200 tagacha mahsulotni nashr qilishingiz mumkin. DocType: Vital Signs,Constipated,Qabirlangan apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},{1} {0} etkazib beruvchi hisob-fakturasiga qarshi DocType: Customer,Default Price List,Standart narx ro'yxati @@ -2888,6 +2925,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,Shift haqiqiy boshlanishi DocType: Tally Migration,Is Day Book Data Imported,Kunlik kitob ma'lumotlari import qilinadi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Marketing xarajatlari +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} {1} birliklari mavjud emas. ,Item Shortage Report,Mavzu kamchiliklari haqida hisobot 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" @@ -2910,6 +2948,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 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 DocType: Material Request,Transferred,O'tkazildi DocType: Vehicle,Doors,Eshiklar @@ -2989,7 +3028,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Xaridorning mahsulot kodi DocType: Stock Reconciliation,Stock Reconciliation,Qimmatli qog'ozlar bilan kelishuv DocType: Territory,Territory Name,Hududning nomi DocType: Email Digest,Purchase Orders to Receive,Qabul qilish buyurtmalarini sotib olish -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Yuborishdan oldin ishlaydigan ishlab chiqarish ombori talab qilinadi +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Yuborishdan oldin ishlaydigan ishlab chiqarish ombori talab qilinadi apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Obunada faqat bitta hisob-kitob davriga ega Planlar mavjud DocType: Bank Statement Transaction Settings Item,Mapped Data,Maplangan ma'lumotlar DocType: Purchase Order Item,Warehouse and Reference,QXI va Yo'naltiruvchi @@ -3063,6 +3102,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Yetkazib berish sozlamalari apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Ma'lumotlarni olish apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},{0} turidagi ruxsat etilgan maksimal ruxsatnoma {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,1 ta mahsulotni nashr qiling DocType: SMS Center,Create Receiver List,Qabul qiluvchining ro'yxatini yaratish DocType: Student Applicant,LMS Only,Faqat LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Foydalanishga tayyor bo'lgan sana xarid tarixidan keyin bo'lishi kerak @@ -3096,6 +3136,7 @@ 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 DocType: Vital Signs,Furry,Furry apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},{0} da kompaniyadagi aktivlarni yo'qotish bo'yicha 'Qimmatli / +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} @@ -3107,6 +3148,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},{0} dan barcha muammolarni ko'rish DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,Sifatli uchrashuv jadvali +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/templates/pages/help.html,Visit the forums,Forumlarga tashrif buyuring DocType: Student,Student Mobile Number,Isoning shogirdi mobil raqami DocType: Item,Has Variants,Varyantlar mavjud @@ -3117,9 +3159,11 @@ apps/erpnext/erpnext/public/js/utils.js,You have already selected items from {0} DocType: Monthly Distribution,Name of the Monthly Distribution,Oylik tarqatish nomi DocType: Quality Procedure Process,Quality Procedure Process,Sifat jarayoni apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,Partiya identifikatori majburiydir +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Avval mijozni tanlang DocType: Sales Person,Parent Sales Person,Ota-savdogar apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Qabul qilinadigan hech qanday ma'lumot kechikmaydi apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Sotuvchi va xaridor bir xil bo'lishi mumkin emas +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Hozircha hech qanday fikr yo'q DocType: Project,Collect Progress,Harakatlanishni to'plash DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Avval dasturni tanlang @@ -3141,11 +3185,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Saqlandi DocType: Student Admission,Application Form Route,Ariza shakli apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Shartnomaning tugash sanasi bugungi kundan kam bo'lmasligi kerak. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Yuborish uchun Ctrl + Enter ni bosing DocType: Healthcare Settings,Patient Encounters in valid days,Kasal bartaraf etilgan kunlarda apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,{0} to`xtab turish to`lovsiz qoldirilganligi sababli bo`lmaydi 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},Row {0}: ajratilgan summasi {1} hisob-faktura summasidan kam yoki teng bo'lishi kerak {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Sotuvlar fakturasini saqlaganingizdan so'ng So'zlarda paydo bo'ladi. DocType: Lead,Follow Up,Kuzatish +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Xarajatlar markazi: {0} mavjud emas DocType: Item,Is Sales Item,Savdo punkti apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Mavzu guruh daraxti apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,{0} mahsuloti ketma-ketlik uchun sozlanmagan @@ -3189,9 +3235,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Olingan son DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR - .YYYY.- DocType: Purchase Order Item,Material Request Item,Material-buyurtma so'rovi -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Avval Qabul Qabul qilingani {0} bekor qiling apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Mavzu guruhlari daraxti. DocType: Production Plan,Total Produced Qty,Jami ishlab chiqarilgan Miqdor +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Hozircha sharh yo'q apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Ushbu zaryad turi uchun joriy satr raqamidan kattaroq yoki kattaroq satrlarni topib bo'lmaydi DocType: Asset,Sold,Sotildi ,Item-wise Purchase History,Ob'ektga qarab sotib olish tarixi @@ -3210,7 +3256,7 @@ DocType: Designation,Required Skills,Kerakli ko'nikmalar DocType: Inpatient Record,O Positive,U ijobiy apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Investitsiyalar DocType: Issue,Resolution Details,Qaror ma'lumotlari -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Jurnal turi +DocType: Leave Ledger Entry,Transaction Type,Jurnal turi DocType: Item Quality Inspection Parameter,Acceptance Criteria,Qabul shartlari apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,"Iltimos, yuqoridagi jadvalda Materiallar talablarini kiriting" apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Jurnalga kirish uchun to'lovlar yo'q @@ -3251,6 +3297,7 @@ DocType: Bank Account,Bank Account No,Bank hisob raqami DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Ish beruvchi soliq imtiyozlari tasdiqlash DocType: Patient,Surgical History,Jarrohlik tarixi DocType: Bank Statement Settings Item,Mapped Header,Joylashtirilgan sarlavha +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: 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. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},"Iltimos, xodimingizga {0}" @@ -3318,7 +3365,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Antetli qo'shing DocType: Program Enrollment,Self-Driving Vehicle,O'z-o'zidan avtomashina vositasi 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. -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Berilgan jami {0} barglari davr uchun tasdiqlangan {1} barglaridan kam bo'lishi mumkin emas DocType: Contract Fulfilment Checklist,Requirement,Talab DocType: Journal Entry,Accounts Receivable,Kutilgan tushim DocType: Quality Goal,Objectives,Maqsadlar @@ -3341,7 +3387,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Bitta tranzaksiya esh DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Ushbu qiymat Default Sales Price List'da yangilanadi. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Savatingiz bo'sh DocType: Email Digest,New Expenses,Yangi xarajatlar -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC miqdori apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Haydovchining manzili mavjud emasligi sababli marshrutni optimallashtirib bo'lmaydi. DocType: Shareholder,Shareholder,Aktsioner DocType: Purchase Invoice,Additional Discount Amount,Qo'shimcha chegirma miqdori @@ -3378,6 +3423,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Xizmat topshirish apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,"Iltimos, B2C Limitni GST Sozlamalarida o'rnating." DocType: Marketplace Settings,Marketplace Settings,Pazaryeri sozlamalari DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Rad etilgan elementlar zaxirasini saqlayotgan ombor +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,{0} mahsulotlarni joylash 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,"{2} kalit sana uchun {0} dan {1} gacha bo'lgan valyuta kursini topib bo'lmadi. Iltimos, valyuta ayirboshlash yozuvini qo'lda yarating" DocType: POS Profile,Price List,Narxlar ro'yxati 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. @@ -3414,6 +3460,7 @@ DocType: Salary Component,Deduction,O'chirish DocType: Item,Retain Sample,Namunani saqlang apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Row {0}: Vaqt va vaqtdan boshlab majburiydir. DocType: Stock Reconciliation Item,Amount Difference,Miqdori farqi +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Ushbu sahifada sotuvchilardan sotib olmoqchi bo'lgan narsalar ro'yxati mavjud. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},{1} narxlar ro'yxatida {0} uchun qo'shilgan narx DocType: Delivery Stop,Order Information,Buyurtma haqida ma'lumot apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,"Iltimos, ushbu savdo vakili xodimining identifikatorini kiriting" @@ -3442,6 +3489,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Baholash rejasining nomi apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Maqsad tafsilotlari apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Agar kompaniya SpA, SApA yoki SRL bo'lsa, tegishli" @@ -3494,7 +3542,6 @@ DocType: Company,Transactions Annual History,Yillik yillik tarixi 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Uyni 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 @@ -3546,6 +3593,7 @@ 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,Yil uchun foyda 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 @@ -3599,12 +3647,10 @@ DocType: Supplier Scorecard,Scoring Setup,Sozlamalarni baholash apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Electronics,Elektronika 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Kompaniya uchun GST raqami topilmadi. 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 DocType: Question,Single Correct Answer,Bitta to'g'ri javob -DocType: Employee,Contact Details,Aloqa tafsilotlari DocType: C-Form,Received Date,Olingan sana DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Sotuvdagi soliqlar va to'lovlar shablonida standart shablonni yaratgan bo'lsangiz, ulardan birini tanlang va quyidagi tugmani bosing." DocType: BOM Scrap Item,Basic Amount (Company Currency),Asosiy miqdori (Kompaniya valyutasi) @@ -3634,12 +3680,13 @@ DocType: BOM Website Operation,BOM Website Operation,BOM veb-sayt operatsiyasi DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,Yetkazib beruvchi reytingi apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Qabul qilishni rejalashtirish +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,To'lov talabnomasining umumiy summasi {0} miqdoridan ko'p bo'lmasligi kerak DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Kümülatif tranzaksiya eshigi DocType: Promotional Scheme Price Discount,Discount Type,Chegirma turi -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Jami Faturali Amet DocType: Purchase Invoice Item,Is Free Item,Bepul mahsulot +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,"Sizga buyurtma qilingan miqdordan ko'proq pul o'tkazishga ruxsat berilgan foiz. Masalan: Agar siz 100 dona buyurtma bergan bo'lsangiz. va sizning ruxsatnomangiz 10% bo'lsa, siz 110 birlikni o'tkazishingiz mumkin." DocType: Supplier,Warn RFQs,RFQlarni ogohlantir -apps/erpnext/erpnext/templates/pages/home.html,Explore,O'rganing +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,O'rganing DocType: BOM,Conversion Rate,Ishlab chiqarish darajasi apps/erpnext/erpnext/www/all-products/index.html,Product Search,Mahsulot qidirish ,Bank Remittance,Bank pul o'tkazmasi @@ -3651,6 +3698,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,To'langan pul miqdori DocType: Asset,Insurance End Date,Sug'urta muddati tugashi apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,"Iltimos, to'ldirilgan talaba nomzodiga majburiy bo'lgan talabgor qabul qiling" +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Byudjet ro'yxati DocType: Campaign,Campaign Schedules,Kampaniya jadvali DocType: Job Card Time Log,Completed Qty,Tugallangan son @@ -3673,6 +3721,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Yangi man DocType: Quality Inspection,Sample Size,Namuna o'lchami apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,"Iltimos, hujjatning hujjatini kiriting" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Barcha mahsulotlar allaqachon faktura qilingan +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Barglar olinadi apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Iltimos, tegishli "Qoidadan boshlab"" 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,"Qo'shimcha xarajatlar markazlari Guruhlar bo'yicha amalga oshirilishi mumkin, ammo guruhlar bo'lmagan guruhlarga qarshi yozuvlarni kiritish mumkin" 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,Jami ajratilgan barglar davr mobaynida {1} xodim uchun {0} ruxsatnoma turini maksimal ajratishdan ko'p kunlar @@ -3772,6 +3821,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Barcha baho 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 DocType: Leave Block List,Allow Users,Foydalanuvchilarga ruxsat berish 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: 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. @@ -3825,6 +3876,7 @@ DocType: Support Search Source,Result Title Field,Natijada Sarlavha maydoni apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Qisqa ma'lumot DocType: Sample Collection,Collected Time,To'plangan vaqt DocType: Employee Skill Map,Employee Skills,Xodimlarning malakasi +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Yoqilg'i xarajatlari DocType: Company,Sales Monthly History,Savdo oylik tarixi apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,"Iltimos, Soliqlar va yig'imlar jadvalida kamida bitta qator qo'ying" DocType: Asset Maintenance Task,Next Due Date,Keyingi to'lov sanasi @@ -3834,6 +3886,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Vital bel DocType: Payment Entry,Payment Deductions or Loss,To'lovni kamaytirish yoki yo'qotish DocType: Soil Analysis,Soil Analysis Criterias,Tuproq tahlil qilish mezonlari apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Sotuv yoki sotib olish uchun standart shartnoma shartlari. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Satrlar {0} da olib tashlandi DocType: Shift Type,Begin check-in before shift start time (in minutes),Belgilanishni smenaning boshlanish vaqtidan oldin boshlash (daqiqada) DocType: BOM Item,Item operation,Mavzu operatsiyalari apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Voucher tomonidan guruh @@ -3859,11 +3912,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Ish staji Bu davr uchun allaqachon yaratilgan {0} xodim apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Dori-darmon apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Siz faqatgina "Inkassatsiya" pul mablag'ini haqiqiy inkassatsiya miqdori uchun yuborishingiz mumkin +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Mualliflar tomonidan apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Xarid qilingan buyumlarning narxi DocType: Employee Separation,Employee Separation Template,Xodimlarni ajratish shabloni DocType: Selling Settings,Sales Order Required,Savdo buyurtmasi kerak apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Sotuvchi bo'l -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Natijada ketma-ket amalga oshirilgan holatlar soni. ,Procurement Tracker,Xaridlarni kuzatuvchi DocType: Purchase Invoice,Credit To,Kredit berish apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC teskari @@ -3876,6 +3929,7 @@ DocType: Quality Meeting,Agenda,Kun tartibi DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Xizmat jadvali batafsil DocType: Supplier Scorecard,Warn for new Purchase Orders,Yangi Buyurtma Buyurtmalarini ogohlantiring DocType: Quality Inspection Reading,Reading 9,O'qish 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Exotel hisobingizni ERPNext-ga ulang va qo'ng'iroqlar jurnallarini kuzatib boring DocType: Supplier,Is Frozen,Muzlatilgan DocType: Tally Migration,Processed Files,Qayta ishlangan fayllar apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,Guruh tugunli omborga bitimlarni tanlashga ruxsat berilmaydi @@ -3885,6 +3939,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Yaxshi natija uchun DocType: Upload Attendance,Attendance To Date,Ishtirok etish tarixi 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 @@ -3909,7 +3964,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Talab qiluvchi apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Noto'g'ri reference {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Turli reklama sxemalarini qo'llash qoidalari. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{3} Mahsulot buyurtmasidagi {0} ({1}) rejalashtirilgan miqdordan ({2}) ortiq bo'lmasligi kerak. DocType: Shipping Rule,Shipping Rule Label,Yuk tashish qoidalari yorlig'i DocType: Journal Entry Account,Payroll Entry,Ish haqi miqdori apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Narxlar yozuvlarini ko'rish @@ -3921,6 +3975,7 @@ DocType: Contract,Fulfilment Status,Bajarilish holati DocType: Lab Test Sample,Lab Test Sample,Laborotoriya namunasi DocType: Item Variant Settings,Allow Rename Attribute Value,Nomini o'zgartirish xususiyatiga ruxsat bering apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Tez jurnalni kiritish +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Kelajakdagi to'lov miqdori apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,"Agar BOM biron-bir elementni eslatmasa, tarifni o'zgartira olmaysiz" DocType: Restaurant,Invoice Series Prefix,Billing-uz prefiksi DocType: Employee,Previous Work Experience,Oldingi ish tajribasi @@ -3950,6 +4005,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Loyiha holati DocType: UOM,Check this to disallow fractions. (for Nos),Fraktsiyalarni taqiqlash uchun buni tanlang. (Nos uchun) DocType: Student Admission Program,Naming Series (for Student Applicant),Nom turkumi (talabalar uchun) +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/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 @@ -3965,6 +4021,7 @@ DocType: Fiscal Year,Year End Date,Yil tugash sanasi DocType: Task Depends On,Task Depends On,Vazifa bog'liq apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Imkoniyat DocType: Options,Option,Variant +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Siz yopiq hisobot davrida buxgalteriya yozuvlarini yaratolmaysiz {0} DocType: Operation,Default Workstation,Standart ish stantsiyani DocType: Payment Entry,Deductions or Loss,O'chirish yoki yo'qotish apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} yopildi @@ -3973,6 +4030,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Joriy aktsiyani oling DocType: Purchase Invoice,ineligible,nomuvofiq apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Materiallar hisoboti daraxti +DocType: BOM,Exploded Items,Portlatilgan narsalar DocType: Student,Joining Date,Birlashtirilgan sana ,Employees working on a holiday,Bayramda ishlaydigan xodimlar ,TDS Computation Summary,TDS hisoblash qisqacha bayoni @@ -4005,6 +4063,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Asosiy stavkasi (Har b DocType: SMS Log,No of Requested SMS,Talab qilingan SMSlarning soni apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,"Pulsiz qoldirish, tasdiqlangan Taqdimnoma arizalari bilan mos emas" apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Keyingi qadamlar +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Saqlangan narsalar DocType: Travel Request,Domestic,Mahalliy apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,"Iltimos, ko'rsatilgan narsalarni eng yaxshi narxlarda bering" apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Xodimlarning transferi topshirilgunga qadar topshirilishi mumkin emas @@ -4057,7 +4116,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Aktiv turkumidagi hisob apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,{0} qiymati allaqachon mavjud bo'lgan {2} elementiga tayinlangan. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Row # {0} (To'lov jadvali): Miqdor ijobiy bo'lishi kerak -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},{0} Savdo buyurtma miqdoridan ko'proq {0} mahsulot ishlab chiqarish mumkin emas. +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},{0} Savdo buyurtma miqdoridan ko'proq {0} mahsulot ishlab chiqarish mumkin emas. apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Hech narsa yalpi tarkibga kirmaydi apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill ushbu hujjat uchun allaqachon mavjud apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Nitelik qiymatlarini tanlang @@ -4092,12 +4151,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Erta chiqish uchun turli oqibatlarni yoqing ,Lab Test Report,Laborotoriya test hisobot DocType: Employee Benefit Application,Employee Benefit Application,Ish beruvchining nafaqasi 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 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Avval yuklatilgan eslatmani bering DocType: Student Applicant,Application Date,Ilova sanasi DocType: Salary Component,Amount based on formula,Formulaga asoslangan miqdor DocType: Purchase Invoice,Currency and Price List,Valyuta va narxlar ro'yxati @@ -4126,6 +4183,7 @@ DocType: Purchase Receipt,Time at which materials were received,Materiallar olin DocType: Products Settings,Products per Page,Har bir sahifa uchun mahsulotlar 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Ajratilgan miqdor manfiy bo‘lishi mumkin emas DocType: Sales Order,Billing Status,Billing holati apps/erpnext/erpnext/public/js/conf.js,Report an Issue,Muammo haqida xabar bering @@ -4133,6 +4191,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,90-yuqorida 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} qatori: {1} yozuvi {2} hisobiga ega emas yoki boshqa kafelga qarama-qarshi DocType: Supplier Scorecard Criteria,Criteria Weight,Kriterlar Og'irligi +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Hisob: {0} to'lovni kiritishda taqiqlangan DocType: Production Plan,Ignore Existing Projected Quantity,Mavjud prognoz qilinadigan miqdorni e'tiborsiz qoldiring apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Tasdiqlash xabarnomasidan chiqing DocType: Buying Settings,Default Buying Price List,Standart xarid narxlari @@ -4141,6 +4200,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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." DocType: Payment Entry,Payment Type,To'lov turi apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,{0} uchun mahsulotni tanlang. Ushbu talabni bajaradigan yagona guruh topilmadi @@ -4169,6 +4229,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Xarid savatni sozlamalari DocType: Journal Entry,Accounting Entries,Buxgalteriya yozuvlari 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." +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,"Iltimos, Ta'limni sozlashda o'qituvchiga nom berish tizimini sozlang" DocType: Journal Entry,Paid Loan,Pulli kredit 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 @@ -4185,12 +4246,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks Details apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Vaqt yo'q DocType: GoCardless Mandate,GoCardless Customer,GoCardsiz mijoz apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,{0} to`xtab turish mumkin emas +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Element kodi> Mahsulotlar guruhi> Tovar apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Xizmat jadvali barcha elementlar uchun yaratilmaydi. "Jadvalni yarat" tugmasini bosing ,To Produce,Ishlab chiqarish DocType: Leave Encashment,Payroll,Ish haqi 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",{1} da {0} qator uchun. Mavzu kursiga {2} ni qo'shish uchun {3} qatorlari ham qo'shilishi kerak DocType: Healthcare Service Unit,Parent Service Unit,Ota-onalar xizmati DocType: Packing Slip,Identification of the package for the delivery (for print),Yetkazib berish paketini aniqlash (chop etish uchun) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Xizmat darajasi to'g'risidagi shartnoma qayta tiklandi. DocType: Bin,Reserved Quantity,Rezervlangan miqdori apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,"Iltimos, to'g'ri elektron pochta manzilini kiriting" DocType: Volunteer Skill,Volunteer Skill,Ko'ngilli ko'nikma @@ -4211,7 +4274,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Narx yoki mahsulot chegirmasi apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,{0} qatoriga: rejali qty kiriting DocType: Account,Income Account,Daromad hisobvarag'i -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,Xaridor> Mijozlar guruhi> Hudud DocType: Payment Request,Amount in customer's currency,Mijozning valyutadagi miqdori apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Yetkazib berish apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Tuzilmalarni tayinlash ... @@ -4234,6 +4296,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Siz ilgari ishlab chiqarilgan hisob-fakturalarni yo'qotasiz. Ushbu obunani qayta ishga tushirishga ishonchingiz komilmi? @@ -4289,11 +4352,10 @@ DocType: Additional Salary,HR User,HR foydalanuvchisi DocType: Bank Guarantee,Reference Document Name,Namunaviy hujjat nomi DocType: Purchase Invoice,Taxes and Charges Deducted,Soliqlar va yig'imlar kamaytirildi DocType: Support Settings,Issues,Muammolar -DocType: Shift Type,Early Exit Consequence after,Keyinchalik erta chiqish oqibatlari DocType: Loyalty Program,Loyalty Program Name,Sadoqat dasturi nomi apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Vaziyat {0} dan biri bo'lishi kerak apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,GSTIN yuborilgan eslatmani eslatish -DocType: Sales Invoice,Debit To,Debet To +DocType: Discounted Invoice,Debit To,Debet To DocType: Restaurant Menu Item,Restaurant Menu Item,Restoran menyusi DocType: Delivery Note,Required only for sample item.,Faqat namuna band uchun talab qilinadi. DocType: Stock Ledger Entry,Actual Qty After Transaction,Jurnal so'ng haqiqiy miqdori @@ -4376,6 +4438,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Parametrning nomi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Faqat "Tasdiqlangan" va "Rad etilgan" ilovalarni qoldiring apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,O'lchovlar yaratilmoqda ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Isoning shogirdi guruhi nomi {0} qatorida majburiydir. +DocType: Customer Credit Limit,Bypass credit limit_check,Kredit limiti_checkini chetlab o'tish DocType: Homepage,Products to be shown on website homepage,Veb-saytning asosiy sahifasida ko'rsatiladigan mahsulotlar DocType: HR Settings,Password Policy,Parol siyosati apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Bu ildiz mijozlar guruhidir va tahrirlanmaydi. @@ -4422,10 +4485,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Agar apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Restoran sozlamalarida standart mijozni tanlang ,Salary Register,Ish haqi registrati DocType: Company,Default warehouse for Sales Return,Sotishni qaytarish uchun odatiy ombor -DocType: Warehouse,Parent Warehouse,Ota-onalar +DocType: Pick List,Parent Warehouse,Ota-onalar DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},{0} va Project {1} uchun standart BOM topilmadi +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" apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Turli xil kredit turlarini aniqlang DocType: Bin,FCFS Rate,FCFS bahosi @@ -4462,6 +4525,7 @@ DocType: Travel Itinerary,Lodging Required,Turar joy kerak DocType: Promotional Scheme,Price Discount Slabs,Narx chegirma plitalari DocType: Stock Reconciliation Item,Current Serial No,Hozirgi seriya raqami DocType: Employee,Attendance and Leave Details,Qatnashish va tark etish tafsilotlari +,BOM Comparison Tool,BOM taqqoslash vositasi ,Requested,Talab qilingan apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Izohlar yo'q DocType: Asset,In Maintenance,Xizmatda @@ -4484,6 +4548,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Xizmat ko'rsatish bo'yicha standart kelishuv DocType: SG Creation Tool Course,Course Code,Kurs kodi apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,{0} uchun bittadan ortiq tanlovga ruxsat berilmaydi +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Ishlab chiqariladigan mahsulotning to'rtdan bir qismi "Tayyor tovarlar" moddasining qt asosida belgilanadi DocType: Location,Parent Location,Ota-ona DocType: POS Settings,Use POS in Offline Mode,Oflayn rejimida QO'yi ishlatish apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Ustuvorlik {0} ga o'zgartirildi. @@ -4502,7 +4567,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Namuna tutish ombori DocType: Company,Default Receivable Account,Oladigan schyot hisob apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Prognoz qilinadigan miqdor formulasi DocType: Sales Invoice,Deemed Export,Qabul qilingan eksport -DocType: Stock Entry,Material Transfer for Manufacture,Ishlab chiqarish uchun material etkazib berish +DocType: Pick List,Material Transfer for Manufacture,Ishlab chiqarish uchun material etkazib berish 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.,Chegirma foizlar yoki Narxlar ro'yxatiga yoki barcha Narxlar ro'yxatiga nisbatan qo'llanilishi mumkin. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Qimmatli qog'ozlar uchun hisob yozuvi DocType: Lab Test,LabTest Approver,LabTest Approval @@ -4545,7 +4610,6 @@ DocType: Training Event,Theory,Nazariya apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Ogohlantirish: Kerakli ma'lumot Minimum Buyurtma miqdori ostida apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,{0} hisobi muzlatilgan DocType: Quiz Question,Quiz Question,Viktorina savol -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Ta'minotchi> Ta'minotchi turi 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" @@ -4576,6 +4640,7 @@ DocType: Antibiotic,Healthcare Administrator,Sog'liqni saqlash boshqaruvchis 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 DocType: Account,Expense Account,Xisob-kitobi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Dasturiy ta'minot apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Rang @@ -4613,6 +4678,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Savdo hamkorlarini 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 DocType: Fee Validity,Visited yet,Hoziroq tashrif buyurdi +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Siz 8 tagacha elementlarni namoyish qilishingiz mumkin. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Mavjud bitimlarga ega bo'lgan omborlar guruhga o'tkazilmaydi. 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. @@ -4620,7 +4686,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,Exploded_items 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 @@ -4645,7 +4710,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM ning soatlik i DocType: Contract,Signee Details,Imzo tafsilotlari apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} hozirda {1} Yetkazib beruvchi hisoblagichi mavjud va bu yetkazib beruvchiga RFQ ehtiyotkorlik bilan berilishi kerak. DocType: Certified Consultant,Non Profit Manager,Qor bo'lmagan menedjer -DocType: BOM,Total Cost(Company Currency),Jami xarajat (Kompaniya valyutasi) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Seriya no {0} yaratildi DocType: Homepage,Company Description for website homepage,Veb-saytning ota-sahifasi uchun Kompaniya tavsifi DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",Xaridorlar qulayligi uchun bu kodlar Xarajatlarni va etkazib berish eslatmalari kabi bosma formatlarda qo'llanilishi mumkin @@ -4673,7 +4737,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Qabul qil DocType: Amazon MWS Settings,Enable Scheduled Synch,Jadvaldagi sinxronlashni yoqish apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Datetime-ga apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Sms yetkazib berish holatini saqlab qolish uchun qaydlar -DocType: Shift Type,Early Exit Consequence,Erta chiqish oqibatlari DocType: Accounts Settings,Make Payment via Journal Entry,Jurnalga kirish orqali to'lovni amalga oshiring apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,"Iltimos, bir vaqtning o'zida 500 tadan ortiq mahsulot yaratmang" apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,Chop etilgan @@ -4730,6 +4793,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Cheklangan chiz 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 +DocType: Plaid Settings,Plaid Secret,Plaid siri DocType: Company,Date of Establishment,Korxona sanasi apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Venture Capital apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Ushbu "o'quv yili" {0} va "muddatli nomi" {1} bilan akademik atama allaqachon mavjud. Iltimos, ushbu yozuvlarni o'zgartiring va qayta urinib ko'ring." @@ -4791,6 +4855,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,Xaridor turi DocType: Compensatory Leave Request,Leave Allocation,Ajratishni qoldiring DocType: Payment Request,Recipient Message And Payment Details,Qabul qiluvchi Xabar va to'lov ma'lumoti +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,"Iltimos, etkazib berish eslatmasini tanlang" DocType: Support Search Source,Source DocType,Manba DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Yangi chipta oching DocType: Training Event,Trainer Email,Trainer Email @@ -4911,6 +4976,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',"Sana" kunidan keyin "To Date" apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Ushbu nom uchun kadrlar rejasi yo'q apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,{1} banddagi {0} guruhining o'chirilganligi o'chirilgan. @@ -4932,7 +4998,7 @@ DocType: Clinical Procedure,Patient,Kasal apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Savdo buyurtmasidan kredit chekini chetlab o'ting DocType: Employee Onboarding Activity,Employee Onboarding Activity,Ishchilarning tashqi boshqaruvi DocType: Location,Check if it is a hydroponic unit,Hidroponik birlikmi tekshiring -DocType: Stock Reconciliation Item,Serial No and Batch,Seriya raqami va to'plami +DocType: Pick List Item,Serial No and Batch,Seriya raqami va to'plami DocType: Warranty Claim,From Company,Kompaniyadan DocType: GSTR 3B Report,January,Yanvar apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Ko'rib chiqishlar kriterlarining yig'indisi {0} bo'lishi kerak. @@ -4956,7 +5022,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Narh-nav 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Inter kompaniyasi operatsiyalari uchun {0} topilmadi. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,kredit_not_amt 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/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 @@ -4989,11 +5054,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Xarajatlar m 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,Qoldik DocType: Appraisal,Appraisal,Baholash DocType: Loan,Loan Account,Kredit hisoboti apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,To'plangan maydonlarning amal qilishi va amal qilishi majburiydir +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",{0} qatoridagi {0} element uchun seriya raqamlari tanlangan miqdorga mos kelmaydi DocType: Purchase Invoice,GST Details,GST tafsilotlari apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Bu sog'liqni saqlash amaliyot shifokoriga qarshi amalga oshirilgan operatsiyalarga asoslanadi. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},{0} yetkazib beruvchiga yuborilgan elektron xat @@ -5057,6 +5124,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Paketning umumiy og'irligi. Odatda aniq og'irlik + qadoqlash materialining og'irligi. (chop etish uchun) DocType: Assessment Plan,Program,Dastur DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Ushbu rolga ega foydalanuvchilar muzlatilgan hisoblarni o'rnatish va muzlatilgan hisoblarga qarshi buxgalter yozuvlarini yaratish / o'zgartirishga ruxsat beriladi +DocType: Plaid Settings,Plaid Environment,Pleid muhiti ,Project Billing Summary,Loyihani taqdim etish bo'yicha qisqacha ma'lumot DocType: Vital Signs,Cuts,Cuts DocType: Serial No,Is Cancelled,Bekor qilinadi @@ -5118,7 +5186,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Izoh: tizim {0} mahsulotiga ortiqcha yoki miqdor miqdori 0 bo'lgani uchun ortiqcha yetkazib berishni va ortiqcha arizani tekshirmaydi DocType: Issue,Opening Date,Ochilish tarixi apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,"Iltimos, avvalo kasalni saqlang" -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Yangi kontakt yaratish apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Ishtirok etish muvaffaqiyatli o'tdi. DocType: Program Enrollment,Public Transport,Jamoat transporti DocType: Sales Invoice,GST Vehicle Type,GST Avtomobil turi @@ -5144,6 +5211,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Yetkazuvchi 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 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Avval mahsulot joylari jadvaliga elementlarni qo'shing DocType: Pricing Rule,Discount Amount,Chegirma miqdori DocType: Pricing Rule,Period Settings,Davr sozlamalari DocType: Purchase Invoice,Return Against Purchase Invoice,Xarajatlarni sotib olishdan voz kechish @@ -5176,7 +5244,6 @@ DocType: Assessment Plan,Assessment Plan,Baholash rejasi DocType: Travel Request,Fully Sponsored,To'liq homiylik apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Jurnalga teskari qaytish apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Ish kartasini yarating -DocType: Shift Type,Consequence after,Keyinchalik oqibat DocType: Quality Procedure Process,Process Description,Jarayon tavsifi apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Xaridor {0} yaratildi. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Hozirda biron-bir omborda stok yo'q @@ -5211,6 +5278,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Bo'shatish sanasi DocType: Delivery Settings,Dispatch Notification Template,Xabarnoma shablonini yuborish apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Baholash bo'yicha hisobot apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Ishchilarni oling +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 @@ -5304,7 +5372,6 @@ DocType: Stock Settings,Use Naming Series,Naming seriyasidan foydalaning apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Harakat yo‘q apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Baholashning turi to'lovlari inklyuziv sifatida belgilanishi mumkin emas DocType: POS Profile,Update Stock,Stokni yangilang -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Ma'lumotlar uchun turli UOM noto'g'ri (Total) Net Og'irligi qiymatiga olib keladi. Har bir elementning aniq vazniga bir xil UOM ichida ekanligiga ishonch hosil qiling. DocType: Certification Application,Payment Details,To'lov ma'lumoti apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM darajasi @@ -5339,7 +5406,6 @@ 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. apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Bu ildiz sotuvchisidir va tahrirlanmaydi. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Agar tanlangan bo'lsa, ushbu komponentda ko'rsatilgan yoki hisoblangan qiymat daromad yoki ajratmalarga hissa qo'shmaydi. Biroq, bu qiymatni qo'shilishi yoki chiqarilishi mumkin bo'lgan boshqa komponentlar bilan bog'lash mumkin." -DocType: Asset Settings,Number of Days in Fiscal Year,Moliyaviy yilda kunlar soni ,Stock Ledger,Qimmatli qog'ozlar bozori DocType: Company,Exchange Gain / Loss Account,Birgalikdagi daromad / yo'qotish hisobi DocType: Amazon MWS Settings,MWS Credentials,MWS hisobga olish ma'lumotlari @@ -5374,6 +5440,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Bank faylidagi ustun apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},{0} dasturidan chiqish uchun talaba {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Barcha materiallar materiallarida eng so'nggi narxni yangilash uchun navbatda turdi. Bir necha daqiqa o'tishi mumkin. +DocType: Pick List,Get Item Locations,Mahsulot joylarini oling apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,"Yangi hisob nomi. Eslatma: Iltimos, mijozlar va etkazib beruvchilar uchun hisoblar yarating" DocType: POS Profile,Display Items In Stock,Stoktaki narsalarni ko'rsatish apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Country wise wise manzili Shablonlar @@ -5397,6 +5464,7 @@ DocType: Crop,Materials Required,Materiallar kerak apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Hech kim topilmadi DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Oylik HRA ozod DocType: Clinical Procedure,Medical Department,Tibbiy bo'lim +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Jami erta chiqish DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Yetkazib beruvchi Scorecard reyting mezonlari apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Faktura yuborish sanasi apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Sotish @@ -5408,11 +5476,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Ushbu hujjatni bekor qilish uchun {0} \ xodimini o'chiring" DocType: Program Enrollment,School House,Maktab uyi DocType: Serial No,Out of AMC,AMCdan tashqarida DocType: Opportunity,Opportunity Amount,Imkoniyatlar miqdori +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Sizning profilingiz apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Qayd qilingan amortizatsiya miqdori jami Amortizatsiya miqdoridan ko'p bo'lishi mumkin emas DocType: Purchase Order,Order Confirmation Date,Buyurtma Tasdiqlash sanasi DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-YYYYY.- @@ -5506,7 +5573,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Hisoblangan foizlar miqdori, aktsiyalar soni va hisoblangan miqdorlar o'rtasidagi ziddiyatlar mavjud" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Kompensatuar ta'til talab kunlari orasida kun bo'yi mavjud bo'lmaysiz apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,"Iltimos, tasdiqlash uchun kompaniya nomini qayta kiriting" -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Umumiy qarzdor DocType: Journal Entry,Printing Settings,Chop etish sozlamalari DocType: Payment Order,Payment Order Type,To'lov buyurtmasi turi DocType: Employee Advance,Advance Account,Advance hisob @@ -5595,7 +5661,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Yil nomi apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Bu oyda ish kunlaridan ko'ra ko'proq bayramlar bor. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,{0} elementdan so'ng {1} element sifatida belgilanmagan. Ularni Item masterdan {1} element sifatida faollashtirishingiz mumkin -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Mahsulot paketi elementi DocType: Sales Partner,Sales Partner Name,Savdo hamkorining nomi apps/erpnext/erpnext/hooks.py,Request for Quotations,Takliflar uchun so'rov @@ -5604,19 +5669,17 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Barglari +DocType: Leave Ledger Entry,Leaves,Barglari DocType: Student Language,Student Language,Isoning shogirdi tili DocType: Cash Flow Mapping,Is Working Capital,Ishlovchi kapital apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Isbotni yuboring apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Buyurtma / QQT% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Kasal bemorlarni yozib oling DocType: Fee Schedule,Institution,Tashkilotlar -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} DocType: Asset,Partially Depreciated,Qisman Amortizatsiyalangan DocType: Issue,Opening Time,Vaqtni ochish apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,Kerakli kunlardan boshlab apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Qimmatli qog'ozlar va BUyuMLAR birjalari -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},{0} raqami: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Hujjatlar qidiruvi apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}','{0}' variantining standart o'lchov birligi '{1}' shablonidagi kabi bo'lishi kerak DocType: Shipping Rule,Calculate Based On,Oddiy qiymatni hisoblash @@ -5662,6 +5725,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Ruxsat etilgan maksimal qiymat DocType: Journal Entry Account,Employee Advance,Ishchi Advance DocType: Payroll Entry,Payroll Frequency,Bordro chastotasi +DocType: Plaid Settings,Plaid Client ID,Pleid Client ID DocType: Lab Test Template,Sensitivity,Ta'sirchanlik DocType: Plaid Settings,Plaid Settings,Pleid sozlamalari apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,"Sinxronlashtirish vaqtinchalik o'chirib qo'yilgan, chunki maksimal qayta ishlashlar oshirilgan" @@ -5679,6 +5743,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,"Marhamat, birinchi marta o'tilganlik sanasi tanlang" apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Ochilish sanasi tugash sanasidan oldin bo'lishi kerak DocType: Travel Itinerary,Flight,Parvoz +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Uyga qaytish DocType: Leave Control Panel,Carry Forward,Oldinga boring apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Amalga oshirilgan operatsiyalarni bajarish uchun xarajatlar markaziy hisob kitobiga o'tkazilmaydi DocType: Budget,Applicable on booking actual expenses,Haqiqiy xarajatlarni qoplash uchun amal qiladi @@ -5734,6 +5799,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Kotirovka yarating apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Siz bloklangan sana bo'yicha barglarni tasdiqlash uchun vakolatga ega emassiz apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} {1} uchun so'rov apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Bu barcha narsalar allaqachon faturalanmıştı +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Siz belgilagan filtrlarga mos keladigan {0} {1} uchun hisob-fakturalar topilmadi. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Yangi chiqish sanasini belgilang DocType: Company,Monthly Sales Target,Oylik Sotuvdagi Nishon apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Hech qanday hisob-faktura topilmadi @@ -5780,6 +5846,7 @@ DocType: Water Analysis,Type of Sample,Namunaning turi DocType: Batch,Source Document Name,Manba hujjat nomi DocType: Production Plan,Get Raw Materials For Production,Ishlab chiqarish uchun xomashyodan foydalaning DocType: Job Opening,Job Title,Lavozim +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Kelgusidagi to'lov ref apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} {1} tirnoq taqdim etmasligini bildiradi, lekin barcha elementlar \ kote qilingan. RFQ Buyurtma holatini yangilash." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Eng ko'p namuna - {0} ommaviy {1} va {2} elementlari uchun ommaviy {3} da allaqachon saqlangan. @@ -5790,12 +5857,10 @@ apps/erpnext/erpnext/utilities/activation.py,Create Users,Foydalanuvchilarni yar 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: Company,Product Code,Mahsulot kodi DocType: Quality Review Table,Objective,Maqsad DocType: Supplier Scorecard,Per Month,Oyiga DocType: Education Settings,Make Academic Term Mandatory,Akademik Muddatni bajarish shart -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Ishlab chiqarish miqdori 0dan katta bo'lishi kerak. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Moliyaviy yilga asoslangan eskirgan amortizatsiya jadvalini hisoblang +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Ishlab chiqarish miqdori 0dan katta bo'lishi kerak. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Xizmatga qo'ng'iroq qilish uchun hisobotga tashrif buyuring. DocType: Stock Entry,Update Rate and Availability,Yangilash darajasi va mavjudligi 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.,"Buyurtma berilgan miqdorga nisbatan ko'proq miqdorda qabul qilishingiz yoki topshirishingiz mumkin bo'lgan foiz. Misol uchun: Agar siz 100 ta buyurtma bergan bo'lsangiz. va sizning Rag'batingiz 10% bo'lsa, sizda 110 ta bo'linmaga ega bo'lishingiz mumkin." @@ -5806,7 +5871,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Chiqarish sanasi kelajakda bo'lishi kerak DocType: BOM,Website Description,Veb-sayt ta'rifi apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Özkaynakta aniq o'zgarishlar -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Avval xaridlar fakturasini {0} bekor qiling apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Ruxsat berilmaydi. Xizmat birligi turini o'chirib qo'ying apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","E-pochta manzili noyob bo'lishi kerak, {0} uchun allaqachon mavjud" DocType: Serial No,AMC Expiry Date,AMC tugash sanasi @@ -5849,6 +5913,7 @@ DocType: Pricing Rule,Price Discount Scheme,Narxlarni chegirma sxemasi apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Xizmat holatini bekor qilish yoki topshirish uchun bajarilishi lozim DocType: Amazon MWS Settings,US,Biz DocType: Holiday List,Add Weekly Holidays,Haftalik dam olish kunlarini qo'shish +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Xabar berish DocType: Staffing Plan Detail,Vacancies,Bo'sh ish o'rinlari DocType: Hotel Room,Hotel Room,Mehmonxona xonasi apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Hisob {0} kompaniya {1} ga tegishli emas @@ -5900,12 +5965,15 @@ DocType: Email Digest,Open Quotations,Ochiq takliflar 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Ushbu hujjatni bekor qilish uchun {0} \ xodimini o'chiring" 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 @@ -5919,6 +5987,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Bo'sh DocType: Patient,Alcohol Past Use,Spirtli ichimliklarni o'tmishda ishlatish DocType: Fertilizer Content,Fertilizer Content,Go'ng tarkibi +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Ta'rif yo'q apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Billing davlati DocType: Quality Goal,Monitoring Frequency,Monitoring chastotasi @@ -5936,6 +6005,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Nihoyasiga yetadigan sana Keyingi aloqa kuni oldidan bo'lishi mumkin emas. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Paket yozuvlari DocType: Journal Entry,Pay To / Recd From,Qabul qiling / Qabul qiling +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Elementni e'lon qilish DocType: Naming Series,Setup Series,O'rnatish seriyasi DocType: Payment Reconciliation,To Invoice Date,Faktura tarixiga DocType: Bank Account,Contact HTML,HTML bilan bog'laning @@ -5957,6 +6027,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Chakana savdo DocType: Student Attendance,Absent,Yo'q DocType: Staffing Plan,Staffing Plan Detail,Xodimlar rejasi batafsil DocType: Employee Promotion,Promotion Date,Rag'batlantiruvchi sana +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,% S tark etish% s tark etish dasturi bilan bog'liq 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} @@ -5991,9 +6062,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Faktura {0} endi yo'q DocType: Guardian Interest,Guardian Interest,Guardian qiziqishi DocType: Volunteer,Availability,Mavjudligi +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Chiqish uchun ariza {0} ta'tillari bilan bog'liq. Arizani pullik ta'til sifatida o'rnatish mumkin emas apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,POS hisob-fakturalarida standart qiymatlarni sozlash DocType: Employee Training,Training,Trening DocType: Project,Time to send,Yuborish vaqti +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Ushbu sahifa sizning xaridorlar tomonidan qiziqish bildirgan narsalaringizni qayd qiladi. DocType: Timesheet,Employee Detail,Xodimlar haqida batafsil 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 @@ -6089,12 +6162,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Ochilish qiymati DocType: Salary Component,Formula,Formulalar apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Seriya # -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: 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/setup/doctype/company/company.py,Sales Account,Savdo hisobi DocType: Purchase Invoice Item,Total Weight,Jami Og'irligi +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}" @@ -6118,6 +6191,7 @@ DocType: Company,Default Employee Advance Account,Standart ishchi Advance qaydno apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Qidiruv vositasi (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Mavjud amal bilan hisob o'chirilmaydi +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Nima uchun ushbu mahsulotni olib tashlash kerak deb o'ylaysiz? DocType: Vehicle,Last Carbon Check,Oxirgi Karbon nazorati apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Huquqiy xarajatlar apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,"Iltimos, qatordagi miqdorni tanlang" @@ -6137,6 +6211,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Buzilmoq DocType: Travel Itinerary,Vegetarian,Vejetaryen DocType: Patient Encounter,Encounter Date,Uchrashuv sanalari +DocType: Work Order,Update Consumed Material Cost In Project,Loyihada iste'mol qilingan material narxini yangilang apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Hisob: {0} valyutaga: {1} tanlanmaydi DocType: Bank Statement Transaction Settings Item,Bank Data,Bank ma'lumotlari DocType: Purchase Receipt Item,Sample Quantity,Namuna miqdori @@ -6191,7 +6266,7 @@ DocType: GSTR 3B Report,April,Aprel 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Eslatma: {0} elementi bir necha marta kiritilgan +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Eslatma: {0} elementi bir necha marta kiritilgan apps/erpnext/erpnext/config/buying.py,All Contacts.,Barcha kontaktlar. DocType: Accounting Period,Closed Documents,Yopiq hujjatlar 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" @@ -6273,9 +6348,7 @@ DocType: Member,Membership Type,Registratsiya turi ,Reqd By Date,Sana bo'yicha sana apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Kreditorlar DocType: Assessment Plan,Assessment Name,Baholashning nomi -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Chop etishdagi PDC-ni ko'rsatish apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,# {0} qatori: seriya raqami majburiy emas -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,{0} {1} uchun aniq hisob-fakturalar topilmadi. DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Maqola Wise Soliq Batafsil DocType: Employee Onboarding,Job Offer,Ishga taklif apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Institut qisqartmasi @@ -6333,6 +6406,7 @@ DocType: Serial No,Out of Warranty,Kafolatli emas DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Maplangan ma'lumotlar turi DocType: BOM Update Tool,Replace,O'zgartiring apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Hech qanday mahsulot topilmadi. +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Boshqa mahsulotlarni nashr qiling apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Ushbu xizmat darajasi to'g'risidagi shartnoma mijoz uchun xosdir {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} Sotuvdagi taqdimotga qarshi {1} DocType: Antibiotic,Laboratory User,Laboratoriya foydalanuvchisi @@ -6355,7 +6429,6 @@ DocType: Payment Order Reference,Bank Account Details,Bank hisobi ma'lumotla DocType: Purchase Order Item,Blanket Order,Yorqin buyurtma 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Ishlab chiqarish tartibi {0} DocType: BOM Item,BOM No,BOM No 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 @@ -6428,6 +6501,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Soliqqa tortiladigan etkazib berish (nolga teng) DocType: BOM,Materials Required (Exploded),Zarur bo'lgan materiallar (portlatilgan) 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/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 @@ -6485,7 +6559,6 @@ DocType: Pricing Rule,Same Item,Xuddi shu narsa DocType: Stock Ledger Entry,Stock Ledger Entry,Qimmatli qog'ozlar bazasini kiritish DocType: Quality Action Resolution,Quality Action Resolution,Sifat bo'yicha qarorlar apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} Yarim kunda {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Xuddi shu element bir necha marta kiritilgan DocType: Department,Leave Block List,Bloklar ro'yxatini qoldiring DocType: Purchase Invoice,Tax ID,Soliq identifikatori apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,{0} elementi ketma-ketlik uchun sozlanmagan. Ustun bo'sh bo'lishi kerak @@ -6523,7 +6596,7 @@ 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 DocType: Purchase Invoice,Return,Qaytish -DocType: Accounting Dimension,Disable,O'chirish +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 DocType: Task,Pending Review,Ko'rib chiqishni kutish apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Aktivlar, ketma-ket noslar, partiyalar va h.k. kabi qo'shimcha variantlar uchun to'liq sahifada tahrir qiling." @@ -6636,7 +6709,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Qo'shma hisob-faktura qismi 100% DocType: Item Default,Default Expense Account,Standart xarajat hisob DocType: GST Account,CGST Account,CGST hisob -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,Element kodi> Mahsulotlar guruhi> Tovar apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Isoning shogirdi Email identifikatori DocType: Employee,Notice (days),Izoh (kun) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Qalinligi uchun Voucher Faturalari @@ -6647,6 +6719,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Billingni saqlash uchun elementlarni tanlang DocType: Employee,Encashment Date,Inkassatsiya sanasi DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Sotuvchi haqida ma'lumot DocType: Special Test Template,Special Test Template,Maxsus test shablonni DocType: Account,Stock Adjustment,Aksiyalarni sozlash apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},Faoliyat turi - {0} uchun odatiy faoliyat harajati mavjud. @@ -6658,7 +6731,6 @@ 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 -DocType: Company,Bank Remittance Settings,Bank orqali pul o'tkazmalarini sozlash apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,O'rtacha narx 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 @@ -6686,6 +6758,7 @@ DocType: Grading Scale Interval,Threshold,Eshik apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Xodimlarni filtrlash (ixtiyoriy) DocType: BOM Update Tool,Current BOM,Joriy BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Balans (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Tayyor mahsulotning qirq qismi apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Seriya raqami qo'shing DocType: Work Order Item,Available Qty at Source Warehouse,Manba omborida mavjud bo'lgan son apps/erpnext/erpnext/config/support.py,Warranty,Kafolat @@ -6764,7 +6837,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Bu erda siz balandlik, og'irlik, allergiya, tibbiy xavotir va h.k.larni saqlashingiz mumkin" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Hisoblar yaratilmoqda ... DocType: Leave Block List,Applies to Company,Kompaniya uchun amal qiladi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Bekor qilolmaysiz, chunki taqdim etilgan Stock Entry {0} mavjud" +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,"Bekor qilolmaysiz, chunki taqdim etilgan Stock Entry {0} mavjud" DocType: Loan,Disbursement Date,To'lov sanasi DocType: Service Level Agreement,Agreement Details,Shartnoma tafsilotlari apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Shartnomaning boshlanish sanasi tugash sanasidan katta yoki unga teng bo'lishi mumkin emas. @@ -6773,6 +6846,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Tibbiy ma'lumot DocType: Vehicle,Vehicle,Avtomobil DocType: Purchase Invoice,In Words,So'zlarda +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Yangilanish sanasi oldinroq bo'lishi kerak apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Qabul qilishdan oldin bank yoki kredit tashkilotining nomini kiriting. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} yuborilishi kerak DocType: POS Profile,Item Groups,Mavzu guruhlari @@ -6844,7 +6918,6 @@ DocType: Customer,Sales Team Details,Savdo jamoasining tafsilotlari apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Doimiy o'chirilsinmi? DocType: Expense Claim,Total Claimed Amount,Jami da'vo miqdori apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Sotish uchun potentsial imkoniyatlar. -DocType: Plaid Settings,Link a new bank account,Yangi bank hisobini bog'lash apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} noto'g'ri Davomat holati. DocType: Shareholder,Folio no.,Folio no. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Noto'g'ri {0} @@ -6860,7 +6933,6 @@ DocType: Production Plan,Material Requested,Talab qilingan material DocType: Warehouse,PIN,PIN-kod DocType: Bin,Reserved Qty for sub contract,Sub-kontrakt uchun Qty himoyalangan DocType: Patient Service Unit,Patinet Service Unit,Patinet xizmat ko'rsatish bo'limi -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Matn faylini yarating DocType: Sales Invoice,Base Change Amount (Company Currency),Boz almashtirish miqdori (Kompaniya valyutasi) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Quyidagi omborlar uchun buxgalteriya yozuvlari mavjud emas apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},{1} element uchun faqat {0} @@ -6874,6 +6946,7 @@ DocType: Item,No of Months,Bir necha oy DocType: Item,Max Discount (%),Maksimal chegirma (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Kredit kuni salbiy raqam bo'lishi mumkin emas apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Fikrni yuklang +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Ushbu elementni xabar qiling DocType: Purchase Invoice Item,Service Stop Date,Xizmatni to'xtatish sanasi apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,Oxirgi Buyurtma miqdori DocType: Cash Flow Mapper,e.g Adjustments for:,"Masalan, sozlash uchun:" @@ -6967,16 +7040,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Ish beruvchi soliq imtiyozlari toifasi apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Miqdor noldan kam bo'lmasligi kerak. DocType: Sales Invoice,C-Form Applicable,C-formasi amal qiladi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Operatsion vaqti {0} dan foydalanish uchun 0 dan katta bo'lishi kerak +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Operatsion vaqti {0} dan foydalanish uchun 0 dan katta bo'lishi kerak DocType: Support Search Source,Post Route String,Post Route String apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,QXI majburiydir apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Veb-sayt yaratilmadi DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ishlab chiqarish ma'lumoti apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Qabul va yozilish -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Ta'minlangan aktsiyadorlik jamg'armasi yaratilgan yoki taqlid miqdori berilmagan +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Ta'minlangan aktsiyadorlik jamg'armasi yaratilgan yoki taqlid miqdori berilmagan DocType: Program,Program Abbreviation,Dastur qisqartmasi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Mahsulot shablonini ishlab chiqarish tartibi ko'tarilmaydi apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Voucher tomonidan guruhlangan (birlashtirilgan) DocType: HR Settings,Encrypt Salary Slips in Emails,Ish haqi slaydlarini elektron pochta xabarlarida shifrlang DocType: Question,Multiple Correct Answer,Bir nechta to'g'ri javob @@ -7023,7 +7095,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Nol baholanmagan yoki oz DocType: Employee,Educational Qualification,Ta'lim malakasi DocType: Workstation,Operating Costs,Operatsion xarajatlar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},{0} uchun valyuta {1} bo'lishi kerak -DocType: Employee Checkin,Entry Grace Period Consequence,Kirish imtiyozlari davri oqibatlari DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Ushbu smenaga tayinlangan ishchilar uchun "Ishchilarni ro'yxatga olish" asosida ishtirok etishni belgilang. DocType: Asset,Disposal Date,Chiqarish sanasi DocType: Service Level,Response and Resoution Time,Javob va kutish vaqti @@ -7071,6 +7142,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Tugatish sanasi DocType: Purchase Invoice Item,Amount (Company Currency),Miqdor (Kompaniya valyutasi) DocType: Program,Is Featured,Tanlangan +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Yuklanmoqda ... DocType: Agriculture Analysis Criteria,Agriculture User,Qishloq xo'jaligi foydalanuvchisi apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,O'tgan sanaga qadar amal qilish muddati tranzaksiya sanasidan oldin bo'lishi mumkin emas apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,Ushbu bitimni bajarish uchun {1} {0} {2} da {3} {4} da {5} uchun kerak. @@ -7103,7 +7175,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Hammasi bo'lib to'lanadi 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 @@ -7127,6 +7198,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Anonim apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Qabul qilingan 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: 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 @@ -7241,7 +7313,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Soliqlar va majburiy to' 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,{0} uchun odatiy BOM topilmadi +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" apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Bu yerga qo'shish uchun narsalarni teging @@ -7275,7 +7347,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Xizmat sanasi DocType: Purchase Invoice Item,Rejected Serial No,Rad etilgan seriya raqami apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Yil boshlanish sanasi yoki tugash sanasi {0} bilan örtüşüyor. Buning oldini olish uchun kompaniyani tanlang -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},"Iltimos, qo'rg'oshin nomi {0}" apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Boshlanish sanasi {0} element uchun tugash sanasidan past bo'lishi kerak DocType: Shift Type,Auto Attendance Settings,Avtomatik ishtirok etish sozlamalari @@ -7285,9 +7356,11 @@ DocType: Upload Attendance,Upload Attendance,Yuklashni davom ettirish apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM va ishlab chiqarish miqdori talab qilinadi apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Qarish oralig'i 2 DocType: SG Creation Tool Course,Max Strength,Maks kuch +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","{0} hisobi {1} bolalar kompaniyasida allaqachon mavjud. Quyidagi maydonlar turli xil qiymatlarga ega, ular bir xil bo'lishi kerak:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Oldindan o'rnatish DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-YYYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Buyurtmachilar uchun {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Qatorlar {0} da qo'shilgan apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,{0} xodimida maksimal nafaqa miqdori yo'q apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Etkazib berish sanasi asosida narsalarni tanlang DocType: Grant Application,Has any past Grant Record,O'tgan Grantlar rekordi mavjud @@ -7331,6 +7404,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollmen DocType: Fees,Student Details,Talaba tafsilotlari DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Bu mahsulot va sotish buyurtmalari uchun ishlatiladigan standart UOM. UOM-ning zaxira nusxasi - "Nos". DocType: Purchase Invoice Item,Stock Qty,Qissa soni +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 DocType: Loan,Repayment Period in Months,Oylardagi qaytarish davri @@ -7359,6 +7433,7 @@ DocType: Authorization Rule,Customerwise Discount,Xaridor tomonidan taklif qilin apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,Vazifalar uchun vaqt jadvalini. DocType: Purchase Invoice,Against Expense Account,Xarajatlar hisobiga qarshi apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,O'rnatish uchun eslatma {0} allaqachon yuborilgan +DocType: BOM,Raw Material Cost (Company Currency),Xom ashyo narxi (kompaniya valyutasi) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Uyni ijaraga olish uchun to'langan kunlar {0} bilan qoplangan DocType: GSTR 3B Report,October,Oktyabr DocType: Bank Reconciliation,Get Payment Entries,To'lov yozuvlarini oling @@ -7405,15 +7480,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Foydalanish uchun mavjud bo'lgan sana talab qilinadi DocType: Request for Quotation,Supplier Detail,Yetkazib beruvchi ma'lumotlarni apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Formulada yoki vaziyatda xato: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Xarajatlar miqdori +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Xarajatlar miqdori apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Mezonning og'irliklari 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Ishtirok etish apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,Qimmatli qog'ozlar DocType: Sales Invoice,Update Billed Amount in Sales Order,Savdo Buyurtma miqdorini to'ldiring +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Sotuvchiga murojaat qiling 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Buyurtma buyurtmasini saqlaganingizdan so'ng So'zlar paydo bo'ladi. @@ -7427,6 +7504,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Narxlar ro'yxati ustasi. DocType: Task,Review Date,Ko'rib chiqish sanasi DocType: BOM,Allow Alternative Item,Shu bilan bir qatorda narsalarga ruxsat berish +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Xarid kvitansiyasida "Qidiruv namunasini yoqish" bandi mavjud emas. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Hisob-fakturaning umumiy summasi DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Assotsiatsiya uchun amortizatsiya qilish uchun jurnal (jurnalga yozilish) DocType: Membership,Member Since,Ro'yxatdan bo'lgan @@ -7436,6 +7514,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,Jami aniq 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} atributi uchun {4} belgisi uchun {1} - {2} oralig'ida {3} DocType: Pricing Rule,Product Discount Scheme,Mahsulot chegirma sxemasi +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Qo'ng'iroqda hech qanday muammo ko'tarilmagan. DocType: Restaurant Reservation,Waitlisted,Kutib turildi DocType: Employee Tax Exemption Declaration Category,Exemption Category,Istisno kategoriyasi apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Valyutani boshqa valyutani qo'llagan holda kiritish o'zgartirilmaydi @@ -7449,7 +7528,6 @@ DocType: Customer Group,Parent Customer Group,Ota-xaridorlar guruhi apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON-ni faqat Sotilgan hisob-fakturadan olish mumkin apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Ushbu viktorinada maksimal urinishlar soni erishildi! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Obuna -DocType: Purchase Invoice,Contact Email,E-pochtaga murojaat qiling apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Ish haqi yaratilishi kutilmoqda DocType: Project Template Task,Duration (Days),Davomiyligi (kunlar) DocType: Appraisal Goal,Score Earned,Quloqqa erishildi @@ -7474,7 +7552,6 @@ DocType: Landed Cost Item,Landed Cost Item,Chiqindilar narxlari 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Bitta tranzaksiyaning miqdori ruxsat etilgan maksimal miqdordan oshib ketadi, bitimni ajratish orqali alohida to'lov topshirig'ini yarating" 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 @@ -7642,6 +7719,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Mavju DocType: Quality Inspection Reading,Reading 3,O'qish 3 DocType: Stock Entry,Source Warehouse Address,Resurs omborining manzili DocType: GL Entry,Voucher Type,Voucher turi +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Kelgusi to'lovlar 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 @@ -7668,6 +7746,7 @@ 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." DocType: Sales Invoice,Customer GSTIN,Xaridor GSTIN DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Bu sohada aniqlangan kasalliklar ro'yxati. Tanlangan bo'lsa, u avtomatik ravishda kasallik bilan shug'ullanadigan vazifalar ro'yxatini qo'shib qo'yadi" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Bu ildiz sog'liqni saqlash xizmati bo'linmasi va tahrir qilinishi mumkin emas. DocType: Asset Repair,Repair Status,Ta'mirlash holati 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." @@ -7682,6 +7761,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,O'zgarish miqdorini hisobga olish DocType: QuickBooks Migrator,Connecting to QuickBooks,QuickBooks-ga ulanish DocType: Exchange Rate Revaluation,Total Gain/Loss,Jami daromad / zararlar +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Tanlash ro'yxatini yarating apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partiya / Hisob {3} {4} da {1} / {2} DocType: Employee Promotion,Employee Promotion,Ishchilarni rag'batlantirish DocType: Maintenance Team Member,Maintenance Team Member,Xizmat jamoasi a'zosi @@ -7764,6 +7844,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,Net to'lov salbiy bo'lishi mumkin emas @@ -7795,7 +7876,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Sifat maqsadi DocType: BOM,Item to be manufactured or repacked,Mahsulot ishlab chiqariladi yoki qayta paketlanadi apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Joylashuvda xatolik: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Xaridor ko'targan muammo yo'q. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Asosiy / Tanlovlar apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Buyurtma sozlamalarida iltimos etkazib beruvchi guruhini tanlang. @@ -7888,8 +7968,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Kredit kuni apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,"Lab Testlarini olish uchun Marhamat, Bemor-ni tanlang" DocType: Exotel Settings,Exotel Settings,Exotel sozlamalari -DocType: Leave Type,Is Carry Forward,Oldinga harakat qilmoqda +DocType: Leave Ledger Entry,Is Carry Forward,Oldinga harakat qilmoqda DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Tarkibida yo'qligi belgilangan ish vaqti. (O'chirish uchun nol) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Xabar yuboring apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,BOM'dan ma'lumotlar ol 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 diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv index c4e57db3df..129db514d5 100644 --- a/erpnext/translations/vi.csv +++ b/erpnext/translations/vi.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,Thông báo cho Nhà cung cấp apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,Vui lòng chọn loại đối tác đầu tiên DocType: Item,Customer Items,Mục khách hàng +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,Nợ phải trả DocType: Project,Costing and Billing,Chi phí và thanh toán apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},Đơn vị tiền tệ của tài khoản trước phải giống với đơn vị tiền tệ của công ty {0} DocType: QuickBooks Migrator,Token Endpoint,Điểm cuối mã thông báo @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,Đơn vị đo mặc định DocType: SMS Center,All Sales Partner Contact,Tất cả Liên hệ Đối tác Bán hàng DocType: Department,Leave Approvers,Để lại người phê duyệt DocType: Employee,Bio / Cover Letter,Bio / Cover Letter +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,Tìm kiếm mục ... DocType: Patient Encounter,Investigations,Điều tra DocType: Restaurant Order Entry,Click Enter To Add,Nhấp Enter để Thêm apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL","Thiếu giá trị cho Mật khẩu, Khóa API hoặc URL Shopify" DocType: Employee,Rented,Thuê apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,Tất cả các tài khoản apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,Không thể chuyển nhân viên có trạng thái sang trái -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Đơn đặt hàng không thể bị hủy, dẹp bỏ đơn hàng để hủy" DocType: Vehicle Service,Mileage,Cước phí apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,Bạn có thực sự muốn tháo dỡ tài sản này? DocType: Drug Prescription,Update Schedule,Cập nhật Lịch trình @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,Khách hàng DocType: Purchase Receipt Item,Required By,Yêu cầu bởi DocType: Delivery Note,Return Against Delivery Note,Trả về đối với giấy báo giao hàng DocType: Asset Category,Finance Book Detail,Chi tiết Sách Tài chính +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,Tất cả các khấu hao đã được đặt DocType: Purchase Order,% Billed,% Hóa đơn đã lập apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,Số biên chế apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),Tỷ giá ngoại tệ phải được giống như {0} {1} ({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,Tình trạng hết lô hàng apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,Hối phiếu ngân hàng DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,Tổng số bài dự thi muộn DocType: Mode of Payment Account,Mode of Payment Account,Phương thức thanh toán Tài khoản apps/erpnext/erpnext/config/healthcare.py,Consultation,Tư vấn DocType: Accounts Settings,Show Payment Schedule in Print,Hiển thị lịch thanh toán in @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock,Tr apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,Chi tiết liên hệ chính apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,Các vấn đề mở DocType: Production Plan Item,Production Plan Item,Kế hoạch sản xuất hàng +DocType: Leave Ledger Entry,Leave Ledger Entry,Rời khỏi sổ cái 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} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},Trường {0} được giới hạn ở kích thước {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 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,S DocType: Purchase Invoice Item,Item Weight Details,Chi tiết Trọng lượng Chi tiết DocType: Asset Maintenance Log,Periodicity,Tính tuần hoàn apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,Năm tài chính {0} là cần thiết +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,Lãi / lỗ ròng DocType: Employee Group Table,ERPNext User ID,ID người dùng ERPNext DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,Khoảng cách tối thiểu giữa các hàng cây để tăng trưởng tối ưu apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,Vui lòng chọn Bệnh nhân để làm thủ tục theo quy định @@ -169,10 +173,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,Bảng giá bán DocType: Patient,Tobacco Current Use,Sử dụng thuốc lá apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,Giá bán -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,Vui lòng lưu tài liệu của bạn trước khi thêm tài khoản mới 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ì ... 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 @@ -235,6 +239,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,Qu DocType: Exchange Rate Revaluation Account,Gain/Loss,Mất lợi DocType: Crop,Perennial,Lâu năm DocType: Program,Is Published,Được công bố +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,Hiển thị ghi chú giao hàng apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.","Để cho phép thanh toán quá mức, hãy cập nhật "Trợ cấp thanh toán quá mức" trong Cài đặt tài khoản hoặc Mục." DocType: Patient Appointment,Procedure,Thủ tục DocType: Accounts Settings,Use Custom Cash Flow Format,Sử dụng Định dạng Tiền mặt Tuỳ chỉnh @@ -265,7 +270,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,Để lại chi tiết chính sách DocType: BOM,Item Image (if not slideshow),Hình ảnh mẫu hàng (nếu không phải là slideshow) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,Hàng # {0}: Thao tác {1} chưa được hoàn thành cho {2} qty hàng thành phẩm trong Đơn hàng công việc {3}. Vui lòng cập nhật trạng thái hoạt động thông qua Thẻ công việc {4}. -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again","{0} là bắt buộc để tạo thanh toán chuyển tiền, đặt trường và thử lại" DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tỷ lệ giờ / 60) * Thời gian hoạt động thực tế apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,Hàng # {0}: Loại tài liệu tham khảo phải là một trong Yêu cầu bồi thường hoặc Đăng ký tạp chí apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,Chọn BOM @@ -285,6 +289,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,Trả Trong số kỳ apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,Số lượng sản xuất không thể ít hơn không DocType: Stock Entry,Additional Costs,Chi phí bổ sung +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/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,Không thể chuyển đổi sang loại nhóm vì Tài khoản vẫn còn giao dịch DocType: Lead,Product Enquiry,Đặt hàng sản phẩm DocType: Education Settings,Validate Batch for Students in Student Group,Xác nhận tính hợp lệ cho sinh viên trong nhóm học sinh @@ -296,7 +301,9 @@ DocType: Employee Education,Under Graduate,Chưa tốt nghiệp apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,Vui lòng đặt mẫu mặc định cho Thông báo trạng thái rời khỏi trong Cài đặt nhân sự. apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,Mục tiêu trên DocType: BOM,Total Cost,Tổng chi phí +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,Phân bổ hết hạn! DocType: Soil Analysis,Ca/K,Ca / K +DocType: Leave Type,Maximum Carry Forwarded Leaves,Lá chuyển tiếp tối đa DocType: Salary Slip,Employee Loan,nhân viên vay DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-. MM.- DocType: Fee Schedule,Send Payment Request Email,Gửi Email yêu cầu thanh toán @@ -306,6 +313,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,địa apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,Báo cáo cuả Tài khoản apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,Dược phẩm DocType: Purchase Invoice Item,Is Fixed Asset,Là cố định tài sản +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,Hiển thị các khoản thanh toán trong tương lai DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,Tài khoản ngân hàng này đã được đồng bộ hóa DocType: Homepage,Homepage Section,Phần Trang chủ @@ -352,7 +360,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,Phân bón apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ 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 -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/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,Ít nhất một phương thức thanh toán là cần thiết cho POS hóa đơn. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},Không có lô nào là bắt buộc đối với mục theo lô {0} DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,Mục hóa đơn giao dịch báo cáo ngân hàng @@ -427,6 +434,7 @@ DocType: Job Offer,Select Terms and Conditions,Chọn Điều khoản và Điề apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,Giá trị hiện DocType: Bank Statement Settings Item,Bank Statement Settings Item,Mục cài đặt báo cáo ngân hàng DocType: Woocommerce Settings,Woocommerce Settings,Cài đặt Thương mại điện tử +DocType: Leave Ledger Entry,Transaction Name,Tên giao dịch DocType: Production Plan,Sales Orders,Đơn đặt hàng bán hàng apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,Đã tìm thấy nhiều Chương trình khách hàng thân thiết cho Khách hàng. Vui lòng chọn thủ công. DocType: Purchase Taxes and Charges,Valuation,Định giá @@ -461,6 +469,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: 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 DocType: POS Profile,Only show Customer of these Customer Groups,Chỉ hiển thị Khách hàng của các Nhóm Khách hàng này DocType: Sales Invoice,Is Opening Entry,Được mở cửa nhập @@ -469,8 +478,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,Đề cập đến nếu tài khoản phải thu phi tiêu chuẩn áp dụng 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 DocType: Supplier Scorecard,Criteria Setup,Thiết lập tiêu chí -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,Cho kho là cần thiết trước khi duyệt +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 DocType: Codification Table,Medical Code,Mã y tế apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,Kết nối Amazon với ERPNext @@ -486,7 +496,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/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,Đã thêm tài khoản ngân hàng -DocType: Delivery Stop,Contact Name,Tên Liên hệ +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ờ DocType: Course Assessment Criteria,Course Assessment Criteria,Các tiêu chí đánh giá khóa học DocType: Pricing Rule Detail,Rule Applied,Quy tắc áp dụng @@ -530,7 +540,6 @@ 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 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,Số chưa biết DocType: Website Filter Field,Website Filter Field,Trường bộ lọc trang web apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,Loại nguồn cung cấp DocType: Material Request Item,Min Order Qty,Đặt mua tối thiểu Số lượng @@ -558,7 +567,6 @@ DocType: Salary Slip,Total Principal Amount,Tổng số tiền gốc DocType: Student Guardian,Relation,Mối quan hệ DocType: Quiz Result,Correct,Chính xác DocType: Student Guardian,Mother,Mẹ -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,Vui lòng thêm khóa api kẻ sọc hợp lệ trong site_config.json trước DocType: Restaurant Reservation,Reservation End Time,Thời gian Kết thúc Đặt phòng DocType: Crop,Biennial,Hai năm ,BOM Variance Report,Báo cáo chênh lệch BOM @@ -574,6 +582,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: 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 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Thanh toán đối với {0} {1} không thể lớn hơn số tiền đang nợ {2} @@ -621,12 +630,14 @@ DocType: POS Profile,Offline POS Settings,Cài đặt POS ngoại tuyến DocType: Stock Entry Detail,Reference Purchase Receipt,Biên lai mua hàng tham khảo DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,biến thể của -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Đã hoàn thành Số lượng không có thể lớn hơn 'SL đặt Sản xuất' +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',Đã hoàn thành Số lượng không có thể lớn hơn 'SL đặt Sản xuất' +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,Thời gian dựa trên DocType: Period Closing Voucher,Closing Account Head,Đóng Trưởng Tài khoản DocType: Employee,External Work History,Bên ngoài Quá trình công tác apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,Thông tư tham khảo Lỗi apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,Thẻ Báo Cáo của Học Sinh apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,Từ mã pin +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,Hiển thị nhân viên bán hàng DocType: Appointment Type,Is Inpatient,Là bệnh nhân nội trú apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Tên Guardian1 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Trong từ (xuất khẩu) sẽ được hiển thị khi bạn lưu Giao hàng tận nơi Lưu ý. @@ -640,6 +651,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,Tên kích thước apps/erpnext/erpnext/healthcare/setup.py,Resistant,Kháng cự apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},Vui lòng đặt Giá phòng khách sạn vào {} +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: Journal Entry,Multi Currency,Đa ngoại tệ DocType: Bank Statement Transaction Invoice Item,Invoice Type,Loại hóa đơn apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,Có hiệu lực từ ngày phải nhỏ hơn ngày hợp lệ @@ -659,6 +671,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,Thừa nhận DocType: Workstation,Rent Cost,Chi phí thuê 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 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,Sắp tới Lịch sự kiện apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,Thuộc tính Variant @@ -748,7 +761,6 @@ DocType: Request for Quotation,Request for Quotation,Yêu cầu báo giá 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,Hiển thị nhân viên bán hàng trong bản in 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 @@ -756,7 +768,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,Tạo một khách hàng mới apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,Hết hạn vào apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Nếu nhiều quy giá tiếp tục chiếm ưu thế, người dùng được yêu cầu để thiết lập ưu tiên bằng tay để giải quyết xung đột." -DocType: Purchase Invoice,Scan Barcode,Quét mã vạch apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,Tạo đơn đặt hàng mua ,Purchase Register,Đăng ký mua apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,Bệnh nhân không tìm thấy @@ -816,6 +827,7 @@ DocType: Account,Old Parent,Cũ Chánh apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Trường Bắt buộc - Năm Học apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,Trường Bắt buộc - Năm Học apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} không liên kết với {2} {3} +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} @@ -859,6 +871,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,Phần lương cho bảng thời gian biểu dựa trên bảng lương DocType: Driver,Applicable for external driver,Áp dụng cho trình điều khiển bên ngoài DocType: Sales Order Item,Used for Production Plan,Sử dụng cho kế hoạch sản xuất +DocType: BOM,Total Cost (Company Currency),Tổng chi phí (Tiền tệ công ty) DocType: Loan,Total Payment,Tổng tiền thanh toán apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,Không thể hủy giao dịch cho Đơn đặt hàng công việc đã hoàn thành. DocType: Manufacturing Settings,Time Between Operations (in mins),Thời gian giữa các thao tác (bằng phút) @@ -880,6 +893,7 @@ DocType: Supplier Scorecard Standing,Notify Other,Thông báo khác DocType: Vital Signs,Blood Pressure (systolic),Huyết áp (tâm thu) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1} là {2} DocType: Item Price,Valid Upto,Hợp lệ tới +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 @@ -898,6 +912,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},Thay đổi trong {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,Vui lòng chọn Công ty DocType: Employee Skill,Employee Skill,Kỹ năng nhân viên apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,Tài khoản chênh lệch @@ -942,6 +957,7 @@ DocType: Patient,Risk Factors,Các yếu tố rủi ro DocType: Patient,Occupational Hazards and Environmental Factors,Các nguy cơ nghề nghiệp và các yếu tố môi trường apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,Mục hàng đã được tạo cho Đơn hàng công việc apps/erpnext/erpnext/templates/pages/cart.html,See past orders,Xem đơn đặt hàng trước +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0} cuộc hội thoại DocType: Vital Signs,Respiratory rate,Tỉ lệ hô hấp apps/erpnext/erpnext/config/help.py,Managing Subcontracting,Quản lý Hợp đồng phụ DocType: Vital Signs,Body Temperature,Thân nhiệt @@ -983,6 +999,7 @@ DocType: Purchase Invoice,Registered Composition,Thành phần đã đăng ký apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,xin chào apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,Di chuyển mục DocType: Employee Incentive,Incentive Amount,Số tiền khuyến khích +,Employee Leave Balance Summary,Tóm tắt số dư nhân viên DocType: Serial No,Warranty Period (Days),Thời gian bảo hành (ngày) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,Tổng có/ tổng nợ phải giống như mục nhập nhật ký được liên kết DocType: Installation Note Item,Installation Note Item,Lưu ý cài đặt hàng @@ -996,6 +1013,7 @@ DocType: Vital Signs,Bloated,Bloated DocType: Salary Slip,Salary Slip Timesheet,Bảng phiếu lương apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Kho nhà cung cấp là bắt buộc đối với biên lai nhận hàng của thầu phụ DocType: Item Price,Valid From,Hợp lệ từ +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,Đánh giá của bạn: DocType: Sales Invoice,Total Commission,Tổng tiền Hoa hồng 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 @@ -1003,6 +1021,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,Tất cả phiế 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 +DocType: Item,Website Image,Hình ảnh trang web apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,Nhắm mục tiêu kho theo hàng {0} phải giống như Đơn hàng công việc apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,Tỷ lệ đánh giá là bắt buộc nếu cổ phiếu mở đã được nhập vào 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 @@ -1037,8 +1056,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,Vui lòng hoàn tất cấu hình API kẻ sọc trước khi đồng bộ hóa tài khoản của bạ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 DocType: Job Applicant,Resume Attachment,Resume đính kèm @@ -1050,7 +1069,6 @@ DocType: Production Plan,Production Plan,Kế hoạch sản xuất DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,Mở Công cụ Tạo Hóa Đơn DocType: Salary Component,Round to the Nearest Integer,Làm tròn đến số nguyên gần nhất apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,Bán hàng trở lại -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Lưu ý: Tổng di dời phân bổ {0} không được nhỏ hơn các di dời đã được phê duyệt {1} cho giai đoạn DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,Đặt số lượng trong giao dịch dựa trên sê-ri không có đầu vào ,Total Stock Summary,Tóm tắt Tổng số apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1079,6 +1097,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,M apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,Số tiền chính DocType: Loan Application,Total Payable Interest,Tổng số lãi phải trả apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},Tổng số: {0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,Liên hệ mở DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Sales Invoice Timesheet 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} @@ -1088,6 +1107,7 @@ DocType: Hotel Settings,Default Invoice Naming Series,Chuỗi đặt tên mặc 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 DocType: Restaurant Reservation,Restaurant Reservation,Đặt phòng khách sạn +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,Những hạng mục của bạn apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,Đề nghị Viết DocType: Payment Entry Deduction,Payment Entry Deduction,Bút toán thanh toán khấu trừ DocType: Service Level Priority,Service Level Priority,Ưu tiên cấp độ dịch vụ @@ -1096,6 +1116,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,Loạt số lô apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,Nhân viên kd {0} đã tồn tại DocType: Employee Advance,Claimed Amount,Số Tiền Yêu Cầu +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,Phân bổ hết hạn 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 @@ -1165,7 +1186,6 @@ DocType: Student Batch Name,Batch Name,Tên đợt hàng DocType: Fee Validity,Max number of visit,Số lần truy cập tối đa DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,Bắt buộc đối với tài khoản lãi và lỗ ,Hotel Room Occupancy,Phòng khách sạn -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,Thời gian biểu đã tạo: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},Xin vui lòng thiết lập mặc định hoặc tiền trong tài khoản ngân hàng Phương thức thanh toán {0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,Ghi danh DocType: GST Settings,GST Settings,Cài đặt GST @@ -1299,6 +1319,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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 DocType: Request for Quotation,Link to material requests,Liên kết để yêu cầu tài liệu +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,Công bố apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,Hàng không vũ trụ ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,Thẻ tín dụng nhập @@ -1325,6 +1346,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,Tài sản ngắn hạn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0} không phải là 1 vật liệu tồn kho apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',Vui lòng chia sẻ phản hồi của bạn cho buổi tập huấn bằng cách nhấp vào 'Phản hồi đào tạo' và sau đó 'Mới' +DocType: Call Log,Caller Information,Thông tin người gọi DocType: Mode of Payment Account,Default Account,Tài khoản mặc định apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,Vui lòng chọn Lưu trữ mẫu Mẫu trong Cài đặt Kho apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,Vui lòng chọn loại Chương trình Nhiều Cấp cho nhiều quy tắc thu thập. @@ -1349,6 +1371,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,Các yêu cầu tự động Chất liệu Generated DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),Giờ làm việc dưới đó nửa ngày được đánh dấu. (Không có để vô hiệu hóa) DocType: Job Card,Total Completed Qty,Tổng số đã hoàn thành +DocType: HR Settings,Auto Leave Encashment,Tự động rời khỏi Encashment apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,Mất apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,Bạn không thể nhập chứng từ hiện hành tại cột 'Chứng từ đối ứng' DocType: Employee Benefit Application Detail,Max Benefit Amount,Số tiền lợi ích tối đa @@ -1378,9 +1401,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,Người đăng kí DocType: Item Attribute Value,Item Attribute Value,GIá trị thuộc tính mẫu hàng apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,Trao đổi tiền tệ phải được áp dụng cho việc mua hoặc bán. +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,Chỉ có thể hủy bỏ phân bổ hết hạn DocType: Item,Maximum sample quantity that can be retained,Số lượng mẫu tối đa có thể được giữ lại apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},Hàng {0} # Khoản {1} không thể chuyển được nhiều hơn {2} so với Đơn mua hàng {3} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,Các chiến dịch bán hàng. +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,Người gọi không xác định DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1412,6 +1437,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,Thời gian apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,Doc Tên DocType: Expense Claim Detail,Expense Claim Type,Loại chi phí yêu cầu bồi thường DocType: Shopping Cart Settings,Default settings for Shopping Cart,Các thiết lập mặc định cho Giỏ hàng +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,Lưu mục apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,Chi phí mới apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,Bỏ qua số lượng đặt hàng hiện có apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,Thêm Timeslots @@ -1424,6 +1450,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,Đã gửi lời mời phản hồi DocType: Shift Assignment,Shift Assignment,Chuyển nhượng Shift DocType: Employee Transfer Property,Employee Transfer Property,Chuyển nhượng nhân viên +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,Tài khoản Vốn chủ sở hữu / Trách nhiệm không thể để trống apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,Từ thời gian nên ít hơn đến thời gian apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,Công nghệ sinh học apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1506,11 +1533,13 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From State,Từ ti 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 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,Lịch khóa học DocType: GSTR 3B Report,GSTR 3B Report,Báo cáo GSTR 3B DocType: Request for Quotation Supplier,Quote Status,Trạng thái xác nhận DocType: GoCardless Settings,Webhooks Secret,Webhooks bí mật DocType: Maintenance Visit,Completion Status,Tình trạng hoàn thành +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},Tổng số tiền thanh toán không thể lớn hơn {} DocType: Daily Work Summary Group,Select Users,Chọn Người dùng 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 @@ -1548,6 +1577,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,Số ti DocType: Lab Test Template,Result Format,Định dạng kết quả DocType: Expense Claim,Expenses,Chi phí DocType: Service Level,Support Hours,Giờ hỗ trợ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,Phiếu giao hàng DocType: Item Variant Attribute,Item Variant Attribute,Thuộc tính biến thể mẫu hàng ,Purchase Receipt Trends,Xu hướng của biên lai nhận hàng DocType: Payroll Entry,Bimonthly,hai tháng một lần @@ -1570,7 +1600,6 @@ DocType: Sales Team,Incentives,Ưu đãi 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,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 @@ -1617,7 +1646,6 @@ apps/erpnext/erpnext/config/accounting.py,Currency exchange rate master.,Tổng ,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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},Không thể tìm khe thời gian trong {0} ngày tới cho hoạt động {1} 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/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 @@ -1632,9 +1660,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,Bạn phải kích hoạt tự động đặt hàng lại trong Cài đặt chứng khoán để duy trì mức đặt hàng lại. apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,Hủy bỏ {0} thăm Vật liệu trước khi hủy bỏ bảo trì đăng nhập này DocType: Pricing Rule,Rate or Discount,Xếp hạng hoặc Giảm giá +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,Thông tin chi tiết ngân hàng DocType: Vital Signs,One Sided,Một mặt apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},Không nối tiếp {0} không thuộc về hàng {1} -DocType: Purchase Receipt Item Supplied,Required Qty,Số lượng yêu cầu +DocType: Purchase Order Item Supplied,Required Qty,Số lượng yêu cầu DocType: Marketplace Settings,Custom Data,Dữ liệu Tuỳ chỉnh apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,Các kho hàng với giao dịch hiện tại không thể được chuyển đổi sang sổ cái. DocType: Service Day,Service Day,Ngày phục vụ @@ -1662,7 +1691,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,Tiền tệ Tài khoản DocType: Lab Test,Sample ID,ID mẫu apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,Xin đề cập đến Round tài khoản tại Công ty Tắt -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,ghi nợ DocType: Purchase Receipt,Range,Tầm DocType: Supplier,Default Payable Accounts,Mặc định Accounts Payable apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,Nhân viên {0} không hoạt động hoặc không tồn tại @@ -1703,8 +1731,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,Yêu cầu thông tin DocType: Course Activity,Activity Date,Ngày hoạt động apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} trong số {} -,LeaderBoard,Bảng thành tích DocType: Sales Invoice Item,Rate With Margin (Company Currency),Tỷ lệ Giãn (Tiền tệ của Công ty) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,Thể loại apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,Đồng bộ hóa offline Hoá đơn DocType: Payment Request,Paid,Đã trả DocType: Service Level,Default Priority,Ưu tiên mặc định @@ -1739,11 +1767,11 @@ DocType: Agriculture Task,Agriculture Task,Nhiệm vụ Nông nghiệp apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Indirect Income,Thu nhập gián tiếp DocType: Student Attendance Tool,Student Attendance Tool,Công cụ điểm danh sinh viên DocType: Restaurant Menu,Price List (Auto created),Bảng Giá (Tự động tạo ra) +DocType: Pick List Item,Picked Qty,Chọn số lượng DocType: Cheque Print Template,Date Settings,Cài đặt ngày 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 -,Company Name,Tên công ty 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. @@ -1762,7 +1790,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,Nỗ lực mới nhất DocType: Quiz Result,Quiz Result,Kết quả bài kiểm tra 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} -DocType: BOM,Raw Material Cost(Company Currency),Chi phí nguyên liệu (Tiền tệ công ty) 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 @@ -1831,6 +1858,7 @@ DocType: Travel Itinerary,Train,Xe lửa ,Delayed Item Report,Báo cáo mục bị trì hoãn apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,ITC đủ điều kiện DocType: Healthcare Service Unit,Inpatient Occupancy,Bệnh nhân nội trú +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,Xuất bản các mục đầu tiên của bạn DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,Thời gian sau khi kết thúc ca làm việc trả phòng được xem xét để tham dự. apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},Vui lòng ghi rõ {0} @@ -1949,6 +1977,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,Tất cả BOMs apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,Tạo Nhật ký công ty Inter DocType: Company,Parent Company,Công ty mẹ apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},Khách sạn Các loại {0} không có mặt trên {1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,So sánh các BOM cho những thay đổi trong Nguyên liệu thô và Hoạt động apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,Tài liệu {0} không rõ ràng thành công DocType: Healthcare Practitioner,Default Currency,Mặc định tệ apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,Điều chỉnh tài khoản này @@ -1983,6 +2012,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form hóa đơn chi tiết DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Hóa đơn hòa giải thanh toán DocType: Clinical Procedure,Procedure Template,Mẫu thủ tục +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,Xuất bản các mặt hàng apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,Đóng góp% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Theo các cài đặt mua bán, nếu đơn đặ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 hóa đơn mua hàng đầu tiên cho danh mục {0}" ,HSN-wise-summary of outward supplies,HSN-wise-tóm tắt các nguồn cung cấp bên ngoài @@ -1995,7 +2025,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',Xin hãy đặt 'Áp dụng giảm giá bổ sung On' DocType: Party Tax Withholding Config,Applicable Percent,Phần trăm áp dụng ,Ordered Items To Be Billed,Các mặt hàng đã đặt hàng phải được xuất hóa đơn -DocType: Employee Checkin,Exit Grace Period Consequence,Thoát khỏi hậu quả thời gian ân sủng apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,Từ Phạm vi có thể ít hơn Để Phạm vi DocType: Global Defaults,Global Defaults,Mặc định toàn cầu apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,Lời mời hợp tác dự án @@ -2003,13 +2032,11 @@ DocType: Salary Slip,Deductions,Các khoản giảm trừ DocType: Setup Progress Action,Action Name,Tên hành động apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,Năm bắt đầu apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,Tạo khoản vay -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,Ngày bắt đầu hóa đơn hiện tại DocType: Shift Type,Process Attendance After,Tham dự quá trình sau ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,Nghỉ không lương DocType: Payment Request,Outward,Bề ngoài -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,Công suất Lỗi Kế hoạch apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,Thuế nhà nước / UT ,Trial Balance for Party,số dư thử nghiệm cho bên đối tác ,Gross and Net Profit Report,Báo cáo lợi nhuận gộp và lãi ròng @@ -2028,7 +2055,6 @@ DocType: Payroll Entry,Employee Details,Chi tiết nhân viên 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} -DocType: Setup Progress Action,Domains,Tên miền 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} @@ -2071,7 +2097,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,Tổng s 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.","Chế độ thanh toán không đượcđịnh hình. Vui lòng kiểm tra, dù tài khoản đã được thiết lập trên chế độ thanh toán hoặc trên hồ sơ POS" apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,Cùng mục không thể được nhập nhiều lần. apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups","Các tài khoản khác có thể tiếp tục đượctạo ra theo nhóm, nhưng các bút toán có thể được thực hiện đối với các nhóm không tồn tại" -DocType: Email Campaign,Lead,Tiềm năng +DocType: Call Log,Lead,Tiềm năng DocType: Email Digest,Payables,Phải trả DocType: Amazon MWS Settings,MWS Auth Token,Mã xác thực MWS DocType: Email Campaign,Email Campaign For ,Chiến dịch email cho @@ -2083,6 +2109,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,Các mẫu hóa đơn mua hàng được lập hóa đơn 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 DocType: Purchase Invoice Item,Net Rate,Tỷ giá thuần apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,Vui lòng chọn một khách hàng DocType: Leave Policy,Leave Allocations,Để lại phân bổ @@ -2096,6 +2123,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,Đóng Issue Sau ngày ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to 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ục để thêm người dùng vào Marketplace. +DocType: Attendance,Early Exit,Xuất cảnh sớm DocType: Job Opening,Staffing Plan,Kế hoạch nhân lực apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,E-Way Bill JSON chỉ có thể được tạo từ một tài liệu được gửi apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,Thuế và lợi ích nhân viên @@ -2118,6 +2146,7 @@ DocType: Maintenance Team Member,Maintenance Role,Vai trò Bảo trì apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},Hàng trùng lặp {0} với cùng {1} DocType: Marketplace Settings,Disable Marketplace,Vô hiệu hóa Marketplace DocType: Quality Meeting,Minutes,Phút +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,Mục nổi bật của bạn ,Trial Balance,số dư thử nghiệm apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,Hiển thị đã hoàn thành apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,Năm tài chính {0} không tìm thấy @@ -2127,8 +2156,8 @@ DocType: Hotel Room Reservation,Hotel Reservation User,Khách đặt phòng khá 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 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- -DocType: Shift Type,Consequence,Kết quả DocType: Subscription Settings,Subscription Settings,Cài đặt đăng ký DocType: Purchase Invoice,Update Auto Repeat Reference,Cập nhật tham chiếu tự động lặp lại apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},Danh sách khách sạn tùy chọn không được đặt cho khoảng thời gian nghỉ {0} @@ -2139,7 +2168,6 @@ DocType: Maintenance Visit Purpose,Work Done,Xong công việc apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,Xin vui lòng ghi rõ ít nhất một thuộc tính trong bảng thuộc tính DocType: Announcement,All Students,Tất cả học sinh apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,Mục {0} phải là mục Không-Tồn kho -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,Ngân hàng apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,Xem sổ cái DocType: Grading Scale,Intervals,khoảng thời gian DocType: Bank Statement Transaction Entry,Reconciled Transactions,Giao dịch hòa giải @@ -2175,6 +2203,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn 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 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 DocType: Opportunity Item,Opportunity Item,Hạng mục cơ hội DocType: Quality Action,Quality Review,Kiểm tra chất lượng @@ -2201,7 +2230,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,Được nổi bật Hoá đơn -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,Đơn đặt hàng {0} không hợp lệ +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 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,đơn đặt hàng giúp bạn lập kế hoạch và theo dõi mua hàng của bạn apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,Lab Test Prescriptions @@ -2226,6 +2255,7 @@ DocType: Employee Onboarding,Notify users by email,Thông báo cho người dùn DocType: Travel Request,International,Quốc tế DocType: Training Event,Training Event,Sự kiện Đào tạo DocType: Item,Auto re-order,Auto lại trật tự +DocType: Attendance,Late Entry,Vào trễ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,Tổng số đã đạt được DocType: Employee,Place of Issue,Nơi cấp DocType: Promotional Scheme,Promotional Scheme Price Discount,Chương trình khuyến mại giảm giá @@ -2272,6 +2302,7 @@ DocType: Serial No,Serial No Details,Không có chi tiết nối tiếp DocType: Purchase Invoice Item,Item Tax Rate,Tỷ giá thuế mẫu hàng apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,Từ Tên Bên apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,Số tiền lương ròng +DocType: Pick List,Delivery against Sales Order,Giao hàng theo đơn đặt hàng DocType: Student Group Student,Group Roll Number,Số cuộn nhóm DocType: Student Group Student,Group Roll Number,Số cuộn nhóm apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry","Đối với {0}, tài khoản có chỉ có thể được liên kết chống lại mục nợ khác" @@ -2345,7 +2376,6 @@ DocType: Contract,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 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,Giá trị này được sử dụng để tính tỷ lệ pro-rata temporis apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,Bạn cần phải kích hoạt mô đun Giỏ hàng DocType: Payment Entry,Writeoff,Xóa sổ DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2359,6 +2389,7 @@ DocType: Delivery Trip,Total Estimated Distance,Tổng khoảng cách ước tí DocType: Invoice Discounting,Accounts Receivable Unpaid Account,Tài khoản phải thu Tài khoản chưa thanh toán DocType: Tally Migration,Tally Company,Công ty kiểm đếm apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,Trình duyệt BOM +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},Không được phép tạo thứ nguyên kế toán cho {0} apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,Vui lòng cập nhật trạng thái của bạn cho sự kiện đào tạo này DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,Thêm hoặc Khấu trừ @@ -2368,7 +2399,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,Các mặt hàng không hoạt động DocType: Quality Review,Additional Information,thông tin thêm apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,Tổng giá trị theo thứ tự -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,Đặt lại thỏa thuận cấp độ dịch vụ. apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,Thực phẩm apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,Phạm vi Ageing 3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,Chi tiết phiếu thưởng đóng POS @@ -2415,6 +2445,7 @@ 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 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""" DocType: Healthcare Practitioner,Contacts and Address,Địa chỉ liên hệ và Địa chỉ DocType: Shift Type,Determine Check-in and Check-out,Xác định nhận phòng và trả phòng @@ -2434,7 +2465,6 @@ DocType: Student Admission,Eligibility and Details,Tính hợp lệ và chi ti apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,Bao gồm trong lợi nhuận gộp apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,Chênh lệch giá tịnh trong Tài sản cố định apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,Reqd Qty -DocType: Company,Client Code,Mã khách hàng apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Phí của loại 'thực tế' {0} hàng không có thể được bao gồm trong mục Rate apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},Tối đa: {0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,Từ Datetime @@ -2502,6 +2532,7 @@ 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 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 (%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Khách hàng được yêu cầu với tài khoản phải thu {2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Tổng số thuế và lệ phí (Công ty tiền tệ) DocType: Weather,Weather Parameter,Thông số thời tiết @@ -2564,6 +2595,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,Ngưỡng giờ làm vi apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,Có thể có nhiều yếu tố thu thập theo cấp dựa trên tổng chi tiêu. Nhưng yếu tố chuyển đổi để quy đổi sẽ luôn giống nhau đối với tất cả các cấp. apps/erpnext/erpnext/config/help.py,Item Variants,Mục Biến thể apps/erpnext/erpnext/public/js/setup_wizard.js,Services,Dịch vụ +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,Gửi mail bảng lương tới nhân viên DocType: Cost Center,Parent Cost Center,Trung tâm chi phí gốc @@ -2574,7 +2606,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields","C DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,Ghi chú giao hàng nhập khẩu từ Shopify về lô hàng apps/erpnext/erpnext/templates/pages/projects.html,Show closed,Hiển thị đã đóng DocType: Issue Priority,Issue Priority,Vấn đề ưu tiên -DocType: Leave Type,Is Leave Without Pay,Là nghỉ không lương +DocType: Leave Ledger Entry,Is Leave Without Pay,Là nghỉ không lương apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,Asset loại là bắt buộc cho mục tài sản cố định DocType: Fee Validity,Fee Validity,Tính lệ phí @@ -2626,6 +2658,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Hàng loạt sẵn apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,Cập nhật Kiểu in DocType: Bank Account,Is Company Account,Tài khoản công ty apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,Loại bỏ {0} không được mã hóa +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},Hạn mức tín dụng đã được xác định cho Công ty {0} DocType: Landed Cost Voucher,Landed Cost Help,Chi phí giúp hạ cánh DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG-.YYYY.- DocType: Purchase Invoice,Select Shipping Address,Chọn Địa chỉ Vận Chuyển @@ -2650,6 +2683,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,Hai chiều DocType: Item,Manufacturers,Nhà sản xuất của @@ -2687,7 +2721,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,Báo cáo bảng đối chiếu tài khoản ngân hàng DocType: Patient Encounter,Medical Coding,Mã hóa y tế DocType: Healthcare Settings,Reminder Message,Thư nhắc nhở -,Lead Name,Tên Tiềm năng +DocType: Call Log,Lead Name,Tên Tiềm năng ,POS,Điểm bán hàng DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,Khảo sát @@ -2719,12 +2753,14 @@ DocType: Purchase Invoice,Supplier Warehouse,Nhà cung cấp kho DocType: Opportunity,Contact Mobile No,Số Di động Liên hệ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,Chọn công ty ,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: 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- 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.,Người dùng {0} không có bất kỳ Hồ sơ POS mặc định. Kiểm tra Mặc định ở hàng {1} cho Người dùng này. DocType: Quality Meeting Minutes,Quality Meeting Minutes,Biên bản cuộc họp chất 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 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,Nhân viên giới thiệu DocType: Student Group,Set 0 for no limit,Đặt 0 để không giới hạn apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,Ngày (s) mà bạn đang nộp đơn xin nghỉ phép là ngày nghỉ. Bạn không cần phải nộp đơn xin nghỉ phép. @@ -2758,12 +2794,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,Chênh lệch giá tịnh trong tiền mặt DocType: Assessment Plan,Grading Scale,Phân loại apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Đơn vị đo lường {0} đã được nhập vào nhiều hơn một lần trong Bảng yếu tổ chuyển đổi -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,Đã hoàn thành apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,Hàng có sẵn apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",Vui lòng thêm các phúc lợi còn lại {0} vào đơn yêu cầu dưới dạng \ pro-rata cho từng cấu phần apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',Vui lòng đặt Mã tài chính cho chính quyền công cộng '% s' -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},Yêu cầu thanh toán đã tồn tại {0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,Chi phí của Items Ban hành DocType: Healthcare Practitioner,Hospital,Bệnh viện apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},Số lượng không phải lớn hơn {0} @@ -2808,6 +2842,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,Nhân sự apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,Thu nhập trên DocType: Item Manufacturer,Item Manufacturer,mục Nhà sản xuất +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,Tạo khách hàng tiềm năng mới DocType: BOM Operation,Batch Size,Kích thước hàng loạt apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,Từ chối DocType: Journal Entry Account,Debit in Company Currency,Nợ Công ty ngoại tệ @@ -2828,9 +2863,11 @@ DocType: Bank Transaction,Reconciled,Hòa giải DocType: Expense Claim,Total Amount Reimbursed,Tổng số tiền bồi hoàn apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,Điều này được dựa trên các bản ghi với xe này. Xem thời gian dưới đây để biết chi tiết apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,Ngày thanh toán không thể nhỏ hơn ngày tham gia của nhân viên +DocType: Pick List,Item Locations,Vị trí vật phẩm apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} đã được tạo apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",Thông Báo Tuyển Dụng cho vị trí {0} đã mở\ hoặc đã tuyển xong theo Kế Hoạch Nhân Sự {1} +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,Bạn có thể xuất bản tối đa 200 mặt hàng. DocType: Vital Signs,Constipated,Bị ràng buộc apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},Gắn với hóa đơn NCC {0} ngày {1} DocType: Customer,Default Price List,Mặc định Giá liệt kê @@ -2924,6 +2961,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car 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 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,Chi phí tiếp thị +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0} đơn vị của {1} không có sẵn. ,Item Shortage Report,Thiếu mục Báo cáo 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í @@ -2947,6 +2985,7 @@ DocType: Leave Allocation,Total Leaves Allocated,Tổng số nghỉ phép đư 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 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 DocType: Material Request,Transferred,Đã được vận chuyển DocType: Vehicle,Doors,cửa ra vào @@ -3027,7 +3066,7 @@ DocType: Sales Invoice Item,Customer's Item Code,Mã hàng của khách hàng DocType: Stock Reconciliation,Stock Reconciliation,"Kiểm kê, chốt kho" DocType: Territory,Territory Name,Tên địa bàn DocType: Email Digest,Purchase Orders to Receive,Mua đơn đặt hàng để nhận -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,Kho xưởng đang trong tiến độ hoàn thành được là cần thiết trước khi duyệt +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,Kho xưởng đang trong tiến độ hoàn thành được là cần thiết trước khi duyệt apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,Bạn chỉ có thể có Gói với cùng chu kỳ thanh toán trong Đăng ký DocType: Bank Statement Transaction Settings Item,Mapped Data,Dữ liệu được ánh xạ DocType: Purchase Order Item,Warehouse and Reference,Kho hàng và tham chiếu @@ -3103,6 +3142,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,Cài đặt phân phối apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,Tìm nạp dữ liệu apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},Thời gian nghỉ tối đa được phép trong loại nghỉ {0} là {1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,Xuất bản 1 mục DocType: SMS Center,Create Receiver List,Tạo ra nhận Danh sách DocType: Student Applicant,LMS Only,Chỉ LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,Ngày có sẵn để sử dụng phải sau ngày mua @@ -3136,6 +3176,7 @@ 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 DocType: Vital Signs,Furry,Furry apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Hãy thiết lập 'Gain tài khoản / Mất Xử lý tài sản trong doanh nghiệp {0} +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} @@ -3147,6 +3188,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},Xem tất cả các vấn đề từ {0} 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/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/templates/pages/help.html,Visit the forums,Truy cập diễn đàn DocType: Student,Student Mobile Number,Số di động Sinh viên DocType: Item,Has Variants,Có biến thể @@ -3158,9 +3200,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Tên phân phối DocType: Quality Procedure Process,Quality Procedure Process,Quy trình thủ tục chất lượng apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ID hàng loạt là bắt buộc apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,ID hàng loạt là bắt buộc +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,Vui lòng chọn Khách hàng trước DocType: Sales Person,Parent Sales Person,Người bán hàng tổng apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,Không có mặt hàng nào được nhận là quá hạn apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,Người bán và người mua không thể giống nhau +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,Chưa có lượt xem nào DocType: Project,Collect Progress,Thu thập tiến độ DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,Chọn chương trình đầu tiên @@ -3182,11 +3226,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,Đạt được DocType: Student Admission,Application Form Route,Mẫu đơn Route apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,Ngày kết thúc của thỏa thuận không thể ít hơn ngày hôm nay. +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,Ctrl + Enter để gửi DocType: Healthcare Settings,Patient Encounters in valid days,Cuộc gặp bệnh nhân trong những ngày hợp lệ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,Để lại Loại {0} không thể giao kể từ khi nó được nghỉ không lương 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},Dãy {0}: Phân bổ số lượng {1} phải nhỏ hơn hoặc bằng cho hóa đơn số tiền còn nợ {2} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,'Bằng chữ' sẽ được hiển thị ngay khi bạn lưu các hóa đơn bán hàng. DocType: Lead,Follow Up,Theo sát +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,Trung tâm chi phí: {0} không tồn tại DocType: Item,Is Sales Item,Là hàng bán apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,Cây nhóm mẫu hàng apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,Mục {0} không phải là thiết lập cho Serial Nos Kiểm tra mục chủ @@ -3231,9 +3277,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,Đã cung cấp Số lượng DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,Mẫu hàng yêu cầu tài liệu -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,Vui lòng hủy Biên lai mua hàng {0} trước apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,Cây biểu thị Các nhóm mẫu hàng DocType: Production Plan,Total Produced Qty,Tổng số lượng sản xuất +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,Chưa có đánh giá nào apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,Không có thể tham khảo số lượng hàng lớn hơn hoặc bằng số lượng hàng hiện tại cho loại phí này DocType: Asset,Sold,Đã bán ,Item-wise Purchase History,Mẫu hàng - lịch sử mua hàng thông minh @@ -3252,7 +3298,7 @@ DocType: Designation,Required Skills,Kỹ năng cần thiết DocType: Inpatient Record,O Positive,O tích cực apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,Các khoản đầu tư DocType: Issue,Resolution Details,Chi tiết giải quyết -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,Loại giao dịch +DocType: Leave Ledger Entry,Transaction Type,Loại giao dịch DocType: Item Quality Inspection Parameter,Acceptance Criteria,Tiêu chí chấp nhận apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,Vui lòng nhập yêu cầu Chất liệu trong bảng trên apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,Không có khoản hoàn trả nào cho mục nhập nhật ký @@ -3294,6 +3340,7 @@ DocType: Bank Account,Bank Account No,Số Tài khoản Ngân hàng DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,Gửi bằng chứng miễn thuế cho nhân viên DocType: Patient,Surgical History,Lịch sử phẫu thuật DocType: Bank Statement Settings Item,Mapped Header,Tiêu đề được ánh xạ +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: 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. 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} @@ -3362,7 +3409,6 @@ DocType: Student Report Generation Tool,Add Letterhead,Thêm Đầu giấy DocType: Program Enrollment,Self-Driving Vehicle,Phương tiện tự lái 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} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Tổng số di dời được phân bổ {0} không thể ít hơn so với số di dời được phê duyệt {1} cho giai đoạn DocType: Contract Fulfilment Checklist,Requirement,Yêu cầu DocType: Journal Entry,Accounts Receivable,Tài khoản Phải thu DocType: Quality Goal,Objectives,Mục tiêu @@ -3385,7 +3431,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,Ngưỡng giao dịch DocType: Lab Test Template,This value is updated in the Default Sales Price List.,Giá trị này được cập nhật trong Bảng giá bán Mặc định. apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,Giỏ của bạn trống trơn DocType: Email Digest,New Expenses,Chi phí mới -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,Số tiền PDC / LC apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,Không thể tối ưu hóa tuyến đường vì địa chỉ tài xế bị thiếu. DocType: Shareholder,Shareholder,Cổ đông DocType: Purchase Invoice,Additional Discount Amount,Thêm GIẢM Số tiền @@ -3422,6 +3467,7 @@ DocType: Asset Maintenance Task,Maintenance Task,Nhiệm vụ bảo trì apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,Vui lòng đặt Giới hạn B2C trong Cài đặt GST. DocType: Marketplace Settings,Marketplace Settings,Thiết lập Chợ hàng hóa DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Kho, nơi bạn cất giữ hàng bảo hành của hàng bị từ chối" +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish {0} Items,Xuất bản {0} Mục 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,Không thể tìm thấy tỷ giá cho {0} đến {1} cho ngày chính {2}. Vui lòng tạo một bản ghi tiền tệ bằng tay DocType: POS Profile,Price List,Bảng giá 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. @@ -3458,6 +3504,7 @@ DocType: Salary Component,Deduction,Khấu trừ DocType: Item,Retain Sample,Giữ mẫu apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,Hàng{0}: Từ Thời gian và Tới thời gin là bắt buộc. DocType: Stock Reconciliation Item,Amount Difference,Số tiền khác biệt +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,Trang này theo dõi các mặt hàng bạn muốn mua từ người bán. apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},Giá mẫu hàng được thêm vào cho {0} trong danh sách giá {1} DocType: Delivery Stop,Order Information,Thông tin đặt hàng apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,Vui lòng nhập Id nhân viên của người bán hàng này @@ -3486,6 +3533,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea 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 **. 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,Tên Kế hoạch Đánh giá apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,Chi tiết mục tiêu apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL","Áp dụng nếu công ty là SpA, SApA hoặc SRL" @@ -3538,7 +3586,6 @@ DocType: Company,Transactions Annual History,Giao dịch Lịch sử hàng năm 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 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-Trê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 @@ -3592,6 +3639,7 @@ DocType: Grading Scale,Grading Scale Intervals,Phân loại các khoảng thời 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 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,lợi nhuận của năm 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 @@ -3646,12 +3694,10 @@ 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ử 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 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,Không tìm thấy số GST cho Công ty. 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 DocType: Question,Single Correct Answer,Câu trả lời đúng -DocType: Employee,Contact Details,Chi tiết Liên hệ DocType: C-Form,Received Date,Hạn nhận DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Nếu bạn đã tạo ra một mẫu tiêu chuẩn thuế hàng bán và phí , chọn một mẫu và nhấp vào nút dưới đây." DocType: BOM Scrap Item,Basic Amount (Company Currency),Số tiền cơ bản (Công ty ngoại tệ) @@ -3681,12 +3727,13 @@ DocType: BOM Website Operation,BOM Website Operation,Hoạt động Website BOM DocType: Bank Statement Transaction Payment Item,outstanding_amount,số tiền còn nợ DocType: Supplier Scorecard,Supplier Score,Điểm của nhà cung cấp apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,Lên lịch nhập học +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,Tổng số tiền Yêu cầu thanh toán không thể lớn hơn {0} số tiền DocType: Tax Withholding Rate,Cumulative Transaction Threshold,Ngưỡng giao dịch tích lũy DocType: Promotional Scheme Price Discount,Discount Type,Loại giảm giá -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,Tổng số Hoá đơn Amt DocType: Purchase Invoice Item,Is Free Item,Là mặt hàng miễn phí +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,Tỷ lệ phần trăm bạn được phép chuyển nhiều hơn so với số lượng đặt hàng. Ví dụ: Nếu bạn đã đặt hàng 100 đơn vị. và Trợ cấp của bạn là 10% thì bạn được phép chuyển 110 đơn vị. DocType: Supplier,Warn RFQs,Cảnh báo RFQ -apps/erpnext/erpnext/templates/pages/home.html,Explore,Khám phá +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,Khám phá DocType: BOM,Conversion Rate,Tỷ lệ chuyển đổi apps/erpnext/erpnext/www/all-products/index.html,Product Search,Tìm kiếm sản phẩm ,Bank Remittance,Chuyển tiền qua ngân hàng @@ -3698,6 +3745,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi 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 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,Vui lòng chọn Sinh viên nhập học là bắt buộc đối với sinh viên nộp phí +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,Danh sách ngân sách DocType: Campaign,Campaign Schedules,Lịch chiến dịch DocType: Job Card Time Log,Completed Qty,Số lượng hoàn thành @@ -3720,6 +3768,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,Địa ch DocType: Quality Inspection,Sample Size,Kích thước mẫu apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,Vui lòng nhập Document Receipt apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,Tất cả các mục đã được lập hoá đơn +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,Lá lấy apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',"Vui lòng xác định hợp lệ ""Từ trường hợp số '" 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,các trung tâm chi phí khác có thể được tạo ra bằng các nhóm nhưng các bút toán có thể được tạo ra với các nhóm không tồn tại 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,Tổng số lá được phân bổ nhiều ngày hơn phân bổ tối đa {0} loại bỏ cho nhân viên {1} trong giai đoạn @@ -3820,6 +3869,8 @@ DocType: Student Report Generation Tool,Include All Assessment Group,Bao gồm T 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 DocType: Leave Block List,Allow Users,Cho phép người sử dụng 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: 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. @@ -3873,6 +3924,7 @@ DocType: Support Search Source,Result Title Field,Trường tiêu đề kết qu apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,Tóm tắt cuộc gọi DocType: Sample Collection,Collected Time,Thời gian thu thập DocType: Employee Skill Map,Employee Skills,Kỹ năng nhân viên +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,Chi phí nhiên liệu DocType: Company,Sales Monthly History,Lịch sử hàng tháng bán hàng apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,Vui lòng đặt ít nhất một hàng trong Bảng Thuế và Phí DocType: Asset Maintenance Task,Next Due Date,ngay đao hạn tiêp theo @@ -3882,6 +3934,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,Các dấ DocType: Payment Entry,Payment Deductions or Loss,Các khoản giảm trừ thanh toán hoặc mất DocType: Soil Analysis,Soil Analysis Criterias,Phân tích đất Phân loại apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,Điều khoản hợp đồng tiêu chuẩn cho bán hàng hoặc mua hàng. +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},Hàng bị xóa trong {0} DocType: Shift Type,Begin check-in before shift start time (in minutes),Bắt đầu nhận phòng trước thời gian bắt đầu ca (tính bằng phút) DocType: BOM Item,Item operation,Mục hoạt động apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,Nhóm theo Phiếu @@ -3907,11 +3960,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,Phiếu lương của nhân viên {0} đã được tạo ra trong giai đoạn này apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,Dược phẩm apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,Bạn chỉ có thể gửi Leave Encashment cho số tiền thanh toán hợp lệ +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,Mục của apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,Chi phí Mua Items DocType: Employee Separation,Employee Separation Template,Mẫu tách nhân viên DocType: Selling Settings,Sales Order Required,Đơn đặt hàng đã yêu cầu apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,Trở thành người bán -DocType: Shift Type,The number of occurrence after which the consequence is executed.,Số lần xuất hiện sau đó hậu quả được thực hiện. ,Procurement Tracker,Theo dõi mua sắm DocType: Purchase Invoice,Credit To,Để tín dụng apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC đảo ngược @@ -3924,6 +3977,7 @@ DocType: Quality Meeting,Agenda,Chương trình nghị sự DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Lịch trình bảo dưỡng chi tiết DocType: Supplier Scorecard,Warn for new Purchase Orders,Cảnh báo đối với Đơn mua hàng mới DocType: Quality Inspection Reading,Reading 9,Đọc 9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,Kết nối tài khoản Exotel của bạn với ERPNext và theo dõi nhật ký cuộc gọi DocType: Supplier,Is Frozen,Là đóng băng DocType: Tally Migration,Processed Files,Tập tin đã xử lý apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,kho nút Nhóm không được phép chọn cho các giao dịch @@ -3933,6 +3987,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,số hiệu BOM cho DocType: Upload Attendance,Attendance To Date,Có mặt đến ngày 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 @@ -3958,7 +4013,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,Người yêu cầu apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},Tham chiếu không hợp lệ {0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,Quy tắc áp dụng các chương trình khuyến mãi khác nhau. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) không được lớn hơn số lượng trong kế hoạch ({2}) trong lệnh sản xuất {3} DocType: Shipping Rule,Shipping Rule Label,Quy tắc vận chuyển nhãn hàng DocType: Journal Entry Account,Payroll Entry,Bản ghi lương apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,Xem Hồ sơ Phí @@ -3970,6 +4024,7 @@ DocType: Contract,Fulfilment Status,Trạng thái thực hiện DocType: Lab Test Sample,Lab Test Sample,Mẫu thử từ Phòng thí nghiệm DocType: Item Variant Settings,Allow Rename Attribute Value,Cho phép Đổi tên Giá trị Thuộc tính apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,Bút toán nhật ký +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,Số tiền thanh toán trong tương lai apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,Bạn không thể thay đổi tỷ lệ nếu BOM đã được đối ứng với vật tư bất kỳ. DocType: Restaurant,Invoice Series Prefix,Tiền tố của Dòng hoá đơn DocType: Employee,Previous Work Experience,Kinh nghiệm làm việc trước đây @@ -3999,6 +4054,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,Tình trạng dự án DocType: UOM,Check this to disallow fractions. (for Nos),Kiểm tra này để không cho phép các phần phân đoạn. (Cho Nos) DocType: Student Admission Program,Naming Series (for Student Applicant),Đặt tên Series (cho sinh viên nộp đơn) +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/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 @@ -4014,6 +4070,7 @@ DocType: Fiscal Year,Year End Date,Ngày kết thúc năm DocType: Task Depends On,Task Depends On,Nhiệm vụ Phụ thuộc vào apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Opportunity,Cơ hội DocType: Options,Option,Tùy chọn +apps/erpnext/erpnext/accounts/general_ledger.py,You can't create accounting entries in the closed accounting period {0},Bạn không thể tạo các mục kế toán trong kỳ kế toán đã đóng {0} DocType: Operation,Default Workstation,Mặc định Workstation DocType: Payment Entry,Deductions or Loss,Các khoản giảm trừ khả năng mất vốn apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} {1} is closed,{0} {1} đã đóng @@ -4022,6 +4079,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,Lấy tồn kho hiện tại DocType: Purchase Invoice,ineligible,không hội đủ điều kiện apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,Cây biểu thị hóa đơn nguyên vật liệu +DocType: BOM,Exploded Items,Vật phẩm nổ DocType: Student,Joining Date,Ngày tham gia ,Employees working on a holiday,Nhân viên làm việc trên một kỳ nghỉ ,TDS Computation Summary,Tóm tắt tính toán TDS @@ -4054,6 +4112,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Tỷ giá cơ bản (t DocType: SMS Log,No of Requested SMS,Số SMS được yêu cầu apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,Để lại Nếu không phải trả tiền không phù hợp với hồ sơ Để lại ứng dụng đã được phê duyệt apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,Những bước tiếp theo +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,Các mục đã lưu DocType: Travel Request,Domestic,Trong nước apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,Vui lòng cung cấp mục cụ thể với mức giá tốt nhất có thể apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,Chuyển khoản nhân viên không thể được gửi trước ngày chuyển @@ -4107,7 +4166,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, DocType: Asset Category Account,Asset Category Account,Loại tài khoản tài sản apps/erpnext/erpnext/controllers/item_variant.py,The value {0} is already assigned to an exisiting Item {2}.,Giá trị {0} đã được gán cho Mục hiện tại {2}. apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,Hàng # {0} (Bảng Thanh toán): Số tiền phải là số dương -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Không thể sản xuất {0} nhiều hơn số lượng trên đơn đặt hàng {1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},Không thể sản xuất {0} nhiều hơn số lượng trên đơn đặt hàng {1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,Không có gì được tính vào tổng apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,Hóa đơn điện tử đã tồn tại cho tài liệu này apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,Chọn Giá trị Thuộc tính @@ -4142,12 +4201,10 @@ 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 -DocType: Shift Type,Enable Different Consequence for Early Exit,Kích hoạt hệ quả khác nhau để thoát sớm ,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 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ý -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,Hãy chú ý lưu ý đầu tiên DocType: Student Applicant,Application Date,Ngày nộp hồ sơ DocType: Salary Component,Amount based on formula,Số tiền dựa trên công thức DocType: Purchase Invoice,Currency and Price List,Bảng giá và tiền @@ -4176,6 +4233,7 @@ DocType: Purchase Receipt,Time at which materials were received,Thời gian mà DocType: Products Settings,Products per Page,Sản phẩm trên mỗi trang 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 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,Số tiền được phân bổ không thể âm 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 @@ -4185,6 +4243,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,90-Above,Trên - 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,Hàng # {0}: Bút toán nhật ký {1} không có tài khoản {2} hoặc đã xuất hiện đối với chứng từ khác DocType: Supplier Scorecard Criteria,Criteria Weight,Tiêu chí Trọng lượng +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,Tài khoản: {0} không được phép trong Mục thanh toán DocType: Production Plan,Ignore Existing Projected Quantity,Bỏ qua số lượng dự kiến hiện có apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,Để lại thông báo phê duyệt DocType: Buying Settings,Default Buying Price List,Bảng giá mua hàng mặc định @@ -4193,6 +4252,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra 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 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" DocType: Payment Entry,Payment Type,Loại thanh toán apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Vui lòng chọn một lô hàng {0}. Không thể tìm thấy lô hàng nào đáp ứng yêu cầu này @@ -4222,6 +4282,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,Cài đặt giỏ hàng m DocType: Journal Entry,Accounting Entries,Các bút toán hạch toán 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á'." +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: Journal Entry,Paid Loan,Khoản vay đã trả 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 @@ -4238,12 +4299,14 @@ DocType: Shopify Settings,Webhooks Details,Chi tiết về Webhooks apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,Không tờ thời gian DocType: GoCardless Mandate,GoCardless Customer,Khách hàng GoCard apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,Để lại Loại {0} có thể không được thực hiện chuyển tiế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 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',Lịch trình bảo trì không được tạo ra cho tất cả các mục. Vui lòng click vào 'Tạo lịch' ,To Produce,Để sản xuất DocType: Leave Encashment,Payroll,Bảng lương 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","Đối với hàng {0} trong {1}. Để bao gồm {2} tỷ lệ Item, hàng {3} cũng phải được bao gồm" DocType: Healthcare Service Unit,Parent Service Unit,Đơn vị Dịch vụ Phụ Huynh DocType: Packing Slip,Identification of the package for the delivery (for print),Xác định các gói hàng cho việc giao hàng (cho in ấn) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,Thỏa thuận cấp độ dịch vụ đã được đặt lại. DocType: Bin,Reserved Quantity,Số lượng được dự trữ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Vui lòng nhập địa chỉ email hợp lệ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,Vui lòng nhập địa chỉ email hợp lệ @@ -4265,7 +4328,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,Giảm giá hoặc sản phẩm apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,Đối với hàng {0}: Nhập số lượng dự kiến DocType: Account,Income Account,Tài khoản thu nhập -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ổ DocType: Payment Request,Amount in customer's currency,Tiền quy đổi theo ngoại tệ của khách apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,Giao hàng apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,Phân công cấu trúc ... @@ -4288,6 +4350,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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 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?,Bạn sẽ mất các bản ghi hóa đơn đã tạo trước đó. Bạn có chắc chắn muốn khởi động lại đăng ký này không? @@ -4343,11 +4406,10 @@ DocType: Additional Salary,HR User,Người sử dụng nhân sự DocType: Bank Guarantee,Reference Document Name,Tên tài liệu tham khảo DocType: Purchase Invoice,Taxes and Charges Deducted,Thuế và lệ phí được khấu trừ DocType: Support Settings,Issues,Vấn đề -DocType: Shift Type,Early Exit Consequence after,Hậu quả xuất cảnh sớm sau DocType: Loyalty Program,Loyalty Program Name,Tên chương trình khách hàng thân thiết apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},Tình trạng phải là một trong {0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,Lời nhắc để cập nhật GSTIN Đã gửi -DocType: Sales Invoice,Debit To,nợ với +DocType: Discounted Invoice,Debit To,nợ với DocType: Restaurant Menu Item,Restaurant Menu Item,Danh mục thực đơn nhà hàng DocType: Delivery Note,Required only for sample item.,Yêu cầu chỉ cho mục mẫu. DocType: Stock Ledger Entry,Actual Qty After Transaction,Số lượng thực tế Sau khi giao dịch @@ -4430,6 +4492,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,Tên thông số apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Chỉ Rời khỏi ứng dụng với tình trạng 'Chấp Nhận' và 'từ chối' có thể được gửi apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,Tạo kích thước ... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},Tên sinh viên Group là bắt buộc trong hàng {0} +DocType: Customer Credit Limit,Bypass credit limit_check,Bỏ qua giới hạn tín dụng_check DocType: Homepage,Products to be shown on website homepage,Sản phẩm sẽ được hiển thị trên trang chủ của trang web DocType: HR Settings,Password Policy,Chính sách mật khẩu apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,Đây là một nhóm khách hàng gốc và không thể được chỉnh sửa. @@ -4489,10 +4552,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),Nế apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,Vui lòng đặt khách hàng mặc định trong Cài đặt nhà hàng ,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: Warehouse,Parent Warehouse,Kho chính +DocType: Pick List,Parent Warehouse,Kho chính DocType: Subscription,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/production_order/production_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/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 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,Xác định các loại cho vay khác nhau DocType: Bin,FCFS Rate,FCFS Tỷ giá @@ -4529,6 +4592,7 @@ DocType: Travel Itinerary,Lodging Required,Yêu cầu nhà nghỉ DocType: Promotional Scheme,Price Discount Slabs,Giảm giá tấm DocType: Stock Reconciliation Item,Current Serial No,Số sê-ri hiện tại DocType: Employee,Attendance and Leave Details,Tham dự và để lại chi tiết +,BOM Comparison Tool,Công cụ so sánh BOM ,Requested,Yêu cầu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,Không có lưu ý DocType: Asset,In Maintenance,Trong bảo trì @@ -4551,6 +4615,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,Thỏa thuận cấp độ dịch vụ mặc định DocType: SG Creation Tool Course,Course Code,Mã khóa học apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,Không cho phép nhiều lựa chọn cho {0} +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,Số lượng nguyên liệu thô sẽ được quyết định dựa trên số lượng hàng hóa thành phẩm DocType: Location,Parent Location,Vị trí gốc DocType: POS Settings,Use POS in Offline Mode,Sử dụng POS trong chế độ Ngoại tuyến apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,Ưu tiên đã được thay đổi thành {0}. @@ -4569,7 +4634,7 @@ DocType: Stock Settings,Sample Retention Warehouse,Kho lưu trữ mẫu DocType: Company,Default Receivable Account,Mặc định Tài khoản phải thu apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,Công thức số lượng dự kiến DocType: Sales Invoice,Deemed Export,Xuất khẩu được cho là hợp pháp -DocType: Stock Entry,Material Transfer for Manufacture,Luân chuyển vật tư để sản xuất +DocType: Pick List,Material Transfer for Manufacture,Luân chuyển vật tư để sản xuất 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.,Tỷ lệ phần trăm giảm giá có thể được áp dụng hoặc chống lại một danh sách giá hay cho tất cả Bảng giá. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,Hạch toán kế toán cho hàng tồn kho DocType: Lab Test,LabTest Approver,Người ước lượng LabTest @@ -4612,7 +4677,6 @@ DocType: Training Event,Theory,Lý thuyết apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,Cảnh báo: vật tư yêu cầu có số lượng ít hơn mức tối thiểu apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,Tài khoản {0} bị đóng băng DocType: Quiz Question,Quiz Question,Câu hỏi trắc nghiệm -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp 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á" @@ -4643,6 +4707,7 @@ DocType: Antibiotic,Healthcare Administrator,Quản trị viên chăm sóc sức 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 DocType: Account,Expense Account,Tài khoản chi phí apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,Phần mềm apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,Màu @@ -4681,6 +4746,7 @@ apps/erpnext/erpnext/config/selling.py,Manage Sales Partners.,Quản lý bán h 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 DocType: Fee Validity,Visited yet,Chưa truy cập +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,Bạn có thể tính năng tối đa 8 mục. apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to group.,Các kho hàng với giao dịch hiện tại không thể được chuyển đổi sang nhóm. 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. @@ -4688,7 +4754,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,mẫu hàng _ dễ nổ 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ữ @@ -4713,7 +4778,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,Chuyển đổi UO DocType: Contract,Signee Details,Chi tiết người ký apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0} hiện đang có {1} Bảng xếp hạng của Nhà cung cấp và các yêu cầu RFQ cho nhà cung cấp này phải được ban hành thận trọng. DocType: Certified Consultant,Non Profit Manager,Quản lý phi lợi nhuận -DocType: BOM,Total Cost(Company Currency),Tổng chi phí (Công ty ngoại tệ) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,Không nối tiếp {0} tạo DocType: Homepage,Company Description for website homepage,Công ty Mô tả cho trang chủ của trang web DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Để thuận tiện cho khách hàng, các mã này có thể được sử dụng trong các định dạng in hóa đơn và biên bản giao hàng" @@ -4742,7 +4806,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Mua hóa DocType: Amazon MWS Settings,Enable Scheduled Synch,Bật đồng bộ hóa được lập lịch apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,Tới ngày giờ apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,Các đăng nhập cho việc duy trì tin nhắn tình trạng giao hàng -DocType: Shift Type,Early Exit Consequence,Hậu quả xuất cảnh sớm DocType: Accounts Settings,Make Payment via Journal Entry,Thanh toán thông qua bút toán nhập apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,Vui lòng không tạo hơn 500 mục cùng một lúc apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,In vào @@ -4799,6 +4862,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,Giới hạn ch 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 +DocType: Plaid Settings,Plaid Secret,Bí mật kẻ sọc DocType: Company,Date of Establishment,Ngày thành lập apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,Vốn liên doanh apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Một học kỳ với điều này "Academic Year '{0} và' Tên hạn '{1} đã tồn tại. Hãy thay đổi những mục này và thử lại. @@ -4861,6 +4925,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,loại khách hàng DocType: Compensatory Leave Request,Leave Allocation,Phân bổ lại DocType: Payment Request,Recipient Message And Payment Details,Tin nhắn người nhận và chi tiết thanh toán +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,Vui lòng chọn một ghi chú giao hàng DocType: Support Search Source,Source DocType,DocType nguồn apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,Mở một vé mới DocType: Training Event,Trainer Email,email người huấn luyện @@ -4983,6 +5048,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date','Từ Ngày' phải sau 'Đến Ngày' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,Không tìm thấy kế hoạch nhân sự nào cho chỉ định này apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,Lô {0} của mục {1} bị tắt. @@ -5004,7 +5070,7 @@ DocType: Clinical Procedure,Patient,Bệnh nhân apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,Kiểm tra tín dụng Bypass tại Đặt hàng Bán hàng DocType: Employee Onboarding Activity,Employee Onboarding Activity,Hoạt động giới thiệu nhân viên DocType: Location,Check if it is a hydroponic unit,Kiểm tra nếu nó là một đơn vị hydroponic -DocType: Stock Reconciliation Item,Serial No and Batch,Số thứ tự và hàng loạt +DocType: Pick List Item,Serial No and Batch,Số thứ tự và hàng loạt DocType: Warranty Claim,From Company,Từ Công ty DocType: GSTR 3B Report,January,tháng Giêng apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,Sum của Điểm của tiêu chí đánh giá cần {0} được. @@ -5029,7 +5095,6 @@ DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Giảm g 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/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. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt 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/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 @@ -5062,11 +5127,13 @@ apps/erpnext/erpnext/config/accounting.py,Cost Center and Budgeting,Trung tâm c 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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,còn lại DocType: Appraisal,Appraisal,Thẩm định DocType: Loan,Loan Account,Tài khoản cho vay apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,Các trường tối đa hợp lệ từ và hợp lệ là bắt buộc cho tích lũy +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity","Đối với mục {0} tại hàng {1}, số lượng số sê-ri không khớp với số lượng đã chọn" DocType: Purchase Invoice,GST Details,Chi tiết GST apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,Điều này dựa trên các giao dịch chống lại Chuyên viên Y tế này. apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},Email đã được gửi đến NCC {0} @@ -5130,6 +5197,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),Tổng trọng lượng của gói. Thường là khối lượng tịnh + trọng lượng vật liệu. (Đối với việc in) DocType: Assessment Plan,Program,chương trình DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Người sử dụng với vai trò này được phép thiết lập tài khoản phong toả và tạo / sửa đổi ghi sổ kế toán đối với tài khoản phong toả +DocType: Plaid Settings,Plaid Environment,Môi trường kẻ sọc ,Project Billing Summary,Tóm tắt thanh toán dự án DocType: Vital Signs,Cuts,Cắt giảm DocType: Serial No,Is Cancelled,Được hủy bỏ @@ -5192,7 +5260,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Lưu ý: Hệ thống sẽ không kiểm tra phân phối quá mức và đặt trước quá mức cho mẫu {0} như số lượng hoặc số lượng là 0 DocType: Issue,Opening Date,Mở ngày apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,Xin lưu bệnh nhân đầu tiên -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,Liên hệ mới apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,Tham dự đã được đánh dấu thành công. DocType: Program Enrollment,Public Transport,Phương tiện giao thông công cộng DocType: Sales Invoice,GST Vehicle Type,GST Loại xe @@ -5219,6 +5286,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,Hóa đơn 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à +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,Đầu tiên thêm các mục trong bảng Vị trí mục DocType: Pricing Rule,Discount Amount,Số tiền giảm giá DocType: Pricing Rule,Period Settings,Cài đặt thời gian DocType: Purchase Invoice,Return Against Purchase Invoice,Trả về với hóa đơn mua hàng @@ -5251,7 +5319,6 @@ DocType: Assessment Plan,Assessment Plan,Kế hoạch đánh giá DocType: Travel Request,Fully Sponsored,Hoàn toàn được tài trợ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,Reverse Journal Entry apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,Tạo thẻ công việc -DocType: Shift Type,Consequence after,Hậu quả sau DocType: Quality Procedure Process,Process Description,Miêu tả quá trình apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,Đã tạo {0} khách hàng. apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,Hiện tại không có hàng hóa dự trữ nào trong nhà kho @@ -5286,6 +5353,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,Ngày chốt sổ DocType: Delivery Settings,Dispatch Notification Template,Mẫu thông báo công văn apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,Báo cáo đánh giá apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,Nhận nhân viên +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 @@ -5379,7 +5447,6 @@ DocType: Stock Settings,Use Naming Series,Sử dụng Naming Series apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,Không có hành động apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,Phí kiểu định giá không thể đánh dấu là toàn bộ DocType: POS Profile,Update Stock,Cập nhật hàng tồn kho -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM khác nhau cho các hạng mục sẽ dẫn đến (Tổng) giá trị Trọng lượng Tịnh không chính xác. Hãy chắc chắn rằng Trọng lượng Tịnh của mỗi hạng mục là trong cùng một UOM. DocType: Certification Application,Payment Details,Chi tiết Thanh toán apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,Tỷ giá BOM @@ -5415,7 +5482,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,Đây là một người bán hàng gốc và không thể được chỉnh sửa. DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Nếu được chọn, giá trị được xác định hoặc tính trong thành phần này sẽ không đóng góp vào thu nhập hoặc khấu trừ. Tuy nhiên, giá trị của nó có thể được tham chiếu bởi các thành phần khác có thể được thêm vào hoặc khấu trừ." DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Nếu được chọn, giá trị được xác định hoặc tính trong thành phần này sẽ không đóng góp vào thu nhập hoặc khấu trừ. Tuy nhiên, giá trị của nó có thể được tham chiếu bởi các thành phần khác có thể được thêm vào hoặc khấu trừ." -DocType: Asset Settings,Number of Days in Fiscal Year,Số ngày trong năm tài chính ,Stock Ledger,Sổ cái hàng tồn kho DocType: Company,Exchange Gain / Loss Account,Trao đổi Gain / Tài khoản lỗ DocType: Amazon MWS Settings,MWS Credentials,Thông tin đăng nhập MWS @@ -5451,6 +5517,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,Cột trong tập tin ngân hàng apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},Để lại ứng dụng {0} đã tồn tại đối với sinh viên {1} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,Hàng đợi để cập nhật giá mới nhất trong tất cả Hóa đơn. Có thể mất vài phút. +DocType: Pick List,Get Item Locations,Nhận vị trí vật phẩm apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Tên tài khoản mới. Lưu ý: Vui lòng không tạo tài khoản cho khách hàng và nhà cung cấp DocType: POS Profile,Display Items In Stock,Hiển thị các mục trong kho apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,Nước khôn ngoan Địa chỉ mặc định Templates @@ -5474,6 +5541,7 @@ DocType: Crop,Materials Required,Vật liệu thiết yếu apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,Không có học sinh Tìm thấy DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,Miễn phí HRA hàng tháng DocType: Clinical Procedure,Medical Department,Bộ phận y tế +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,Tổng số lối ra sớm DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,Bảng ghi điểm của Người cung cấp Thẻ điểm apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,Hóa đơn viết bài ngày apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,Bán @@ -5485,11 +5553,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","Vui lòng xóa Nhân viên {0} \ để hủy tài liệu này" 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 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,Hồ sơ của bạn apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Số khấu hao Thẻ vàng không thể lớn hơn Tổng số khấu hao DocType: Purchase Order,Order Confirmation Date,Ngày Xác nhận Đơn hàng DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5583,7 +5650,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated","Có sự không nhất quán giữa tỷ lệ, số cổ phần và số tiền được tính" apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,Bạn không có mặt cả ngày trong khoảng thời nghỉ phép apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,Hãy gõ lại tên công ty để xác nhận -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,Tổng số nợ Amt DocType: Journal Entry,Printing Settings,Cài đặt In ấn DocType: Payment Order,Payment Order Type,Loại lệnh thanh toán DocType: Employee Advance,Advance Account,Tài khoản trước @@ -5673,7 +5739,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,Tên năm apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,Có nhiều ngày lễ hơn ngày làm việc trong tháng này. apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,Các mục sau {0} không được đánh dấu là {1} mục. Bạn có thể bật chúng dưới dạng {1} mục từ chủ mục của nó -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC Ref DocType: Production Plan Item,Product Bundle Item,Gói sản phẩm hàng 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á @@ -5682,7 +5747,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco 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 -apps/erpnext/erpnext/config/hr.py,Leaves,Lá +DocType: Leave Ledger Entry,Leaves,Lá DocType: Student Language,Student Language,Ngôn ngữ học DocType: Cash Flow Mapping,Is Working Capital,Vốn làm việc apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,Gửi bằng chứng @@ -5690,12 +5755,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,Yêu cầu/Trích dẫn% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,Ghi lại Vitals Bệnh nhân DocType: Fee Schedule,Institution,Tổ chức giáo dục -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: Asset,Partially Depreciated,Nhiều khấu hao DocType: Issue,Opening Time,Thời gian mở apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,"""Từ ngày đến ngày"" phải có" apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,Chứng khoán và Sở Giao dịch hàng hóa -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},Tóm tắt cuộc gọi theo {0}: {1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Tìm kiếm Tài liệu apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Mặc định Đơn vị đo lường cho Variant '{0}' phải giống như trong Template '{1}' DocType: Shipping Rule,Calculate Based On,Tính toán dựa trên @@ -5742,6 +5805,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,Giá trị cho phép tối đa 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 DocType: Lab Test Template,Sensitivity,Nhạy cảm DocType: Plaid Settings,Plaid Settings,Cài đặt kẻ sọc apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,Đồng bộ hóa đã tạm thời bị vô hiệu hóa vì đã vượt quá số lần thử lại tối đa @@ -5759,6 +5823,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,Vui lòng chọn ngày đăng bài đầu tiên apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,Ngày Khai mạc nên trước ngày kết thúc DocType: Travel Itinerary,Flight,Chuyến bay +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,Trở về nhà DocType: Leave Control Panel,Carry Forward,Carry Forward apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,Chi phí bộ phận với các phát sinh hiện có không thể được chuyển đổi sang sổ cái DocType: Budget,Applicable on booking actual expenses,Áp dụng khi đặt chi phí thực tế @@ -5815,6 +5880,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,Tạo báo giá apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,Bạn không được uỷ quyền phê duyệt nghỉ trên Các khối kỳ hạn apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0} Yêu cầu cho {1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,Tất cả các mặt hàng này đã được lập hoá đơn +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,Không tìm thấy hóa đơn chưa thanh toán nào cho {0} {1} đủ điều kiện cho các bộ lọc bạn đã chỉ định. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,Đặt ngày phát hành mới DocType: Company,Monthly Sales Target,Mục tiêu bán hàng hàng tháng apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,Không tìm thấy hóa đơn chưa thanh toán @@ -5862,6 +5928,7 @@ DocType: Batch,Source Document Name,Tên tài liệu nguồn DocType: Batch,Source Document Name,Tên tài liệu nguồn DocType: Production Plan,Get Raw Materials For Production,Lấy nguyên liệu thô để sản xuất DocType: Job Opening,Job Title,Chức vụ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,Tham chiếu thanh toán trong tương lai apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.","{0} cho biết rằng {1} sẽ không cung cấp báo giá, nhưng tất cả các mục \ đã được trích dẫn. Đang cập nhật trạng thái báo giá RFQ." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,Các mẫu tối đa - {0} đã được giữ lại cho Batch {1} và Item {2} trong Batch {3}. @@ -5872,12 +5939,10 @@ 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: Company,Product Code,Mã sản phẩm DocType: Quality Review Table,Objective,Mục tiêu DocType: Supplier Scorecard,Per Month,Mỗi tháng DocType: Education Settings,Make Academic Term Mandatory,Bắt buộc từ học thuật -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,Số lượng để sản xuất phải lớn hơn 0. -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,Tính bảng khấu hao theo tỷ lệ phần trăm dựa trên năm tài chính +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,Số lượng để sản xuất phải lớn hơn 0. apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,Thăm báo cáo cho các cuộc gọi bảo trì. DocType: Stock Entry,Update Rate and Availability,Cập nhật tỷ giá và hiệu lực 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.,Tỷ lệ phần trăm bạn được phép nhận hoặc cung cấp nhiều so với số lượng đặt hàng. Ví dụ: Nếu bạn đã đặt mua 100 đơn vị. và Trợ cấp của bạn là 10% sau đó bạn được phép nhận 110 đơn vị. @@ -5889,7 +5954,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,Ngày phát hành phải trong tương lai DocType: BOM,Website Description,Mô tả Website apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,Chênh lệch giá tịnh trong vốn sở hữu -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,Hãy hủy hóa đơn mua hàng {0} đầu tiên apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,Không được phép. Vui lòng tắt Loại Đơn vị Dịch vụ apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}","Địa chỉ email phải là duy nhất, đã tồn tại cho {0}" DocType: Serial No,AMC Expiry Date,Ngày hết hạn hợp đồng bảo hành (AMC) @@ -5933,6 +5997,7 @@ DocType: Pricing Rule,Price Discount Scheme,Đề án giảm giá apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,Trạng thái Bảo trì phải được Hủy hoặc Hoàn thành để Gửi DocType: Amazon MWS Settings,US,Mỹ DocType: Holiday List,Add Weekly Holidays,Thêm ngày lễ hàng tuần +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,Mục báo cáo DocType: Staffing Plan Detail,Vacancies,Vị trí Tuyển dụng DocType: Hotel Room,Hotel Room,Phòng khách sạn apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},Tài khoản {0} không thuộc về công ty {1} @@ -5984,12 +6049,15 @@ DocType: Email Digest,Open Quotations,Báo giá mở 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","Vui lòng xóa Nhân viên {0} \ để hủy tài liệu này" 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 @@ -6003,6 +6071,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,Trống DocType: Patient,Alcohol Past Use,Uống rượu quá khứ DocType: Fertilizer Content,Fertilizer Content,Nội dung Phân bón +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,Không có mô tả apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,Cr DocType: Tax Rule,Billing State,Bang thanh toán DocType: Quality Goal,Monitoring Frequency,Tần suất giám sát @@ -6020,6 +6089,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,Kết thúc Vào ngày không được trước ngày liên hệ tiếp theo. apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,Mục nhập hàng loạt DocType: Journal Entry,Pay To / Recd From,Để trả / Recd Từ +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,Mục chưa xuất bản DocType: Naming Series,Setup Series,Thiết lập Dòng DocType: Payment Reconciliation,To Invoice Date,Tới ngày lập hóa đơn DocType: Bank Account,Contact HTML,HTML Liên hệ @@ -6041,6 +6111,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,Lĩnh vực bán lẻ DocType: Student Attendance,Absent,Vắng mặt DocType: Staffing Plan,Staffing Plan Detail,Chi tiết kế hoạch nhân sự DocType: Employee Promotion,Promotion Date,Ngày khuyến mãi +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,Phân bổ rời% s được liên kết với đơn xin nghỉ phép% s 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} @@ -6075,9 +6146,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,Hoá đơn {0} không còn tồn tại DocType: Guardian Interest,Guardian Interest,người giám hộ lãi DocType: Volunteer,Availability,khả dụng +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,Ứng dụng rời được liên kết với phân bổ nghỉ {0}. Đơn xin nghỉ phép không thể được đặt là nghỉ mà không trả tiền apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,Thiết lập các giá trị mặc định cho các hoá đơn POS DocType: Employee Training,Training,Đào tạo DocType: Project,Time to send,Thời gian gửi +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,Trang này theo dõi các mặt hàng của bạn trong đó người mua đã thể hiện sự quan tâm. DocType: Timesheet,Employee Detail,Nhân viên chi tiết apps/erpnext/erpnext/healthcare/doctype/clinical_procedure/clinical_procedure.py,Set warehouse for Procedure {0} ,Đặt kho cho thủ tục {0} apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Email ID,ID Email Guardian1 @@ -6177,12 +6250,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,Giá trị mở DocType: Salary Component,Formula,Công thức apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,Serial # -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: 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/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 +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}" @@ -6206,6 +6279,7 @@ DocType: Company,Default Employee Advance Account,Tài khoản Advance Employee apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),Tìm kiếm mục (Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,Không thể xóa TK vì vẫn còn giao dịch +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,Tại sao nghĩ rằng mục này nên được gỡ bỏ? DocType: Vehicle,Last Carbon Check,Kiểm tra Carbon lần cuối apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,Chi phí pháp lý apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,Vui lòng chọn số lượng trên hàng @@ -6225,6 +6299,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,Hỏng DocType: Travel Itinerary,Vegetarian,Ăn chay DocType: Patient Encounter,Encounter Date,Ngày gặp +DocType: Work Order,Update Consumed Material Cost In Project,Cập nhật chi phí vật liệu tiêu thụ trong dự án apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,Không thể chọn được Tài khoản: {0} với loại tiền tệ: {1} DocType: Bank Statement Transaction Settings Item,Bank Data,Dữ liệu ngân hàng DocType: Purchase Receipt Item,Sample Quantity,Số mẫu @@ -6279,7 +6354,7 @@ DocType: GSTR 3B Report,April,Tháng 4 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 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,Lưu ý: Item {0} nhập nhiều lần +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,Lưu ý: Item {0} nhập nhiều lần apps/erpnext/erpnext/config/buying.py,All Contacts.,Tất cả Liên hệ. DocType: Accounting Period,Closed Documents,Tài liệu đã đóng 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 @@ -6361,9 +6436,7 @@ DocType: Member,Membership Type,Loại thành viên ,Reqd By Date,Reqd theo địa điểm apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,Nợ DocType: Assessment Plan,Assessment Name,Tên Đánh giá -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,Hiển thị PDC trong In apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,Hàng # {0}: Số sê ri là bắt buộc -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,Không tìm thấy hóa đơn chưa thanh toán nào cho {0} {1} . DocType: Purchase Taxes and Charges,Item Wise Tax Detail,mục chi tiết thuế thông minh DocType: Employee Onboarding,Job Offer,Tuyển dụng apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,Viện Tên viết tắt @@ -6422,6 +6495,7 @@ DocType: Serial No,Out of Warranty,Ra khỏi bảo hành DocType: Bank Statement Transaction Settings Item,Mapped Data Type,Loại dữ liệu được ánh xạ DocType: BOM Update Tool,Replace,Thay thế apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,Không sản phẩm nào được tìm thấy +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,Xuất bản nhiều mặt hàng apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},Thỏa thuận cấp độ dịch vụ này dành riêng cho khách hàng {0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0} gắn với Hóa đơn bán hàng {1} DocType: Antibiotic,Laboratory User,Người sử dụng phòng thí nghiệm @@ -6444,7 +6518,6 @@ DocType: Payment Order Reference,Bank Account Details,Chi tiết Tài khoản Ng DocType: Purchase Order Item,Blanket Order,Thứ tự chăn 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},Đơn hàng sản xuất đã được {0} DocType: BOM Item,BOM No,số hiệu BOM 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 @@ -6518,6 +6591,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),Vật tư chịu thuế bên ngoài (không đánh giá) DocType: BOM,Materials Required (Exploded),Vật liệu bắt buộc (phát nổ) 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/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 @@ -6575,7 +6649,6 @@ DocType: Pricing Rule,Same Item,Cùng mục DocType: Stock Ledger Entry,Stock Ledger Entry,Chứng từ sổ cái hàng tồn kho DocType: Quality Action Resolution,Quality Action Resolution,Nghị quyết hành động chất lượng apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},{0} tạo yêu cầu nghỉ nửa ngày vào {1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,Cùng mục đã được nhập nhiều lần DocType: Department,Leave Block List,Để lại danh sách chặn DocType: Purchase Invoice,Tax ID,Mã số thuế apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,Mục {0} không phải là thiết lập cho Serial Nos Cột phải bỏ trống @@ -6613,7 +6686,7 @@ DocType: Cheque Print Template,Distance from top edge,Khoảng cách từ mép t 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 DocType: Purchase Invoice,Return,Trả về -DocType: Accounting Dimension,Disable,Vô hiệu hóa +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 DocType: Task,Pending Review,Đang chờ xem xét apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.","Chỉnh sửa trong trang đầy đủ để có thêm các tùy chọn như tài sản, hàng loạt, lô, vv" @@ -6727,7 +6800,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,Phần hoá đơn kết hợp phải bằng 100% DocType: Item Default,Default Expense Account,Tài khoản mặc định chi phí DocType: GST Account,CGST Account,Tài khoản CGST -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 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,Email ID Sinh viên DocType: Employee,Notice (days),Thông báo (ngày) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,Hóa đơn phiếu mua hàng POS @@ -6738,6 +6810,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,Chọn mục để lưu các hoá đơn DocType: Employee,Encashment Date,Encashment Date DocType: Training Event,Internet,Internet +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,Thông tin người bán DocType: Special Test Template,Special Test Template,Mẫu Thử nghiệm Đặc biệt DocType: Account,Stock Adjustment,Điều chỉnh hàng tồn kho apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},chi phí hoạt động mặc định tồn tại cho loại hoạt động - {0} @@ -6750,7 +6823,6 @@ DocType: Shopify Settings,Import Sales Invoice from Shopify if Payment is marked 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 -DocType: Company,Bank Remittance Settings,Cài đặt chuyển tiền ngân hàng apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,Tỷ lệ trung bình 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á @@ -6778,6 +6850,7 @@ DocType: Grading Scale Interval,Threshold,ngưỡng apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),Lọc nhân viên theo (Tùy chọn) DocType: BOM Update Tool,Current BOM,BOM hiện tại apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),Số dư (Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,Số lượng thành phẩm apps/erpnext/erpnext/public/js/utils.js,Add Serial No,Thêm Serial No 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 @@ -6856,7 +6929,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Ở đây bạn có thể duy trì chiều cao, cân nặng, dị ứng, mối quan tâm y tế vv" apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,Tạo tài khoản ... DocType: Leave Block List,Applies to Company,Áp dụng đối với Công ty -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,Không thể hủy bỏ vì chứng từ hàng tôn kho gửi duyệt{0} đã tồn tại +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,Không thể hủy bỏ vì chứng từ hàng tôn kho gửi duyệt{0} đã tồn tại DocType: Loan,Disbursement Date,ngày giải ngân DocType: Service Level Agreement,Agreement Details,Chi tiết thỏa thuận apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,Ngày bắt đầu của thỏa thuận không thể lớn hơn hoặc bằng Ngày kết thúc. @@ -6865,6 +6938,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,Hồ sơ y tế DocType: Vehicle,Vehicle,phương tiện DocType: Purchase Invoice,In Words,Trong từ +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,Đến ngày cần phải có trước ngày apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,Nhập tên ngân hàng hoặc tổ chức cho vay trước khi gửi. apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,{0} phải được gửi DocType: POS Profile,Item Groups,Nhóm hàng @@ -6937,7 +7011,6 @@ DocType: Customer,Sales Team Details,Thông tin chi tiết Nhóm bán hàng apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,Xóa vĩnh viễn? DocType: Expense Claim,Total Claimed Amount,Tổng số tiền được công bố apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,Cơ hội tiềm năng bán hàng -DocType: Plaid Settings,Link a new bank account,Liên kết một tài khoản ngân hàng mới apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{} là Trạng thái tham dự không hợp lệ. DocType: Shareholder,Folio no.,Folio no. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},Không hợp lệ {0} @@ -6953,7 +7026,6 @@ DocType: Production Plan,Material Requested,Yêu cầu Tài liệu DocType: Warehouse,PIN,PIN DocType: Bin,Reserved Qty for sub contract,Số tiền bảo lưu cho hợp đồng phụ DocType: Patient Service Unit,Patinet Service Unit,Đơn vị phục vụ Patinet -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,Tạo tập tin văn bản DocType: Sales Invoice,Base Change Amount (Company Currency),Thay đổi Số tiền cơ sở (Công ty ngoại tệ) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,Không có bút toán kế toán cho các kho tiếp theo apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},Chỉ còn {0} cổ phần cho mặt hàng {1} @@ -6967,6 +7039,7 @@ DocType: Item,No of Months,Không có tháng nào DocType: Item,Max Discount (%),Giảm giá tối đa (%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,Ngày tín dụng không được là số âm apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,Tải lên một tuyên bố +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,Báo cáo mục này DocType: Purchase Invoice Item,Service Stop Date,Ngày ngừng dịch vụ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,SỐ lượng đặt cuối cùng DocType: Cash Flow Mapper,e.g Adjustments for:,v.d Điều chỉnh cho: @@ -7060,16 +7133,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,Danh mục miễn thuế của nhân viên apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,Số tiền không được nhỏ hơn 0. DocType: Sales Invoice,C-Form Applicable,C - Mẫu áp dụng -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},Thời gian hoạt động phải lớn hơn 0 cho hoạt động {0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},Thời gian hoạt động phải lớn hơn 0 cho hoạt động {0} DocType: Support Search Source,Post Route String,Chuỗi tuyến đường bài đăng apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,Bạn cần phải chọn kho apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,Không thể tạo trang web DocType: Soil Analysis,Mg/K,Mg / K DocType: UOM Conversion Detail,UOM Conversion Detail,Xem chi tiết UOM Chuyển đổi apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,Nhập học và tuyển sinh -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,Tài khoản lưu giữ đã được tạo hoặc Số lượng mẫu không được cung cấp +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,Tài khoản lưu giữ đã được tạo hoặc Số lượng mẫu không được cung cấp DocType: Program,Program Abbreviation,Tên viết tắt chương trình -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,Đơn đặt sản phẩm không thể được tạo ra với một mẫu mặt hàng apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),Nhóm của Voucher (Hợp nhất) DocType: HR Settings,Encrypt Salary Slips in Emails,Mã hóa phiếu lương trong email DocType: Question,Multiple Correct Answer,Nhiều câu trả lời đúng @@ -7116,7 +7188,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,Được đánh giá hay DocType: Employee,Educational Qualification,Trình độ chuyên môn DocType: Workstation,Operating Costs,Chi phí điều hành apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},Đồng tiền cho {0} phải là {1} -DocType: Employee Checkin,Entry Grace Period Consequence,Hậu quả của giai đoạn ân sủng DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,Đánh dấu tham dự dựa trên Check Kiểm tra nhân viên 'cho nhân viên được chỉ định cho ca này. DocType: Asset,Disposal Date,Ngày xử lý DocType: Service Level,Response and Resoution Time,Thời gian đáp ứng và hồi sinh @@ -7165,6 +7236,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,Ngày kết thúc DocType: Purchase Invoice Item,Amount (Company Currency),Số tiền (Công ty tiền tệ) DocType: Program,Is Featured,Là đặc trưng +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,Đang tải ... DocType: Agriculture Analysis Criteria,Agriculture User,Người dùng nông nghiệp apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,Ngày hợp lệ cho đến ngày không được trước ngày giao dịch apps/erpnext/erpnext/stock/stock_ledger.py,{0} units of {1} needed in {2} on {3} {4} for {5} to complete this transaction.,{0} đơn vị của {1} cần thiết trong {2} trên {3} {4} cho {5} để hoàn thành giao dịch này. @@ -7197,7 +7269,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,Tổng Amt được trả 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 @@ -7221,6 +7292,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,Vô danh apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,Nhận được từ 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: 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} @@ -7335,7 +7407,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,Đồng bộ thuế và ph 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,BOM mặc định cho {0} không tìm thấy +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 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,Chạm vào mục để thêm chúng vào đây @@ -7371,7 +7443,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,Bảo trì ngày DocType: Purchase Invoice Item,Rejected Serial No,Dãy sê ri bị từ chối số apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,Ngày bắt đầu và kết thúc năm bị chồng lấn với {0}. Để tránh nó hãy thiết lập công ty. -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/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},Hãy đề cập tới tên của tiềm năng trong mục Tiềm năng {0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},Ngày bắt đầu phải nhỏ hơn ngày kết thúc cho mẫu hàng {0} DocType: Shift Type,Auto Attendance Settings,Cài đặt tham dự tự động @@ -7382,9 +7453,11 @@ DocType: Upload Attendance,Upload Attendance,Tải lên bảo quản apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM và số lượng sx được yêu cầu apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,Ageing đun 2 DocType: SG Creation Tool Course,Max Strength,Sức tối đa +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
","Tài khoản {0} đã tồn tại trong công ty con {1}. Các trường sau có các giá trị khác nhau, chúng phải giống nhau:
  • {2}
" apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,Cài đặt các giá trị cài sẵn DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},Không có Lưu ý Phân phối nào được Chọn cho Khách hàng {} +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},Hàng được thêm vào {0} apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,Nhân viên {0} không có số tiền trợ cấp tối đa apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,Chọn các mục dựa trên ngày giao hàng DocType: Grant Application,Has any past Grant Record,Có bất kỳ hồ sơ tài trợ nào trong quá khứ @@ -7430,6 +7503,7 @@ DocType: Fees,Student Details,Chi tiết Sinh viên DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",Đây là UOM mặc định được sử dụng cho các mặt hàng và đơn đặt hàng Bán hàng. UOM dự phòng là "Nos". DocType: Purchase Invoice Item,Stock Qty,Tồn kho DocType: Purchase Invoice Item,Stock Qty,Tồn kho +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 DocType: Loan,Repayment Period in Months,Thời gian trả nợ trong tháng @@ -7458,6 +7532,7 @@ DocType: Authorization Rule,Customerwise Discount,Giảm giá 1 cách thông min apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,thời gian biểu cho các công việc DocType: Purchase Invoice,Against Expense Account,Đối với tài khoản chi phí apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,Lưu ý cài đặt {0} đã được gửi +DocType: BOM,Raw Material Cost (Company Currency),Chi phí nguyên vật liệu (Tiền tệ công ty) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},Tiền thuê nhà ngày trả chồng chéo với {0} DocType: GSTR 3B Report,October,Tháng Mười DocType: Bank Reconciliation,Get Payment Entries,Nhận thanh toán Entries @@ -7505,15 +7580,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,Có sẵn cho ngày sử dụng là bắt buộc DocType: Request for Quotation,Supplier Detail,Nhà cung cấp chi tiết apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},Lỗi trong công thức hoặc điều kiện: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,Số tiền ghi trên hoá đơn +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,Số tiền ghi trên hoá đơn apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,Tiêu chí trọng lượng phải bổ sung lên đến 100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,Tham gia apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,các mẫu hàng tồn kho DocType: Sales Invoice,Update Billed Amount in Sales Order,Cập nhật số tiền đã lập hóa đơn trong đơn đặt hàng +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,Liên hệ với Người bán 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/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 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Trong từ sẽ được hiển thị khi bạn lưu các Yêu cầu Mua hàng. @@ -7527,6 +7604,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,Danh sách giá tổng thể. DocType: Task,Review Date,Ngày đánh giá DocType: BOM,Allow Alternative Item,Cho phép Khoản Thay thế +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,Biên lai mua hàng không có bất kỳ Mục nào cho phép Giữ lại mẫu được bật. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,Hóa đơn tổng cộng DocType: Company,Series for Asset Depreciation Entry (Journal Entry),Dòng nhập khẩu khấu hao tài sản (Entry tạp chí) DocType: Membership,Member Since,Thành viên từ @@ -7536,6 +7614,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,tính trên tổng tiền 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},Giá trị thuộc tính {0} phải nằm trong phạm vi của {1} để {2} trong gia số của {3} cho mục {4} DocType: Pricing Rule,Product Discount Scheme,Chương trình giảm giá sản phẩm +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,Không có vấn đề đã được đưa ra bởi người gọi. DocType: Restaurant Reservation,Waitlisted,Danh sách chờ DocType: Employee Tax Exemption Declaration Category,Exemption Category,Danh mục miễn apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,Tiền tệ không thể thay đổi sau khi thực hiện các mục sử dụng một số loại tiền tệ khác @@ -7549,7 +7628,6 @@ DocType: Customer Group,Parent Customer Group,Nhóm mẹ của nhóm khách hàn apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,E-Way Bill JSON chỉ có thể được tạo từ Hóa đơn bán hàng apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,Đạt được tối đa cho bài kiểm tra này! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,Đăng ký -DocType: Purchase Invoice,Contact Email,Email Liên hệ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,Đang Thực hiện Phí DocType: Project Template Task,Duration (Days),Thời gian (Ngày) DocType: Appraisal Goal,Score Earned,Điểm số kiếm được @@ -7575,7 +7653,6 @@ DocType: Landed Cost Item,Landed Cost Item,Chi phí hạ cánh hàng 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions","Số tiền cho một giao dịch vượt quá số tiền tối đa được phép, tạo một lệnh thanh toán riêng bằng cách chia nhỏ các giao dịch" 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 @@ -7746,6 +7823,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,Khả DocType: Quality Inspection Reading,Reading 3,Đọc 3 DocType: Stock Entry,Source Warehouse Address,Địa chỉ nguồn nguồn DocType: GL Entry,Voucher Type,Loại chứng từ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,Thanh toán trong tương lai 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 @@ -7772,6 +7850,7 @@ 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." DocType: Sales Invoice,Customer GSTIN,Số tài khoản GST của khách hàng DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,"Danh sách các bệnh được phát hiện trên thực địa. Khi được chọn, nó sẽ tự động thêm một danh sách các tác vụ để đối phó với bệnh" +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,Đây là đơn vị dịch vụ chăm sóc sức khỏe gốc và không thể chỉnh sửa được. DocType: Asset Repair,Repair Status,Trạng thái Sửa chữa 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." @@ -7786,6 +7865,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,Tài khoản giao dịch số Tiền DocType: QuickBooks Migrator,Connecting to QuickBooks,Kết nối với QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,Tổng lãi / lỗ +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,Tạo danh sách chọn apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Hàng {0}: Đối tác / tài khoản không khớp với {1} / {2} trong {3} {4} DocType: Employee Promotion,Employee Promotion,Khuyến mãi nhân viên DocType: Maintenance Team Member,Maintenance Team Member,Thành viên Nhóm Bảo trì @@ -7869,6 +7949,7 @@ 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 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,TIền thực trả không thể âm @@ -7900,7 +7981,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,Mục tiêu chất lượng DocType: BOM,Item to be manufactured or repacked,Mục được sản xuất hoặc đóng gói lại apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},Lỗi cú pháp trong điều kiện: {0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,Không có vấn đề được nêu ra bởi khách hàng. DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,Chính / Đối tượng bắt buộc apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,Vui lòng Đặt Nhóm Nhà cung cấp trong Cài đặt Mua. @@ -7993,8 +8073,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,Ngày tín dụng apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,Vui lòng chọn Bệnh nhân để nhận Lab Tests DocType: Exotel Settings,Exotel Settings,Cài đặt Exotel -DocType: Leave Type,Is Carry Forward,Được truyền thẳng về phía trước +DocType: Leave Ledger Entry,Is Carry Forward,Được truyền thẳng về phía trước DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),Giờ làm việc dưới đây mà vắng mặt được đánh dấu. (Không có để vô hiệu hóa) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,Gửi tin nhắn apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,Được mục từ BOM 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 diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv index c0b572430e..4303ea5156 100644 --- a/erpnext/translations/zh.csv +++ b/erpnext/translations/zh.csv @@ -15,6 +15,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,通知供应商 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,请先选择往来单位 DocType: Item,Customer Items,客户物料 +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,负债 DocType: Project,Costing and Billing,成本核算和计费 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},预付科目货币应与公司货币{0}相同 DocType: QuickBooks Migrator,Token Endpoint,令牌端点 @@ -26,13 +27,13 @@ DocType: Item,Default Unit of Measure,默认计量单位 DocType: SMS Center,All Sales Partner Contact,所有的销售合作伙伴联系人 DocType: Department,Leave Approvers,休假审批人 DocType: Employee,Bio / Cover Letter,履历/求职信 +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,搜索项目...... DocType: Patient Encounter,Investigations,调查 DocType: Restaurant Order Entry,Click Enter To Add,点击输入以添加 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL",缺少密码,API密钥或Shopify网址的值 DocType: Employee,Rented,租 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,所有科目 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,状态为已离职的员工不能进行调动 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",已停止的生产订单无法取消,首先取消停止它再取消 DocType: Vehicle Service,Mileage,里程 apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,难道你真的想放弃这项资产? DocType: Drug Prescription,Update Schedule,更新时间排程 @@ -63,6 +64,7 @@ DocType: Bank Guarantee,Customer,客户 DocType: Purchase Receipt Item,Required By,必选 DocType: Delivery Note,Return Against Delivery Note,基于销售出货单退货 DocType: Asset Category,Finance Book Detail,账簿信息 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,所有折旧已被预订 DocType: Purchase Order,% Billed,% 已记账 apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,工资号码 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),汇率必须一致{0} {1}({2}) @@ -96,6 +98,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same a ,Batch Item Expiry Status,物料批号到期状态 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,银行汇票 DocType: Journal Entry,ACC-JV-.YYYY.-,ACC-JV-.YYYY.- +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,总迟到条目 DocType: Mode of Payment Account,Mode of Payment Account,付款方式默认科目 apps/erpnext/erpnext/config/healthcare.py,Consultation,会诊 DocType: Accounts Settings,Show Payment Schedule in Print,在打印中显示付款工时单 @@ -123,8 +126,8 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,In Stock, apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Details,主要联系方式 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,待处理问题 DocType: Production Plan Item,Production Plan Item,生产计划项 +DocType: Leave Ledger Entry,Leave Ledger Entry,留下Ledger Entry apps/erpnext/erpnext/hr/doctype/employee/employee.py,User {0} is already assigned to Employee {1},用户{0}已经被分配给员工{1} -apps/erpnext/erpnext/regional/india/bank_remittance.py,{0} field is limited to size {1},{0}字段的大小限制为{1} DocType: Lab Test Groups,Add new line,添加新行 apps/erpnext/erpnext/utilities/activation.py,Create Lead,创造领导力 DocType: Production Plan,Projected Qty Formula,预计数量公式 @@ -142,6 +145,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,最 DocType: Purchase Invoice Item,Item Weight Details,物料重量 DocType: Asset Maintenance Log,Periodicity,周期性 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,会计年度{0}是必需的 +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,净利润/亏损 DocType: Employee Group Table,ERPNext User ID,ERPNext用户ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,植株之间的最小距离,以获得最佳生长 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,请选择患者以获得规定的程序 @@ -168,10 +172,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,销售价格清单 DocType: Patient,Tobacco Current Use,烟草当前使用 apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,销售价 -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,请在添加新帐户之前保存您的文档 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 ...,搜索任何东西...... DocType: Company,Phone No,电话号码 DocType: Delivery Trip,Initial Email Notification Sent,初始电子邮件通知已发送 DocType: Bank Statement Settings,Statement Header Mapping,对帐单抬头对照关系 @@ -234,6 +238,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,养 DocType: Exchange Rate Revaluation Account,Gain/Loss,收益/损失 DocType: Crop,Perennial,多年生 DocType: Program,Is Published,已发布 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,显示送货单 apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",要允许超额结算,请在“帐户设置”或“项目”中更新“超额结算限额”。 DocType: Patient Appointment,Procedure,程序 DocType: Accounts Settings,Use Custom Cash Flow Format,使用自定义现金流量格式 @@ -264,7 +269,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,休假政策信息 DocType: BOM,Item Image (if not slideshow),物料图片(如果没有演示文稿) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,行#{0}:对于工作订单{3}中的{2}数量的成品,未完成操作{1}。请通过工作卡{4}更新操作状态。 -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again",{0}是生成汇款付款的必填项,请设置该字段并重试 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(小时率/ 60)*实际操作时间 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,行#{0}:参考文档类型必须是费用报销或手工凭证之一 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,选择BOM @@ -284,6 +288,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,偿还期的超过数 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,生产数量不能少于零 DocType: Stock Entry,Additional Costs,额外费用 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客户>客户组>地区 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,有交易的科目不能被转换为组。 DocType: Lead,Product Enquiry,产品查询 DocType: Education Settings,Validate Batch for Students in Student Group,验证学生组学生的批次 @@ -295,7 +300,9 @@ DocType: Employee Education,Under Graduate,本科 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,请在人力资源设置中设置离职状态通知的默认模板。 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,目标类型 DocType: BOM,Total Cost,总成本 +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,分配已过期! DocType: Soil Analysis,Ca/K,钙/钾 +DocType: Leave Type,Maximum Carry Forwarded Leaves,最大携带转发叶 DocType: Salary Slip,Employee Loan,员工贷款 DocType: Additional Salary,HR-ADS-.YY.-.MM.-,HR-ADS-.YY .-。MM.- DocType: Fee Schedule,Send Payment Request Email,发送付款申请电子邮件 @@ -305,6 +312,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,房地 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,对账单 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,制药 DocType: Purchase Invoice Item,Is Fixed Asset,是固定的资产 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,显示未来付款 DocType: Patient,HLC-PAT-.YYYY.-,HLC-PAT-.YYYY.- apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,此银行帐户已同步 DocType: Homepage,Homepage Section,主页部分 @@ -351,7 +359,6 @@ DocType: Agriculture Analysis Criteria,Fertilizer,肥料 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",无法通过序列号确保交货,因为\项目{0}是否添加了确保交货\序列号 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,请在教育>教育设置中设置教师命名系统 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,需要为POS费用清单定义至少一种付款模式 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},批处理项{0}需要批次否 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,银行对账单交易费用清单条目 @@ -426,6 +433,7 @@ DocType: Job Offer,Select Terms and Conditions,选择条款和条件 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,输出值 DocType: Bank Statement Settings Item,Bank Statement Settings Item,银行对账单设置项 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce设置 +DocType: Leave Ledger Entry,Transaction Name,交易名称 DocType: Production Plan,Sales Orders,销售订单 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,为客户找到多个忠诚度计划。请手动选择。 DocType: Purchase Taxes and Charges,Valuation,库存评估价 @@ -460,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: 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,更新电子邮件组 DocType: POS Profile,Only show Customer of these Customer Groups,仅显示这些客户组的客户 DocType: Sales Invoice,Is Opening Entry,是否期初分录 @@ -468,8 +477,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,如果不规范应收账款适用的话应提及 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,已经根据此选择列表创建了股票输入 DocType: Supplier Scorecard,Criteria Setup,条件设置 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,提交前必须选择仓库 +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,收到的 DocType: Codification Table,Medical Code,医疗法 apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,将Amazon与ERPNext连接起来 @@ -485,7 +495,7 @@ DocType: Restaurant Order Entry,Add Item,新增 DocType: Party Tax Withholding Config,Party Tax Withholding Config,业务伙伴的预扣税配置 DocType: Lab Test,Custom Result,自定义结果 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,银行账户补充说 -DocType: Delivery Stop,Contact Name,联系人姓名 +DocType: Call Log,Contact Name,联系人姓名 DocType: Plaid Settings,Synchronize all accounts every hour,每小时同步所有帐户 DocType: Course Assessment Criteria,Course Assessment Criteria,课程评价标准 DocType: Pricing Rule Detail,Rule Applied,适用规则 @@ -529,7 +539,6 @@ 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,销售发票编号 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,未知电话 DocType: Website Filter Field,Website Filter Field,网站过滤字段 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,供应类型 DocType: Material Request Item,Min Order Qty,最小订货量 @@ -557,7 +566,6 @@ DocType: Salary Slip,Total Principal Amount,贷款本金总额 DocType: Student Guardian,Relation,关系 DocType: Quiz Result,Correct,正确 DocType: Student Guardian,Mother,母亲 -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,请先在site_config.json中添加有效的Plaid api密钥 DocType: Restaurant Reservation,Reservation End Time,预订结束时间 DocType: Crop,Biennial,双年展 ,BOM Variance Report,物料清单差异报表 @@ -573,6 +581,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,格子公钥 DocType: Payment Term,Payment Term Name,付款条款名称 DocType: Healthcare Settings,Create documents for sample collection,创建样本收集文件 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},对{0} {1}的付款不能大于总未付金额{2} @@ -620,12 +629,14 @@ DocType: POS Profile,Offline POS Settings,离线POS设置 DocType: Stock Entry Detail,Reference Purchase Receipt,参考购买收据 DocType: Stock Reconciliation,MAT-RECO-.YYYY.-,MAT-RECO-.YYYY.- apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,变量属于 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',完成数量不能大于“生产数量” +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',完成数量不能大于“生产数量” +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,期间基于 DocType: Period Closing Voucher,Closing Account Head,结算科目 DocType: Employee,External Work History,外部就职经历 apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,循环引用错误 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,学生报表卡 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,来自Pin码 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,显示销售人员 DocType: Appointment Type,Is Inpatient,住院病人 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1名称 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,大写金额(出口)将在销售出货单保存后显示。 @@ -639,6 +650,7 @@ DocType: Stock Settings,Notify by Email on creation of automatic Material Reques DocType: Accounting Dimension,Dimension Name,尺寸名称 apps/erpnext/erpnext/healthcare/setup.py,Resistant,耐 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},请在{}上设置酒店房价 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,请通过设置>编号系列设置出勤编号系列 DocType: Journal Entry,Multi Currency,多币种 DocType: Bank Statement Transaction Invoice Item,Invoice Type,费用清单类型 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,从日期开始有效必须低于最新有效期 @@ -658,6 +670,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Summary for this DocType: Student Applicant,Admitted,准入 DocType: Workstation,Rent Cost,租金成本 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,折旧金额后 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,即将到来的日历事件 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,变量属性 @@ -748,7 +761,6 @@ DocType: Request for Quotation,Request for Quotation,询价 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,在Print中显示销售人员 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,强度 @@ -756,7 +768,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,创建一个新的客户 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,即将到期 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",如果几条价格规则同时使用,系统将提醒用户设置优先级。 -DocType: Purchase Invoice,Scan Barcode,扫条码 apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,创建采购订单 ,Purchase Register,采购台帐 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Patient not found,患者未找到 @@ -816,6 +827,7 @@ DocType: Account,Old Parent,旧上级 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,必修课 - 学年 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,必修课 - 学年 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1}与{2} {3}无关 +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}进行交易 @@ -859,6 +871,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,薪资构成用于按工时单支付工资。 DocType: Driver,Applicable for external driver,适用于外部驱动器 DocType: Sales Order Item,Used for Production Plan,用于生产计划 +DocType: BOM,Total Cost (Company Currency),总成本(公司货币) DocType: Loan,Total Payment,总付款 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,无法取消已完成工单的交易。 DocType: Manufacturing Settings,Time Between Operations (in mins),各操作之间的时间(以分钟) @@ -880,6 +893,7 @@ DocType: Supplier Scorecard Standing,Notify Other,通知其他 DocType: Vital Signs,Blood Pressure (systolic),血压(收缩期) apps/erpnext/erpnext/controllers/buying_controller.py,{0} {1} is {2},{0} {1}是{2} DocType: Item Price,Valid Upto,有效期至 +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.,列出一些你的客户,他们可以是组织或个人。 @@ -898,6 +912,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel 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/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Changes in {0},{0}中的更改 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Company,请选择公司 DocType: Employee Skill,Employee Skill,员工技能 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js,Difference Account,差异科目 @@ -942,6 +957,7 @@ DocType: Patient,Risk Factors,风险因素 DocType: Patient,Occupational Hazards and Environmental Factors,职业危害与环境因素 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,已为工单创建的库存条目 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,查看过去的订单 +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0}次对话 DocType: Vital Signs,Respiratory rate,呼吸频率 apps/erpnext/erpnext/config/help.py,Managing Subcontracting,管理外包 DocType: Vital Signs,Body Temperature,体温 @@ -983,6 +999,7 @@ DocType: Purchase Invoice,Registered Composition,注册作文 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Hello,你好 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,移动物料 DocType: Employee Incentive,Incentive Amount,激励金额 +,Employee Leave Balance Summary,员工休假余额摘要 DocType: Serial No,Warranty Period (Days),保修期限(天数) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,总信用/借方金额应与链接的手工凭证相同 DocType: Installation Note Item,Installation Note Item,安装单项 @@ -996,6 +1013,7 @@ DocType: Vital Signs,Bloated,胀 DocType: Salary Slip,Salary Slip Timesheet,工资单工时单 apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,外包采购收货单必须指定供应商仓库 DocType: Item Price,Valid From,有效期自 +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,您的评分: DocType: Sales Invoice,Total Commission,总佣金 DocType: Tax Withholding Account,Tax Withholding Account,代扣税款科目 DocType: Pricing Rule,Sales Partner,销售合作伙伴 @@ -1003,6 +1021,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,所有供应商 DocType: Buying Settings,Purchase Receipt Required,需要采购收据 DocType: Sales Invoice,Rail,轨 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,实际成本 +DocType: Item,Website Image,网站图片 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,行{0}中的目标仓库必须与工单相同 apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,库存开帐凭证中评估价字段必填 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,没有在费用清单表中找到记录 @@ -1037,8 +1056,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,请在同步帐户之前完成您的Plaid API配置 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,半天日期必填 DocType: Sales Order,Billing and Delivery Status,账单和交货状态 DocType: Job Applicant,Resume Attachment,简历附件 @@ -1050,7 +1069,6 @@ DocType: Production Plan,Production Plan,生产计划 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,费用清单创建工具 DocType: Salary Component,Round to the Nearest Integer,舍入到最近的整数 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,销售退货 -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,注:在此期间总分配假期{0}应不低于已批准的假期{1} DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,根据序列号输入设置交易数量 ,Total Stock Summary,总库存总结 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -1079,6 +1097,7 @@ DocType: Warehouse,A logical Warehouse against which stock entries are made.,库 apps/erpnext/erpnext/hr/doctype/loan/loan.js,Principal Amount,本金 DocType: Loan Application,Total Payable Interest,合计应付利息 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},总未付:{0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,打开联系 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}需要参考编号与参考日期 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},序列化项目{0}所需的序列号 @@ -1088,6 +1107,7 @@ 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,更新过程中发生错误 DocType: Restaurant Reservation,Restaurant Reservation,餐厅预订 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Items,你的物品 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Proposal Writing,提案写作 DocType: Payment Entry Deduction,Payment Entry Deduction,输入付款扣除 DocType: Service Level Priority,Service Level Priority,服务水平优先 @@ -1096,6 +1116,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,批号系列 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,另外销售人员{0}存在具有相同员工ID DocType: Employee Advance,Claimed Amount,申报金额 +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,过期分配 DocType: QuickBooks Migrator,Authorization Settings,授权设置 DocType: Travel Itinerary,Departure Datetime,离开日期时间 apps/erpnext/erpnext/hub_node/api.py,No items to publish,没有要发布的项目 @@ -1164,7 +1185,6 @@ DocType: Student Batch Name,Batch Name,批名 DocType: Fee Validity,Max number of visit,最大访问次数 DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,对于损益账户必须提供 ,Hotel Room Occupancy,酒店客房入住率 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,创建时间表: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},请为付款方式{0}设置默认的现金或银行科目 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,注册 DocType: GST Settings,GST Settings,GST设置 @@ -1298,6 +1318,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,请选择程序 DocType: Project,Estimated Cost,估计成本 DocType: Request for Quotation,Link to material requests,链接到物料申请 +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,发布 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Aerospace,航天 ,Fichier des Ecritures Comptables [FEC],Fichier des Ecritures Comptables [FEC] DocType: Journal Entry,Credit Card Entry,信用卡分录 @@ -1324,6 +1345,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,流动资产 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0}不是一个库存物料 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',请点击“培训反馈”,再点击“新建”来分享你的培训反馈 +DocType: Call Log,Caller Information,来电者信息 DocType: Mode of Payment Account,Default Account,默认科目 apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,请先在库存设置中选择留存样品仓库 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,请为多个收集规则选择多层程序类型。 @@ -1348,6 +1370,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Lost Reason apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,已自动生成材料需求 DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),工作时间低于标记的半天。 (零禁用) DocType: Job Card,Total Completed Qty,完成总数量 +DocType: HR Settings,Auto Leave Encashment,自动离开兑现 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,遗失 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,您不能在“对日记账分录”列中选择此凭证。 DocType: Employee Benefit Application Detail,Max Benefit Amount,最大福利金额 @@ -1377,9 +1400,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,订户 DocType: Item Attribute Value,Item Attribute Value,物料属性值 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,外币汇率必须适用于买入或卖出。 +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,只能取消过期分配 DocType: Item,Maximum sample quantity that can be retained,可以保留的最大样品数量 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},对于采购订单{3},行{0}#项目{1}不能超过{2} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,促销活动。 +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,未知的来电者 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1422,6 +1447,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,医疗保 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,文档名称 DocType: Expense Claim Detail,Expense Claim Type,报销类型 DocType: Shopping Cart Settings,Default settings for Shopping Cart,购物车的默认设置 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,保存项目 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,新费用 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,忽略现有的订购数量 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,添加时间空挡 @@ -1434,6 +1460,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,审核邀请已发送 DocType: Shift Assignment,Shift Assignment,班别分配 DocType: Employee Transfer Property,Employee Transfer Property,员工变动属性 +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,字段权益/责任帐户不能为空 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,从时间应该少于去时间 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,生物技术 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1516,11 +1543,13 @@ 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,创建新联系人 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,课程表 DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B报告 DocType: Request for Quotation Supplier,Quote Status,报价状态 DocType: GoCardless Settings,Webhooks Secret,Webhooks的秘密 DocType: Maintenance Visit,Completion Status,完成状态 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},付款总额不得超过{} DocType: Daily Work Summary Group,Select Users,选择用户 DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,酒店房间定价项目 DocType: Loyalty Program Collection,Tier Name,等级名称 @@ -1558,6 +1587,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST金 DocType: Lab Test Template,Result Format,结果格式 DocType: Expense Claim,Expenses,费用 DocType: Service Level,Support Hours,支持小时 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,送货单 DocType: Item Variant Attribute,Item Variant Attribute,产品规格属性 ,Purchase Receipt Trends,采购收货趋势 DocType: Payroll Entry,Bimonthly,半月刊 @@ -1580,7 +1610,6 @@ DocType: Sales Team,Incentives,激励政策 DocType: SMS Log,Requested Numbers,请求号码 DocType: Volunteer,Evening,晚间 DocType: Quiz,Quiz Configuration,测验配置 -DocType: Customer,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,库存详细信息 @@ -1627,7 +1656,6 @@ apps/erpnext/erpnext/config/accounting.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,过滤器总计零数量 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},在未来{0}天操作{1}无可用时间(档期) DocType: Work Order,Plan material for sub-assemblies,计划材料为子组件 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,无可移转物料 @@ -1642,9 +1670,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,您必须在库存设置中启用自动重新订购才能维持重新订购级别。 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,取消此上门保养之前请先取消物料访问{0} DocType: Pricing Rule,Rate or Discount,价格或折扣 +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,银行明细 DocType: Vital Signs,One Sided,单面 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},序列号{0}不属于物料{1} -DocType: Purchase Receipt Item Supplied,Required Qty,需求数量 +DocType: Purchase Order Item Supplied,Required Qty,需求数量 DocType: Marketplace Settings,Custom Data,自定义数据 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,有现有的交易的仓库不能转换到总帐。 DocType: Service Day,Service Day,服务日 @@ -1672,7 +1701,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,科目币种 DocType: Lab Test,Sample ID,样品编号 apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,请在公司中提及圆整账户 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,出纳处 DocType: Purchase Receipt,Range,范围 DocType: Supplier,Default Payable Accounts,默认应付账户(多个) apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,员工{0}未激活或不存在 @@ -1713,8 +1741,8 @@ apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Dat DocType: Lead,Request for Information,索取资料 DocType: Course Activity,Activity Date,活动日期 apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migration.py,{} of {},{} {} -,LeaderBoard,管理者看板 DocType: Sales Invoice Item,Rate With Margin (Company Currency),利率保证金(公司货币) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,分类 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,同步离线费用清单 DocType: Payment Request,Paid,已付款 DocType: Service Level,Default Priority,默认优先级 @@ -1749,11 +1777,11 @@ 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,间接收益 DocType: Student Attendance Tool,Student Attendance Tool,学生考勤工具 DocType: Restaurant Menu,Price List (Auto created),价格清单(自动创建) +DocType: Pick List Item,Picked Qty,挑选数量 DocType: Cheque Print Template,Date Settings,日期设定 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,员工升职信息 -,Company Name,公司名称 DocType: SMS Center,Total Message(s),总信息(s ) DocType: Share Balance,Purchased,已采购 DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,在物料属性中重命名属性值。 @@ -1772,7 +1800,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,最新尝试 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}的总已分配休假天数 -DocType: BOM,Raw Material Cost(Company Currency),原材料成本(公司货币) 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,仪表 @@ -1840,6 +1867,7 @@ DocType: Travel Itinerary,Train,培养 ,Delayed Item Report,延迟物品报告 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,符合条件的ITC DocType: Healthcare Service Unit,Inpatient Occupancy,住院病人入住率 +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,发布您的第一个项目 DocType: Sample Collection,HLC-SC-.YYYY.-,HLC-SC-.YYYY.- DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,轮班结束后的时间,在此期间考虑退房。 apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},请指定{0} @@ -1958,6 +1986,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,全部物料清 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,创建国际公司日记帐分录 DocType: Company,Parent Company,母公司 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},{0}类型的酒店客房不适用于{1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,比较原材料和操作中的更改的BOM apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,文档{0}成功未清除 DocType: Healthcare Practitioner,Default Currency,默认货币 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,核对此帐户 @@ -1992,6 +2021,7 @@ apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,T DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form费用清单明细 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,付款发票对账 DocType: Clinical Procedure,Procedure Template,程序模板 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,发布项目 apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,贡献% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",根据采购设置,如果需要采购订单=='是',那么为了创建采购费用清单,用户需要首先为项目{0}创建采购订单 ,HSN-wise-summary of outward supplies,HSN明智的向外供应摘要 @@ -2004,7 +2034,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',请设置“额外折扣基于” DocType: Party Tax Withholding Config,Applicable Percent,适用百分比 ,Ordered Items To Be Billed,待开费用清单已订货物料 -DocType: Employee Checkin,Exit Grace Period Consequence,退出宽限期后果 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,从范围必须小于去范围 DocType: Global Defaults,Global Defaults,全局默认值 apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,项目合作邀请 @@ -2012,13 +2041,11 @@ DocType: Salary Slip,Deductions,扣除列表 DocType: Setup Progress Action,Action Name,行动名称 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,开始年份 apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,创建贷款 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,部分支付 DocType: Purchase Invoice,Start date of current invoice's period,当前费用清单周期的起始日期 DocType: Shift Type,Process Attendance After,过程出勤 ,IRS 1099,IRS 1099 DocType: Salary Slip,Leave Without Pay,无薪休假 DocType: Payment Request,Outward,向外 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,容量规划错误 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,州/ UT税 ,Trial Balance for Party,往来单位试算平衡表 ,Gross and Net Profit Report,毛利润和净利润报告 @@ -2037,7 +2064,6 @@ DocType: Payroll Entry,Employee Details,员工详细信息 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}需要资产 -DocType: Setup Progress Action,Domains,域 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} @@ -2080,7 +2106,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,总计家 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.",付款方式未配置。请检查付款方式或POS配置中是否设置了科目。 apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,同一物料不能输入多次。 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",更多的科目可以归属到一个群组类的科目下,但会计凭证中只能使用非群组类的科目 -DocType: Email Campaign,Lead,商机 +DocType: Call Log,Lead,商机 DocType: Email Digest,Payables,应付账款 DocType: Amazon MWS Settings,MWS Auth Token,MWS 验证令牌 DocType: Email Campaign,Email Campaign For ,电子邮件活动 @@ -2092,6 +2118,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,待开费用清单采购订单项 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,信用额度 DocType: Purchase Invoice Item,Net Rate,净单价 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,请选择一个客户 DocType: Leave Policy,Leave Allocations,离开分配 @@ -2105,6 +2132,7 @@ apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_re DocType: Support Settings,Close Issue After Days,关闭问题天后 ,Eway Bill,Eway Bill apps/erpnext/erpnext/public/js/hub/marketplace.js,You need to be a user with System Manager and Item Manager roles to add users to Marketplace.,您需要是具有System Manager和Item Manager角色的用户才能将用户添加到Marketplace。 +DocType: Attendance,Early Exit,提前退出 DocType: Job Opening,Staffing Plan,人力需求计划 apps/erpnext/erpnext/accounts/doctype/sales_invoice/regional/india_list.js,e-Way Bill JSON can only be generated from a submitted document,e-Way Bill JSON只能从提交的文档中生成 apps/erpnext/erpnext/config/hr.py,Employee Tax and Benefits,员工税和福利 @@ -2127,6 +2155,7 @@ DocType: Maintenance Team Member,Maintenance Role,维护角色 apps/erpnext/erpnext/utilities/transaction_base.py,Duplicate row {0} with same {1},重复的行{0}同{1} DocType: Marketplace Settings,Disable Marketplace,禁用市场 DocType: Quality Meeting,Minutes,分钟 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Featured Items,你的特色商品 ,Trial Balance,试算平衡表 apps/erpnext/erpnext/templates/pages/projects.js,Show Completed,显示已完成 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.py,Fiscal Year {0} not found,会计年度{0}未找到 @@ -2136,8 +2165,8 @@ 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,请先选择前缀 DocType: Contract,Fulfilment Deadline,履行截止日期 +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,在你旁边 DocType: Student,O-,O- -DocType: Shift Type,Consequence,后果 DocType: Subscription Settings,Subscription Settings,订阅设置 DocType: Purchase Invoice,Update Auto Repeat Reference,更新自动重复参考 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},可选假期列表未设置为假期{0} @@ -2148,7 +2177,6 @@ DocType: Maintenance Visit Purpose,Work Done,已完成工作 apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,请指定属性表中的至少一个属性 DocType: Announcement,All Students,所有学生 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,物料{0}必须是一个非库存物料 -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,银行Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,查看总帐 DocType: Grading Scale,Intervals,间隔 DocType: Bank Statement Transaction Entry,Reconciled Transactions,已核对的交易 @@ -2184,6 +2212,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn DocType: Woocommerce Settings,"This warehouse will be used to create Sale Orders. The fallback warehouse is ""Stores"".",该仓库将用于创建销售订单。后备仓库是“商店”。 DocType: Work Order,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,在整个采购周期使用同一价格 DocType: Opportunity Item,Opportunity Item,机会项(行) DocType: Quality Action,Quality Review,质量审查 @@ -2210,7 +2239,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,获取未付费用清单 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,销售订单{0}无效 +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,警告新的报价请求 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,采购订单帮助您规划和跟进您的采购 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,实验室测试处方 @@ -2235,6 +2264,7 @@ DocType: Employee Onboarding,Notify users by email,通过电子邮件通知用 DocType: Travel Request,International,国际 DocType: Training Event,Training Event,培训项目 DocType: Item,Auto re-order,自动重订货 +DocType: Attendance,Late Entry,迟入 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,总体上实现的 DocType: Employee,Place of Issue,签发地点 DocType: Promotional Scheme,Promotional Scheme Price Discount,促销计划价格折扣 @@ -2281,6 +2311,7 @@ DocType: Serial No,Serial No Details,序列号信息 DocType: Purchase Invoice Item,Item Tax Rate,物料税率 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,来自某方的名字 apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,净工资金额 +DocType: Pick List,Delivery against Sales Order,根据销售订单交货 DocType: Student Group Student,Group Roll Number,组卷编号 DocType: Student Group Student,Group Roll Number,组卷编号 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",对于{0},只有贷方分录可以与另一个贷方科目链接 @@ -2354,7 +2385,6 @@ DocType: Contract,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,供应商费用清单日期 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,该值用于按比例计算 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,您需要启用购物车 DocType: Payment Entry,Writeoff,注销 DocType: Maintenance Visit,MAT-MVS-.YYYY.-,MAT-MVS-.YYYY.- @@ -2368,6 +2398,7 @@ DocType: Delivery Trip,Total Estimated Distance,总估计距离 DocType: Invoice Discounting,Accounts Receivable Unpaid Account,应收帐款未付帐户 DocType: Tally Migration,Tally Company,理货公司 apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,物料清单浏览器 +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},不允许为{0}创建会计维度 apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,请更新你在此培训的状态 DocType: Item Barcode,EAN,EAN DocType: Purchase Taxes and Charges,Add or Deduct,添加或扣除 @@ -2377,7 +2408,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry ,Inactive Sales Items,非活动销售项目 DocType: Quality Review,Additional Information,附加信息 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,总订单价值 -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,服务水平协议重置。 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,食品 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,账龄范围3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,销售终端关闭凭证详细信息 @@ -2424,6 +2454,7 @@ 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,促销活动 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',审批状态必须是“已批准”或“已拒绝” DocType: Healthcare Practitioner,Contacts and Address,联系人和地址 DocType: Shift Type,Determine Check-in and Check-out,确定登记入住和退房 @@ -2443,7 +2474,6 @@ DocType: Student Admission,Eligibility and Details,资格和细节 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,包含在毛利润中 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,固定资产净变动 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,需要数量 -DocType: Company,Client Code,客户代码 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}中的收取类型“实际”不能包含在“物料税率” apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},最大值:{0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,起始时间日期 @@ -2511,6 +2541,7 @@ DocType: Journal Entry Account,Account Balance,科目余额 apps/erpnext/erpnext/config/accounting.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 (%),超过转移津贴(%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}:需要客户支付的应收账款{2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),总税/费(公司货币) DocType: Weather,Weather Parameter,天气参数 @@ -2573,6 +2604,7 @@ DocType: Shift Type,Working Hours Threshold for Absent,缺勤的工作时间门 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,There can be multiple tiered collection factor based on the total spent. But the conversion factor for redemption will always be same for all the tier.,根据总花费可以有多个分层收集因子。但兑换的兑换系数对于所有等级总是相同的。 apps/erpnext/erpnext/config/help.py,Item Variants,物料变体 apps/erpnext/erpnext/public/js/setup_wizard.js,Services,服务 +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 2,BOM 2 DocType: Payment Order,PMO-,PMO- DocType: HR Settings,Email Salary Slip to Employee,通过电子邮件发送工资单给员工 DocType: Cost Center,Parent Cost Center,上级成本中心 @@ -2583,7 +2615,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields", DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,在发货时从Shopify导入交货单 apps/erpnext/erpnext/templates/pages/projects.html,Show closed,显示关闭 DocType: Issue Priority,Issue Priority,问题优先 -DocType: Leave Type,Is Leave Without Pay,是无薪休假 +DocType: Leave Ledger Entry,Is Leave Without Pay,是无薪休假 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,GSTIN,GSTIN apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,固定资产类的物料其资产类别字段是必填的 DocType: Fee Validity,Fee Validity,费用有效期 @@ -2632,6 +2664,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,仓库中可用的 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js,Update Print Format,更新打印格式 DocType: Bank Account,Is Company Account,是公司帐户 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,休假类型{0}不可折现 +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},已为公司{0}定义信用额度 DocType: Landed Cost Voucher,Landed Cost Help,到岸成本帮助 DocType: Vehicle Log,HR-VLOG-.YYYY.-,HR-VLOG,.YYYY.- DocType: Purchase Invoice,Select Shipping Address,选择销售出货地址 @@ -2656,6 +2689,7 @@ DocType: Stock Reconciliation,This tool helps you to update or fix the quantity 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} DocType: Item Alternative,Two-way,双向 DocType: Item,Manufacturers,制造商 @@ -2693,7 +2727,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar ,Bank Reconciliation Statement,银行对帐单 DocType: Patient Encounter,Medical Coding,医学编码 DocType: Healthcare Settings,Reminder Message,提醒信息 -,Lead Name,线索姓名 +DocType: Call Log,Lead Name,线索姓名 ,POS,销售终端 DocType: C-Form,III,III apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Prospecting,勘探 @@ -2725,12 +2759,14 @@ DocType: Purchase Invoice,Supplier Warehouse,供应商仓库 DocType: Opportunity,Contact Mobile No,联系人手机号码 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,选择公司 ,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: Student Report Generation Tool,Print Section,打印部分 DocType: Staffing Plan Detail,Estimated Cost Per Position,预估单人成本 DocType: Employee,HR-EMP-,HR-EMP- 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,质量会议纪要 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供应商>供应商类型 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,员工推荐 DocType: Student Group,Set 0 for no limit,为不限制设为0 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,您申请的休假日期是节假日,无需申请休假。 @@ -2764,12 +2800,10 @@ apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sa apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,现金净变动 DocType: Assessment Plan,Grading Scale,分级量表 apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,计量单位{0}已经在换算系数表内 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,已经完成 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,在手库存 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",请将剩余的权益{0}作为\ pro-rata组件添加到应用程序中 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',请为公共管理'%s'设置财政代码 -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},付款申请已经存在{0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,已发料物料成本 DocType: Healthcare Practitioner,Hospital,医院 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},数量不能超过{0} @@ -2814,6 +2848,7 @@ apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Com apps/erpnext/erpnext/config/settings.py,Human Resources,人力资源 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Upper Income,高收入 DocType: Item Manufacturer,Item Manufacturer,产品制造商 +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,创造新的领导者 DocType: BOM Operation,Batch Size,批量大小 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,拒绝 DocType: Journal Entry Account,Debit in Company Currency,借记卡在公司货币 @@ -2834,9 +2869,11 @@ DocType: Bank Transaction,Reconciled,不甘心 DocType: Expense Claim,Total Amount Reimbursed,报销金额合计 apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py,This is based on logs against this Vehicle. See timeline below for details,这是基于该车辆日志。请看以下时间轴记录的详细内容 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll date can not be less than employee's joining date,工资日期不能低于员工的加入日期 +DocType: Pick List,Item Locations,物品位置 apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,{0} {1} 已被创建 apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",指定{0}的职位空缺已根据人员配置计划{1}已打开或正在招聘 +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,您最多可以发布200个项目。 DocType: Vital Signs,Constipated,便秘 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},针对的日期为{1}的供应商费用清单{0} DocType: Customer,Default Price List,默认价格清单 @@ -2930,6 +2967,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,切换实际开始 DocType: Tally Migration,Is Day Book Data Imported,是否导入了日记簿数据 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,市场营销费用 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0}的{0}单位不可用。 ,Item Shortage Report,缺料报表 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,无法创建标准条件。请重命名标准 @@ -2953,6 +2991,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,退休日期 DocType: Upload Attendance,Get Template,获取模板 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,选择列表 ,Sales Person Commission Summary,销售人员委员会摘要 DocType: Material Request,Transferred,已转移 DocType: Vehicle,Doors,门 @@ -3032,7 +3071,7 @@ DocType: Sales Invoice Item,Customer's Item Code,客户的物料代码 DocType: Stock Reconciliation,Stock Reconciliation,库存盘点 DocType: Territory,Territory Name,区域名称 DocType: Email Digest,Purchase Orders to Receive,要收货的采购订单 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,提交前需要指定在制品仓库 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,提交前需要指定在制品仓库 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,您只能在订阅中拥有相同结算周期的计划 DocType: Bank Statement Transaction Settings Item,Mapped Data,已映射数据 DocType: Purchase Order Item,Warehouse and Reference,仓库及参考 @@ -3107,6 +3146,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,交货设置 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,获取数据 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},假期类型{0}允许的最大休假是{1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,发布1项 DocType: SMS Center,Create Receiver List,创建接收人列表 DocType: Student Applicant,LMS Only,仅限LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,可供使用的日期应在购买日期之后 @@ -3140,6 +3180,7 @@ DocType: Serial No,Delivery Document No,交货文档编号 DocType: Sales Order Item,Ensure Delivery Based on Produced Serial No,确保基于生产的序列号的交货 DocType: Vital Signs,Furry,毛茸茸 apps/erpnext/erpnext/assets/doctype/asset/depreciation.py,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},请在公司{0}制定“关于资产处置收益/损失科目” +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}所必需的 @@ -3151,6 +3192,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumpti apps/erpnext/erpnext/public/js/call_popup/call_popup.js,View all issues from {0},查看{0}中的所有问题 DocType: Quality Inspection,MAT-QA-.YYYY.-,MAT-QA-.YYYY.- DocType: Quality Meeting Table,Quality Meeting Table,质量会议桌 +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/templates/pages/help.html,Visit the forums,访问论坛 DocType: Student,Student Mobile Number,学生手机号码 DocType: Item,Has Variants,有变体 @@ -3162,9 +3204,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,月度分布名 DocType: Quality Procedure Process,Quality Procedure Process,质量程序流程 apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,批号是必需的 apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,批号是必需的 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,请先选择客户 DocType: Sales Person,Parent Sales Person,母公司销售人员 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,没有收到的物品已逾期 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,卖方和买方不能相同 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,还没有意见 DocType: Project,Collect Progress,收集进度 DocType: Delivery Note,MAT-DN-.YYYY.-,MAT-DN-.YYYY.- apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,首先选择程序 @@ -3186,11 +3230,13 @@ apps/erpnext/erpnext/accounts/doctype/budget/budget.py,"Budget cannot be assigne DocType: Quality Review Table,Achieved,已实现 DocType: Student Admission,Application Form Route,申请表路线 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,End Date of Agreement can't be less than today.,协议的结束日期不能低于今天。 +apps/erpnext/erpnext/public/js/hub/components/CommentInput.vue,Ctrl + Enter to submit,按Ctrl + Enter提交 DocType: Healthcare Settings,Patient Encounters in valid days,患者在有效日期遇到 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be allocated since it is leave without pay,休假类型{0},因为它是停薪留职无法分配 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} DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,大写金额将在销售费用清单保存后显示。 DocType: Lead,Follow Up,跟进 +apps/erpnext/erpnext/accounts/report/financial_statements.py,Cost Center: {0} does not exist,成本中心:{0}不存在 DocType: Item,Is Sales Item,可销售? apps/erpnext/erpnext/setup/doctype/item_group/item_group.js,Item Group Tree,物料群组树 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Check Item master,物料{0}没有启用序列号管理功能,请检查物料主数据 @@ -3235,9 +3281,9 @@ DocType: Item Website Specification,Table for Item that will be shown in Web Sit DocType: Purchase Order Item Supplied,Supplied Qty,供应的数量 DocType: Clinical Procedure,HLC-CPR-.YYYY.-,HLC-CPR-.YYYY.- DocType: Purchase Order Item,Material Request Item,材料申请项目 -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,请先取消采购收货{0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,物料群组树。 DocType: Production Plan,Total Produced Qty,总生产数量 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,还没有评论 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,此收取类型不能引用大于或等于本行的数据。 DocType: Asset,Sold,出售 ,Item-wise Purchase History,物料采购历史 @@ -3256,7 +3302,7 @@ DocType: Designation,Required Skills,所需技能 DocType: Inpatient Record,O Positive,O积极 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,投资 DocType: Issue,Resolution Details,详细解析 -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,交易类型 +DocType: Leave Ledger Entry,Transaction Type,交易类型 DocType: Item Quality Inspection Parameter,Acceptance Criteria,验收标准 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,请输入在上表请求材料 apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,没有为日志输入可选的二次付款 @@ -3298,6 +3344,7 @@ DocType: Bank Account,Bank Account No,银行帐号 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,员工免税证明提交 DocType: Patient,Surgical History,手术史 DocType: Bank Statement Settings Item,Mapped Header,已映射的标题 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 DocType: Employee,Resignation Letter Date,辞职信日期 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,定价规则进一步过滤基于数量。 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},请为员工{0}设置加入日期 @@ -3366,7 +3413,6 @@ DocType: Student Report Generation Tool,Add Letterhead,添加信头 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,在此期间合计分配的假期{0}不能小于已经批准的假期{1} DocType: Contract Fulfilment Checklist,Requirement,需求 DocType: Journal Entry,Accounts Receivable,应收帐款 DocType: Quality Goal,Objectives,目标 @@ -3389,7 +3435,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,单一交易阈值 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,该值在默认销售价格清单中更新。 apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,您的购物车是空的 DocType: Email Digest,New Expenses,新的费用 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,部分支付金额 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,由于缺少驱动程序地址,无法优化路由。 DocType: Shareholder,Shareholder,股东 DocType: Purchase Invoice,Additional Discount Amount,额外的折扣金额 @@ -3426,6 +3471,7 @@ DocType: Asset Maintenance Task,Maintenance Task,维护任务 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,请在GST设置中设置B2C限制。 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,无法为关键日期{2}查找{0}到{1}的汇率。请手动创建汇率记录 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}。请刷新您的浏览器以使更改生效。 @@ -3462,6 +3508,7 @@ DocType: Salary Component,Deduction,扣除 DocType: Item,Retain Sample,保留样品 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,行{0}:开始时间和结束时间必填。 DocType: Stock Reconciliation Item,Amount Difference,金额差异 +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,此页面会跟踪您要从卖家处购买的商品。 apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},物料价格{0}自动添加到价格清单{1}中了,以备以后订单使用 DocType: Delivery Stop,Order Information,订单信息 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,请输入这个销售人员的员工标识 @@ -3490,6 +3537,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**财年**表示财务年度。所有的会计分录和其他重大交易将根据**财年**跟踪。 DocType: Opportunity,Customer / Lead Address,客户/潜在客户地址 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,供应商记分卡设置 +DocType: Customer Credit Limit,Customer Credit Limit,客户信用额度 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,评估计划名称 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,目标细节 apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",如果公司是SpA,SApA或SRL,则适用 @@ -3542,7 +3590,6 @@ DocType: Company,Transactions Annual History,交易年历 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,银行名称 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-天以上 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,流体 @@ -3596,6 +3643,7 @@ 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,已添加到精选商品 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,年度利润 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,进行中 @@ -3650,12 +3698,10 @@ 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,多次允许相同的项目 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,没有找到公司的GST编号。 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,员工 DocType: Question,Single Correct Answer,单一正确答案 -DocType: Employee,Contact Details,联系人信息 DocType: C-Form,Received Date,收到日期 DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",如果您已经创建了销项税/费标准模板,选择一个,然后点击下面的按钮。 DocType: BOM Scrap Item,Basic Amount (Company Currency),基本金额(公司币种) @@ -3685,12 +3731,13 @@ DocType: BOM Website Operation,BOM Website Operation,物料清单网站运营 DocType: Bank Statement Transaction Payment Item,outstanding_amount,未付金额 DocType: Supplier Scorecard,Supplier Score,供应商分数 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,安排入场 +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,总付款请求金额不能大于{0}金额 DocType: Tax Withholding Rate,Cumulative Transaction Threshold,累积交易阈值 DocType: Promotional Scheme Price Discount,Discount Type,折扣类型 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,总开票金额 DocType: Purchase Invoice Item,Is Free Item,是免费物品 +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,允许您根据订购数量转移更多的百分比。例如:如果您订购了100个单位。你的津贴是10%,那么你可以转让110个单位。 DocType: Supplier,Warn RFQs,警告RFQs -apps/erpnext/erpnext/templates/pages/home.html,Explore,探索 +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Explore,探索 DocType: BOM,Conversion Rate,转换率 apps/erpnext/erpnext/www/all-products/index.html,Product Search,产品搜索 ,Bank Remittance,银行汇款 @@ -3702,6 +3749,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credi DocType: Loan,Total Amount Paid,总金额支付 DocType: Asset,Insurance End Date,保险终止日期 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Please select Student Admission which is mandatory for the paid student applicant,请选择学生报到,这是对已付费学生申请者是强制性的 +DocType: Pick List,STO-PICK-.YYYY.-,STO-PICK-.YYYY.- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js,Budget List,预算清单 DocType: Campaign,Campaign Schedules,活动时间表 DocType: Job Card Time Log,Completed Qty,已完成数量 @@ -3724,6 +3772,7 @@ apps/erpnext/erpnext/public/js/templates/address_list.html,New Address,新地址 DocType: Quality Inspection,Sample Size,样本大小 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,请输入收据凭证 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,所有物料已开具费用清单 +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,叶子采取 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',请指定一个有效的“从案号” 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,进一步的成本中心可以根据组进行,但项可以对非组进行 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,在此期间,合计分配的假期大于员工{1}的最大分配{0}离职类型的天数 @@ -3824,6 +3873,8 @@ 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: Call Log,Received By,收到的 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.,跟踪独立收入和支出进行产品垂直或部门。 @@ -3877,6 +3928,7 @@ DocType: Support Search Source,Result Title Field,结果标题字段 apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Call Summary,呼叫摘要 DocType: Sample Collection,Collected Time,收集时间 DocType: Employee Skill Map,Employee Skills,员工技能 +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,燃料费用 DocType: Company,Sales Monthly History,销售月历 apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,请在“税费和收费表”中至少设置一行 DocType: Asset Maintenance Task,Next Due Date,下一个到期日 @@ -3886,6 +3938,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,生命体 DocType: Payment Entry,Payment Deductions or Loss,付款扣除或损失 DocType: Soil Analysis,Soil Analysis Criterias,土壤分析标准 apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,销售或采购的标准合同条款。 +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},在{0}中删除的行 DocType: Shift Type,Begin check-in before shift start time (in minutes),在班次开始时间(以分钟为单位)开始办理登机手续 DocType: BOM Item,Item operation,物品操作 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,基于凭证分组 @@ -3911,11 +3964,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,这一时期员工的工资单{0}已创建 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,医药 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,假期折现的折现金额不正确 +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,项目由 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,采购物料成本 DocType: Employee Separation,Employee Separation Template,员工离职模板 DocType: Selling Settings,Sales Order Required,销售订单为必须项 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,成为卖家 -DocType: Shift Type,The number of occurrence after which the consequence is executed.,执行结果的发生次数。 ,Procurement Tracker,采购跟踪器 DocType: Purchase Invoice,Credit To,贷记 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC逆转 @@ -3928,6 +3981,7 @@ DocType: Quality Meeting,Agenda,议程 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,维护计划细节 DocType: Supplier Scorecard,Warn for new Purchase Orders,警告新的采购订单 DocType: Quality Inspection Reading,Reading 9,检验结果9 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,将您的Exotel帐户连接到ERPNext并跟踪通话记录 DocType: Supplier,Is Frozen,被冻结 DocType: Tally Migration,Processed Files,已处理的文件 apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,组节点仓库不允许选择用于交易 @@ -3936,6 +3990,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,成品物料的物 DocType: Upload Attendance,Attendance To Date,考勤结束日期 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,处方 @@ -3960,7 +4015,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,请求者 apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},无效的参考{0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,适用不同促销计划的规则。 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} {1}不能大于生产订单{3}的计划数量({2}) DocType: Shipping Rule,Shipping Rule Label,配送规则标签 DocType: Journal Entry Account,Payroll Entry,工资计算 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,查看费用记录 @@ -3972,6 +4026,7 @@ DocType: Contract,Fulfilment Status,履行状态 DocType: Lab Test Sample,Lab Test Sample,实验室测试样品 DocType: Item Variant Settings,Allow Rename Attribute Value,允许重命名属性值 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,快速简化手工凭证 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,未来付款金额 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,如果任何条目中引用了BOM,你不能更改其税率 DocType: Restaurant,Invoice Series Prefix,费用清单系列前缀 DocType: Employee,Previous Work Experience,以前工作经验 @@ -4001,6 +4056,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,项目状态 DocType: UOM,Check this to disallow fractions. (for Nos),要对编号禁止分数,请勾选此项。 DocType: Student Admission Program,Naming Series (for Student Applicant),名录(面向学生申请人) +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/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,从业者服务单位时间表 @@ -4016,6 +4072,7 @@ DocType: Fiscal Year,Year End Date,年度结束日期 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} 已关闭 @@ -4024,6 +4081,7 @@ apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Collec DocType: Purchase Receipt,Get Current Stock,获取当前库存 DocType: Purchase Invoice,ineligible,不合格 apps/erpnext/erpnext/config/manufacturing.py,Tree of Bill of Materials,物料清单树 +DocType: BOM,Exploded Items,爆炸物品 DocType: Student,Joining Date,入职日期 ,Employees working on a holiday,员工假期加班 ,TDS Computation Summary,TDS计算摘要 @@ -4056,6 +4114,7 @@ DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),库存评估价(按 DocType: SMS Log,No of Requested SMS,请求短信数量 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Leave Without Pay does not match with approved Leave Application records,停薪留职不批准请假的记录相匹配 apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html,Next Steps,下一步 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Saved Items,保存的物品 DocType: Travel Request,Domestic,国内 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js,Please supply the specified items at the best possible rates,请在提供最好的利率规定的项目 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Employee Transfer cannot be submitted before Transfer Date ,员工变动无法在变动日期前提交 @@ -4121,7 +4180,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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}。 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,行#{0}(付款表):金额必须为正值 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},不能生产超过销售订单数量{1}的物料{0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},不能生产超过销售订单数量{1}的物料{0} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,毛不包含任何内容 apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill已存在于本文件中 apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,选择属性值 @@ -4156,12 +4215,10 @@ 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,设置公司 -DocType: Shift Type,Enable Different Consequence for Early Exit,为早期退出启用不同的后果 ,Lab Test Report,实验室测试报表 DocType: Employee Benefit Application,Employee Benefit Application,员工福利申请 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,额外的薪资组件存在。 DocType: Purchase Invoice,Unregistered,未注册 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,请先选择销售出货单 DocType: Student Applicant,Application Date,申请日期 DocType: Salary Component,Amount based on formula,金额基于公式 DocType: Purchase Invoice,Currency and Price List,货币和价格清单 @@ -4190,6 +4247,7 @@ DocType: Purchase Receipt,Time at which materials were received,收到物料的 DocType: Products Settings,Products per Page,每页产品 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,结算日期 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,分配数量不能为负数 DocType: Sales Order,Billing Status,账单状态 apps/erpnext/erpnext/public/js/conf.js,Report an Issue,报表问题 @@ -4197,6 +4255,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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}或已经对另一凭证匹配 DocType: Supplier Scorecard Criteria,Criteria Weight,标准重量 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,帐户:付款条目下不允许{0} DocType: Production Plan,Ignore Existing Projected Quantity,忽略现有的预计数量 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,休假已批准通知 DocType: Buying Settings,Default Buying Price List,默认采购价格清单 @@ -4205,6 +4264,7 @@ apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Buying Ra apps/erpnext/erpnext/controllers/buying_controller.py,Row {0}: Enter location for the asset item {1},行{0}:请为第{0}行的资产,即物料号{1}输入位置信息 DocType: Employee Checkin,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.",设置例如公司,货币,当前财务年度等的默认值 DocType: Payment Entry,Payment Type,付款类型 apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,请选择项目{0}的批次。无法找到满足此要求的单个批次 @@ -4234,6 +4294,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,购物车设置 DocType: Journal Entry,Accounting Entries,会计分录 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.",如果选定的定价规则是针对“费率”制定的,则会覆盖价格清单。定价规则费率是最终费率,因此不应再应用更多折扣。因此,在诸如销售订单,采购订单等交易中,它将在'费率'字段中取代,而不是在'价格清单单价'字段中取出。 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,请在教育>教育设置中设置教师命名系统 DocType: Journal Entry,Paid Loan,付费贷款 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,参考到期日 @@ -4250,12 +4311,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks详细信息 apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,没有考勤表 DocType: GoCardless Mandate,GoCardless Customer,GoCardless客户 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,休假类型{0}不能随身转发 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品代码>商品分组>品牌 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',维护计划没有为所有物料生成,请点击“生产计划” ,To Produce,以生产 DocType: Leave Encashment,Payroll,工资表 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",对于{1}中的行{0}。要包括物料率中{2},行{3}也必须包括 DocType: Healthcare Service Unit,Parent Service Unit,上级服务单位 DocType: Packing Slip,Identification of the package for the delivery (for print),打包物料的标志(用于打印) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,服务水平协议已重置。 DocType: Bin,Reserved Quantity,保留数量 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,请输入有效的电子邮件地址 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,请输入有效的电子邮件地址 @@ -4277,7 +4340,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,价格或产品折扣 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,对于行{0}:输入计划的数量 DocType: Account,Income Account,收入科目 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客户>客户组>地区 DocType: Payment Request,Amount in customer's currency,量客户的货币 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,交货 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,分配结构... @@ -4300,6 +4362,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,参考 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?,您将失去先前生成的费用清单记录。您确定要重新启用此订阅吗? @@ -4355,11 +4418,10 @@ DocType: Additional Salary,HR User,HR用户 DocType: Bank Guarantee,Reference Document Name,参考文件名称 DocType: Purchase Invoice,Taxes and Charges Deducted,已扣除税费 DocType: Support Settings,Issues,问题 -DocType: Shift Type,Early Exit Consequence after,提前退出后果 DocType: Loyalty Program,Loyalty Program Name,忠诚计划名称 apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},状态必须是{0}中的一个 apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,提醒更新GSTIN发送 -DocType: Sales Invoice,Debit To,科目(应收帐款) +DocType: Discounted Invoice,Debit To,科目(应收帐款) DocType: Restaurant Menu Item,Restaurant Menu Item,餐厅菜单项 DocType: Delivery Note,Required only for sample item.,只针对样品物料。 DocType: Stock Ledger Entry,Actual Qty After Transaction,交易过帐后实际数量 @@ -4442,6 +4504,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,参数名称 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,仅可以提交状态为“已批准”和“已拒绝”的休假申请 apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,创建尺寸...... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},学生组名称是强制性的行{0} +DocType: Customer Credit Limit,Bypass credit limit_check,绕过信用限额_检查 DocType: Homepage,Products to be shown on website homepage,在网站首页中显示的产品 DocType: HR Settings,Password Policy,密码政策 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,这是一个根客户组,并且不能编辑。 @@ -4489,10 +4552,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),如 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,请在“餐厅设置”中设置默认客户 ,Salary Register,工资台账 DocType: Company,Default warehouse for Sales Return,销售退货的默认仓库 -DocType: Warehouse,Parent Warehouse,上级仓库 +DocType: Pick List,Parent Warehouse,上级仓库 DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},找不到物料{0}和项目{1}的默认BOM +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}:请在付款时间表中设置付款方式 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,定义不同的贷款类型 DocType: Bin,FCFS Rate,FCFS率 @@ -4529,6 +4592,7 @@ DocType: Travel Itinerary,Lodging Required,需要住宿 DocType: Promotional Scheme,Price Discount Slabs,价格折扣板 DocType: Stock Reconciliation Item,Current Serial No,目前的序列号 DocType: Employee,Attendance and Leave Details,出勤和离职详情 +,BOM Comparison Tool,BOM比较工具 ,Requested,要求 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,暂无说明 DocType: Asset,In Maintenance,在维护中 @@ -4551,6 +4615,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,默认服务水平协议 DocType: SG Creation Tool Course,Course Code,课程代码 apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,不允许对{0}进行多次选择 +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,原材料的数量将根据成品的数量来确定 DocType: Location,Parent Location,上级位置 DocType: POS Settings,Use POS in Offline Mode,在离线模式下使用POS apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,优先级已更改为{0}。 @@ -4569,7 +4634,7 @@ DocType: Stock Settings,Sample Retention Warehouse,样品保留仓库 DocType: Company,Default Receivable Account,默认应收科目 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,预计数量公式 DocType: Sales Invoice,Deemed Export,被视为出口 -DocType: Stock Entry,Material Transfer for Manufacture,材料移送用于制造 +DocType: Pick List,Material Transfer for Manufacture,材料移送用于制造 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.,折扣百分比可以应用于一个或所有的价格清单。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,库存的会计分录 DocType: Lab Test,LabTest Approver,实验室检测审批者 @@ -4612,7 +4677,6 @@ DocType: Training Event,Theory,理论学习 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,警告:物料需求数量低于最小起订量 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,科目{0}已冻结 DocType: Quiz Question,Quiz Question,测验问题 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供应商>供应商类型 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",食品,饮料与烟草 @@ -4643,6 +4707,7 @@ 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,发布的项目 DocType: Account,Expense Account,费用科目 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,软件 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,颜色 @@ -4681,6 +4746,7 @@ 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,已创建所有银行交易 DocType: Fee Validity,Visited yet,已访问 +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,最多可以包含8个项目。 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.,根据销售情况,项目和公司应多久更新一次。 @@ -4688,7 +4754,6 @@ apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_sta apps/erpnext/erpnext/utilities/user_progress.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: BOM,Exploded_items,展开物料 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,储存温度 @@ -4713,7 +4778,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM按小时转换 DocType: Contract,Signee Details,签名信息 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0}目前拥有{1}供应商记分卡,并且谨慎地向该供应商发出询价。 DocType: Certified Consultant,Non Profit Manager,非营利经理 -DocType: BOM,Total Cost(Company Currency),总成本(公司货币) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,序列号{0}已创建 DocType: Homepage,Company Description for website homepage,在网站的首页公司介绍 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",为方便客户,这些代码可以在打印格式(如费用清单和销售出货单)中使用 @@ -4742,7 +4806,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,外包订 DocType: Amazon MWS Settings,Enable Scheduled Synch,启用预定同步 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,以日期时间 apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,日志维护短信发送状态 -DocType: Shift Type,Early Exit Consequence,提前退出后果 DocType: Accounts Settings,Make Payment via Journal Entry,通过手工凭证进行付款 apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,请不要一次创建超过500个项目 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Printed On,印上 @@ -4799,6 +4862,7 @@ apps/erpnext/erpnext/controllers/status_updater.py,Limit Crossed,限制交叉 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,秘密 +DocType: Plaid Settings,Plaid Secret,格子秘密 DocType: Company,Date of Establishment,成立时间 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Venture Capital,创业投资 apps/erpnext/erpnext/education/doctype/academic_term/academic_term.py,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,这个“学年”一个学期{0}和“术语名称”{1}已经存在。请修改这些条目,然后再试一次。 @@ -4861,6 +4925,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,客户类型 DocType: Compensatory Leave Request,Leave Allocation,分配休假天数 DocType: Payment Request,Recipient Message And Payment Details,收件人邮件和付款细节 +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,请选择送货单 DocType: Support Search Source,Source DocType,源文件类型 apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,打开一张新票 DocType: Training Event,Trainer Email,讲师电子邮件 @@ -4981,6 +5046,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,顺延假期 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',“起始日期”必须早于'终止日期' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,无此职位的人力需求计划 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,项目{1}的批处理{0}已禁用。 @@ -5002,7 +5068,7 @@ DocType: Clinical Procedure,Patient,患者 apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,在销售订单绕过信用检查 DocType: Employee Onboarding Activity,Employee Onboarding Activity,员工入职活动 DocType: Location,Check if it is a hydroponic unit,检查它是否是水培单位 -DocType: Stock Reconciliation Item,Serial No and Batch,序列号和批次 +DocType: Pick List Item,Serial No and Batch,序列号和批次 DocType: Warranty Claim,From Company,源公司 DocType: GSTR 3B Report,January,一月 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,评估标准的得分之和必须是{0}。 @@ -5027,7 +5093,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Inter公司没有找到{0}。 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,贷方票据数 DocType: Travel Itinerary,Rented Car,租车 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,关于贵公司 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,信用科目必须是资产负债表科目 @@ -5060,11 +5125,13 @@ apps/erpnext/erpnext/config/accounting.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 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 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,剩余 DocType: Appraisal,Appraisal,绩效评估 DocType: Loan,Loan Account,贷款科目 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,有效且有效的最多字段对于累积是必需的 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",对于行{1}处的项目{0},序列号计数与拾取的数量不匹配 DocType: Purchase Invoice,GST Details,消费税细节 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,这是基于针对此医疗保健从业者的交易。 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},电子邮件发送到供应商{0} @@ -5128,6 +5195,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehou DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),包装的毛重。通常是净重+包装材料的重量。 (用于打印) DocType: Assessment Plan,Program,程序 DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,拥有此角色的用户可以设置冻结科目,创建/修改冻结科目的会计凭证 +DocType: Plaid Settings,Plaid Environment,格子环境 ,Project Billing Summary,项目开票摘要 DocType: Vital Signs,Cuts,削减 DocType: Serial No,Is Cancelled,是否注销 @@ -5190,7 +5258,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,注意:系统将不会为物料{0}检查超额发货或超额预订,因为其数量或金额为0 DocType: Issue,Opening Date,问题提交日期 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,请先保存患者 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,建立新的联系 apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,考勤登记成功。 DocType: Program Enrollment,Public Transport,公共交通 DocType: Sales Invoice,GST Vehicle Type,GST车型 @@ -5217,6 +5284,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,供应商 DocType: POS Profile,Write Off Account,销帐科目 DocType: Patient Appointment,Get prescribed procedures,获取规定的程序 DocType: Sales Invoice,Redemption Account,赎回账户 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,首先在“项目位置”表中添加项目 DocType: Pricing Rule,Discount Amount,折扣金额 DocType: Pricing Rule,Period Settings,期间设置 DocType: Purchase Invoice,Return Against Purchase Invoice,基于采购费用清单退货 @@ -5249,7 +5317,6 @@ DocType: Assessment Plan,Assessment Plan,评估计划 DocType: Travel Request,Fully Sponsored,完全赞助 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,反向手工凭证 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,创建工作卡 -DocType: Shift Type,Consequence after,之后的后果 DocType: Quality Procedure Process,Process Description,进度解析 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,客户{0}已创建。 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,目前没有任何仓库可用的库存 @@ -5284,6 +5351,7 @@ DocType: Bank Reconciliation Detail,Clearance Date,清帐日期 DocType: Delivery Settings,Dispatch Notification Template,派遣通知模板 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,评估报表 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,获得员工 +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,地址倒序 @@ -5377,7 +5445,6 @@ DocType: Stock Settings,Use Naming Series,使用名录 apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,没有行动 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,估值类型罪名不能标记为包容性 DocType: POS Profile,Update Stock,更新库存 -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,不同计量单位的项目会导致不正确的(总)净重值。请确保每个物料的净重使用同一个计量单位。 DocType: Certification Application,Payment Details,付款信息 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,物料清单税率 @@ -5413,7 +5480,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,这是一个根销售人员,无法被编辑。 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",如果选择此项,则在此组件中指定或计算的值不会对收入或扣除作出贡献。但是,它的值可以被添加或扣除的其他组件引用。 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",勾选此项,指定或计算的值不影响收入和扣除,但可被其他收入或扣除项引用。 -DocType: Asset Settings,Number of Days in Fiscal Year,会计年度的天数 ,Stock Ledger,库存总帐 DocType: Company,Exchange Gain / Loss Account,汇兑损益科目 DocType: Amazon MWS Settings,MWS Credentials,MWS凭证 @@ -5449,6 +5515,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,银行文件中的列 apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},对学生{1}已经存在申请{0} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,排队更新所有材料清单中的最新价格。可能需要几分钟。 +DocType: Pick List,Get Item Locations,获取物品位置 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,新科目的名称。注:请不要创建科目的客户和供应商 DocType: POS Profile,Display Items In Stock,显示库存商品 apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,国家的默认地址模板 @@ -5472,6 +5539,7 @@ DocType: Crop,Materials Required,所需材料 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,没有发现学生 DocType: Employee Tax Exemption Declaration,Monthly HRA Exemption,每月HRA豁免 DocType: Clinical Procedure,Medical Department,医学系 +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,早期退出总额 DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,供应商记分卡评分标准 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,费用清单记帐日期 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,销售 @@ -5483,11 +5551,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","请删除员工{0} \以取消此文档" DocType: Program Enrollment,School House,学校议院 DocType: Serial No,Out of AMC,出资产管理公司 DocType: Opportunity,Opportunity Amount,机会金额 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,您的个人资料 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,预订折旧数不能超过折旧总数 DocType: Purchase Order,Order Confirmation Date,订单确认日期 DocType: Driver,HR-DRI-.YYYY.-,HR-DRI-.YYYY.- @@ -5581,7 +5648,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",费率,股份数量和计算的金额之间不一致 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,您在补休请求日之间不是全天 apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,请确认重新输入公司名称 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,总未付金额 DocType: Journal Entry,Printing Settings,打印设置 DocType: Payment Order,Payment Order Type,付款订单类型 DocType: Employee Advance,Advance Account,预支科目 @@ -5671,7 +5737,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,年度名称 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,本月假期比工作日多。 apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,以下项{0}未标记为{1}项。您可以从项目主文件中将它们作为{1}项启用 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,部分支付参考号码 DocType: Production Plan Item,Product Bundle Item,产品包物料 DocType: Sales Partner,Sales Partner Name,销售合作伙伴名称 apps/erpnext/erpnext/hooks.py,Request for Quotations,索取报价 @@ -5680,7 +5745,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,正常测试项目 DocType: QuickBooks Migrator,Company Settings,公司设置 DocType: Additional Salary,Overwrite Salary Structure Amount,覆盖薪资结构金额 -apps/erpnext/erpnext/config/hr.py,Leaves,树叶 +DocType: Leave Ledger Entry,Leaves,树叶 DocType: Student Language,Student Language,学生语言 DocType: Cash Flow Mapping,Is Working Capital,是营运资本 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,提交证明 @@ -5688,12 +5753,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,订单/报价% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,记录患者维生素 DocType: Fee Schedule,Institution,机构 -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: Asset,Partially Depreciated,部分贬值 DocType: Issue,Opening Time,开放时间 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,必须指定起始和结束日期 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,证券及商品交易 -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},按{0}调用摘要:{1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Google文档搜索 apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',物料变体的默认单位“{0}”必须与模板默认单位一致“{1}” DocType: Shipping Rule,Calculate Based On,基于...的计算 @@ -5740,6 +5803,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,最大允许值 DocType: Journal Entry Account,Employee Advance,员工预支 DocType: Payroll Entry,Payroll Frequency,工资发放频率 +DocType: Plaid Settings,Plaid Client ID,格子客户端ID DocType: Lab Test Template,Sensitivity,灵敏度 DocType: Plaid Settings,Plaid Settings,格子设置 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,暂时禁用了同步,因为已超出最大重试次数 @@ -5757,6 +5821,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py,Either target qty or t apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Please select Posting Date first,请先选择记帐日期 apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date should be before Closing Date,开业日期应该是截止日期之前, DocType: Travel Itinerary,Flight,航班 +apps/erpnext/erpnext/public/js/hub/pages/NotFound.vue,Back to home,回到家 DocType: Leave Control Panel,Carry Forward,顺延 apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py,Cost Center with existing transactions can not be converted to ledger,有交易的成本中心不能转化为总账 DocType: Budget,Applicable on booking actual expenses,适用于预订实际费用 @@ -5813,6 +5878,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,创建报价 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,您无权批准锁定日期内的休假 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0}申请{1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,这些物料都已开具费用清单 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,未找到符合您指定的过滤条件的{0} {1}的未结发票。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,设置新的审批日期 DocType: Company,Monthly Sales Target,每月销售目标 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,没有找到未完成的发票 @@ -5860,6 +5926,7 @@ DocType: Batch,Source Document Name,源文档名称 DocType: Batch,Source Document Name,源文档名称 DocType: Production Plan,Get Raw Materials For Production,获取生产用原材料 DocType: Job Opening,Job Title,职位 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,未来付款参考 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.",{0}表示{1}不会提供报价,但所有项目都已被引用。更新询价状态。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,批次{1}和批次{3}中的项目{2}已保留最大样本数量{0}。 @@ -5870,12 +5937,10 @@ 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: Company,Product Code,产品代码 DocType: Quality Review Table,Objective,目的 DocType: Supplier Scorecard,Per Month,每月 DocType: Education Settings,Make Academic Term Mandatory,使学术期限为强制项 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,量生产必须大于0。 -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,根据会计年度计算比例分配的折旧计划 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,量生产必须大于0。 apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,保修电话的回访报表。 DocType: Stock Entry,Update Rate and Availability,更新存货评估价和可用数量 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个单位。 @@ -5887,7 +5952,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,发布日期必须在将来 DocType: BOM,Website Description,显示在网站商的详细说明,可文字,图文,多媒体混排 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,净资产收益变化 -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,请先取消采购费用清单{0} apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,不允许。请禁用服务单位类型 apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}",电子邮件地址必须是唯一的,已经存在了{0} DocType: Serial No,AMC Expiry Date,AMC到期时间 @@ -5930,6 +5994,7 @@ DocType: Pricing Rule,Price Discount Scheme,价格折扣计划 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,维护状态必须取消或完成提交 DocType: Amazon MWS Settings,US,我们 DocType: Holiday List,Add Weekly Holidays,添加每周假期 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,报告项目 DocType: Staffing Plan Detail,Vacancies,职位空缺 DocType: Hotel Room,Hotel Room,旅馆房间 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},科目{0}不属于公司{1} @@ -5981,12 +6046,15 @@ DocType: Email Digest,Open Quotations,打开报价单 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","请删除员工{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,基本金额 @@ -6000,6 +6068,7 @@ apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py DocType: Healthcare Service Unit,Vacant,空的 DocType: Patient,Alcohol Past Use,酒精过去使用 DocType: Fertilizer Content,Fertilizer Content,肥料含量 +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,没有说明 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,信用 DocType: Tax Rule,Billing State,计费状态 DocType: Quality Goal,Monitoring Frequency,监测频率 @@ -6017,6 +6086,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,结束日期不能在下一次联系日期之前。 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,批量条目 DocType: Journal Entry,Pay To / Recd From,支付/ 收款自 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,取消发布项目 DocType: Naming Series,Setup Series,设置系列 DocType: Payment Reconciliation,To Invoice Date,费用清单日期 DocType: Bank Account,Contact HTML,联系HTML @@ -6038,6 +6108,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js,Retail,零售 DocType: Student Attendance,Absent,缺勤 DocType: Staffing Plan,Staffing Plan Detail,人员配置计划信息 DocType: Employee Promotion,Promotion Date,升职日期 +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,请假分配%s与请假申请%s相关联 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} @@ -6072,9 +6143,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not v apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,费用清单{0}不再存在 DocType: Guardian Interest,Guardian Interest,监护人利益 DocType: Volunteer,Availability,可用性 +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,请假申请与请假分配{0}相关联。请假申请不能设置为无薪休假 apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,设置POS费用清单的默认值 DocType: Employee Training,Training,培训 DocType: Project,Time to send,发送时间 +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,此页面会跟踪您的商品,其中买家已表现出一些兴趣。 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电子邮件ID @@ -6174,12 +6247,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,期初金额 DocType: Salary Component,Formula,公式 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,序列号 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 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/setup/doctype/company/company.py,Sales Account,销售科目 DocType: Purchase Invoice Item,Total Weight,总重量 +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} @@ -6203,6 +6276,7 @@ DocType: Company,Default Employee Advance Account,默认员工预支科目 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),搜索项目(Ctrl + i) DocType: C-Form,ACC-CF-.YYYY.-,ACC-CF-.YYYY.- apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,有交易的科目不能被删除 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,为什么要认为这个项目应该删除? DocType: Vehicle,Last Carbon Check,最后炭检查 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,法律费用 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,请选择行数量 @@ -6222,6 +6296,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Maintenance Visit,Breakdown,细目 DocType: Travel Itinerary,Vegetarian,素食者 DocType: Patient Encounter,Encounter Date,遇到日期 +DocType: Work Order,Update Consumed Material Cost In Project,更新项目中的消耗材料成本 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,帐号:{0}币种:{1}不能选择 DocType: Bank Statement Transaction Settings Item,Bank Data,银行数据 DocType: Purchase Receipt Item,Sample Quantity,样品数量 @@ -6276,7 +6351,7 @@ DocType: GSTR 3B Report,April,四月 DocType: Plant Analysis,Collection Datetime,收集日期时间 DocType: Asset Repair,ACC-ASR-.YYYY.-,ACC-ASR-.YYYY.- DocType: Work Order,Total Operating Cost,总营运成本 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,注意:物料{0}已多次输入 +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,注意:物料{0}已多次输入 apps/erpnext/erpnext/config/buying.py,All Contacts.,所有联系人。 DocType: Accounting Period,Closed Documents,已关闭的文件 DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,管理预约费用清单的提交和自动取消以满足患者的需求 @@ -6358,9 +6433,7 @@ DocType: Member,Membership Type,会员类型 ,Reqd By Date,需求日期 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,债权人 DocType: Assessment Plan,Assessment Name,评估名称 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,在打印中显示部分支付 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,行#{0}:序列号是必需的 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,未找到{0} {1}的未结发票。 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,物料税/费信息 DocType: Employee Onboarding,Job Offer,工作机会 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,机构缩写 @@ -6419,6 +6492,7 @@ DocType: Serial No,Out of Warranty,超出保修期 DocType: Bank Statement Transaction Settings Item,Mapped Data Type,已映射数据类型 DocType: BOM Update Tool,Replace,更换 apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,找不到产品。 +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,发布更多项目 apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},此服务级别协议特定于客户{0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0}不允许销售发票{1} DocType: Antibiotic,Laboratory User,实验室用户 @@ -6441,7 +6515,6 @@ DocType: Payment Order Reference,Bank Account Details,银行账户明细 DocType: Purchase Order Item,Blanket Order,总括订单 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,所得税资产 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},生产订单已经{0} DocType: BOM Item,BOM No,物料清单编号 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,移动平均 @@ -6515,6 +6588,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),外向应税物资(零评级) DocType: BOM,Materials Required (Exploded),所需物料(正展开) 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/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,记帐日期不能是未来的日期 @@ -6572,7 +6646,6 @@ DocType: Pricing Rule,Same Item,相同的项目 DocType: Stock Ledger Entry,Stock Ledger Entry,库存分类帐分录 DocType: Quality Action Resolution,Quality Action Resolution,质量行动决议 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},半天{0}离开{1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,同一物料重复输入了多次(不同的行) DocType: Department,Leave Block List,禁止休假日列表 DocType: Purchase Invoice,Tax ID,纳税登记号 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,项目{0}没有启用序列好管理功能,序列号必须留空 @@ -6610,7 +6683,7 @@ 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}禁用或不存在 DocType: Purchase Invoice,Return,回报 -DocType: Accounting Dimension,Disable,禁用 +DocType: Account,Disable,禁用 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,付款方式需要进行付款 DocType: Task,Pending Review,待审核 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.",在整页上编辑更多的选项,如资产,序列号,批次等。 @@ -6724,7 +6797,6 @@ DocType: Shareholder,ACC-SH-.YYYY.-,ACC-SH-.YYYY.- apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,合并费用清单部分必须等于100% DocType: Item Default,Default Expense Account,默认费用科目 DocType: GST Account,CGST Account,CGST账户 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品代码>商品分组>品牌 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,学生的电子邮件ID DocType: Employee,Notice (days),通告(天) DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,销售pos终端关闭凭证费用清单 @@ -6735,6 +6807,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,选取物料/产品以保存费用清单 DocType: Employee,Encashment Date,折现日期 DocType: Training Event,Internet,互联网 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,卖家信息 DocType: Special Test Template,Special Test Template,特殊测试模板 DocType: Account,Stock Adjustment,库存调整 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},默认情况下存在的活动类型的作业成本活动类型 - {0} @@ -6747,7 +6820,6 @@ 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,必须设置试用期开始日期和试用期结束日期 -DocType: Company,Bank Remittance Settings,银行汇款设置 apps/erpnext/erpnext/accounts/report/share_balance/share_balance.py,Average Rate,平均率 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(估值比率)" @@ -6775,6 +6847,7 @@ DocType: Grading Scale Interval,Threshold,阈值 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),过滤员工通过【选项】 DocType: BOM Update Tool,Current BOM,当前BOM apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),结余(Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,成品数量 apps/erpnext/erpnext/public/js/utils.js,Add Serial No,添加序列号 DocType: Work Order Item,Available Qty at Source Warehouse,源仓库可用数量 apps/erpnext/erpnext/config/support.py,Warranty,质量保证 @@ -6853,7 +6926,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",这里可以保存身高,体重,是否对某药物过敏等 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,创建帐户...... DocType: Leave Block List,Applies to Company,适用于公司 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,不能取消,因为提交的仓储记录{0}已经存在 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,不能取消,因为提交的仓储记录{0}已经存在 DocType: Loan,Disbursement Date,支付日期 DocType: Service Level Agreement,Agreement Details,协议细节 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,协议的开始日期不得大于或等于结束日期。 @@ -6862,6 +6935,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,医疗记录 DocType: Vehicle,Vehicle,车辆 DocType: Purchase Invoice,In Words,大写金额 +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,迄今为止需要在日期之前 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,在提交之前输入银行或贷款机构的名称。 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,必须提交{0} DocType: POS Profile,Item Groups,物料组 @@ -6934,7 +7008,6 @@ DocType: Customer,Sales Team Details,销售团队信息 apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,永久删除? DocType: Expense Claim,Total Claimed Amount,总申报金额 apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,销售的潜在机会 -DocType: Plaid Settings,Link a new bank account,关联新的银行帐户 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{}是无效的出勤状态。 DocType: Shareholder,Folio no.,对开本页码. apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},无效的{0} @@ -6950,7 +7023,6 @@ DocType: Production Plan,Material Requested,需要的材料 DocType: Warehouse,PIN,销 DocType: Bin,Reserved Qty for sub contract,用于外包的预留数量 DocType: Patient Service Unit,Patinet Service Unit,Patinet服务单位 -apps/erpnext/erpnext/accounts/doctype/payment_order/regional/india.js,Generate Text File,生成文本文件 DocType: Sales Invoice,Base Change Amount (Company Currency),基地涨跌额(公司币种) apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,No accounting entries for the following warehouses,没有以下仓库的会计分录 apps/erpnext/erpnext/shopping_cart/cart.py,Only {0} in stock for item {1},物料{1}的库存仅为{0} @@ -6964,6 +7036,7 @@ DocType: Item,No of Months,没有几个月 DocType: Item,Max Discount (%),最大折扣(%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,信用日不能是负数 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,上传声明 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,举报此项目 DocType: Purchase Invoice Item,Service Stop Date,服务停止日期 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,最后订单金额 DocType: Cash Flow Mapper,e.g Adjustments for:,例如调整: @@ -7057,16 +7130,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,员工免税类别 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,金额不应小于零。 DocType: Sales Invoice,C-Form Applicable,C-表格适用 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},运行时间必须大于0的操作{0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},运行时间必须大于0的操作{0} DocType: Support Search Source,Post Route String,邮政路线字符串 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,仓库信息必填 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,无法创建网站 DocType: Soil Analysis,Mg/K,镁/ K DocType: UOM Conversion Detail,UOM Conversion Detail,计量单位换算信息 apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,入学和入学 -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,留存样品手工库存移动已创建或未提供“样品数量” +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,留存样品手工库存移动已创建或未提供“样品数量” DocType: Program,Program Abbreviation,计划缩写 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,生产订单不能对一个项目模板提升 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),按凭证分组(合并) DocType: HR Settings,Encrypt Salary Slips in Emails,加密电子邮件中的工资单 DocType: Question,Multiple Correct Answer,多个正确的答案 @@ -7113,7 +7185,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,没有评级或豁免 DocType: Employee,Educational Qualification,学历 DocType: Workstation,Operating Costs,运营成本 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},货币{0}必须{1} -DocType: Employee Checkin,Entry Grace Period Consequence,进入宽限期后果 DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,根据分配给此班次的员工的“员工签到”标记出勤率。 DocType: Asset,Disposal Date,处置日期 DocType: Service Level,Response and Resoution Time,响应和资源时间 @@ -7162,6 +7233,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year DocType: Asset Maintenance Log,Completion Date,完成日期 DocType: Purchase Invoice Item,Amount (Company Currency),金额(公司货币) DocType: Program,Is Featured,精选 +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,正在获取... DocType: Agriculture Analysis Criteria,Agriculture User,农业用户 apps/erpnext/erpnext/selling/doctype/quotation/quotation.py,Valid till date cannot be before transaction date,有效期至日期不得在交易日之前 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}来完成这一交易单位。 @@ -7194,7 +7266,6 @@ DocType: Student,B+,B + 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,数金额金额 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,消费税商品销售登记册 @@ -7218,6 +7289,7 @@ apps/erpnext/erpnext/public/js/hub/components/reviews.js,Anonymous,匿名 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Received From,从......收到 DocType: Lead,Converted,已转换 DocType: Item,Has Serial No,有序列号 +DocType: Stock Entry Detail,PO Supplied Item,PO提供的物品 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} @@ -7332,7 +7404,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,同步税和费用 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,默认BOM {0}未找到 +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}:请设置再订购数量 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,点击项目将其添加到此处 @@ -7368,7 +7440,6 @@ DocType: Purchase Invoice,Y,Y DocType: Maintenance Visit,Maintenance Date,维护日期 DocType: Purchase Invoice Item,Rejected Serial No,拒收序列号 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,新财年开始或结束日期与{0}重叠。请在公司主数据中设置 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,请通过设置>编号系列设置出勤编号系列 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},请提及潜在客户名称{0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},物料{0}的开始日期必须小于结束日期 DocType: Shift Type,Auto Attendance Settings,自动出勤设置 @@ -7379,9 +7450,11 @@ DocType: Upload Attendance,Upload Attendance,上传考勤记录 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,物料清单和生产量是必需的 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,账龄范围2 DocType: SG Creation Tool Course,Max Strength,最大力量 +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
",子公司{1}中已存在帐户{0}。以下字段具有不同的值,它们应该相同:
  • {2}
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,安装预置 DocType: Fee Schedule,EDU-FSH-.YYYY.-,EDU-FSH-.YYYY.- apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},没有为客户{}选择销售出货单 +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},{0}中添加的行数 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,员工{0}没有最大福利金额 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,根据交货日期选择物料 DocType: Grant Application,Has any past Grant Record,有过去的赠款记录吗? @@ -7427,6 +7500,7 @@ DocType: Fees,Student Details,学生细节 DocType: Woocommerce Settings,"This is the default UOM used for items and Sales orders. The fallback UOM is ""Nos"".",这是用于商品和销售订单的默认UOM。后备UOM是“不”。 DocType: Purchase Invoice Item,Stock Qty,库存数量 DocType: Purchase Invoice Item,Stock Qty,库存数量 +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,默认运输帐户 DocType: Loan,Repayment Period in Months,在月还款期 @@ -7455,6 +7529,7 @@ DocType: Authorization Rule,Customerwise Discount,客户折扣 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,任务方面的时间表。 DocType: Purchase Invoice,Against Expense Account,针对的费用账目 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,安装单{0}已经提交了 +DocType: BOM,Raw Material Cost (Company Currency),原材料成本(公司货币) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},房屋租金支付天数与{0}重叠 DocType: GSTR 3B Report,October,十月 DocType: Bank Reconciliation,Get Payment Entries,获取付款项 @@ -7502,15 +7577,17 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available for use date is required,需要使用可用日期 DocType: Request for Quotation,Supplier Detail,供应商详细 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},公式或条件错误:{0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,费用清单金额 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,费用清单金额 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,标准重量必须达100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,考勤 apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,库存产品 DocType: Sales Invoice,Update Billed Amount in Sales Order,更新销售订单中的结算金额 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Contact Seller,联系卖家 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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,请以市场用户身份登录以报告此项目。 ,Sales Partner Commission Summary,销售合作伙伴佣金摘要 ,Item Prices,物料价格 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,大写金额将在采购订单保存后显示。 @@ -7524,6 +7601,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,价格清单主数据。 DocType: Task,Review Date,评论日期 DocType: BOM,Allow Alternative Item,允许替代物料 +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,购买收据没有任何启用了保留样本的项目。 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,发票总计 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),固定资产折旧凭证命名序列(手工凭证) DocType: Membership,Member Since,自...成为会员 @@ -7533,6 +7611,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,基于净总计 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},物料{4}的属性{0}其属性值必须{1}到{2}范围内,且增量{3} DocType: Pricing Rule,Product Discount Scheme,产品折扣计划 +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,调用者没有提出任何问题。 DocType: Restaurant Reservation,Waitlisted,轮候 DocType: Employee Tax Exemption Declaration Category,Exemption Category,豁免类别 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,货币不能使用其他货币进行输入后更改 @@ -7546,7 +7625,6 @@ DocType: Customer Group,Parent Customer Group,父(上级)客户群组 apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON只能从销售发票中生成 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,达到此测验的最大尝试次数! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,循环分录系列/循环凭证 -DocType: Purchase Invoice,Contact Email,联络人电邮 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,费用创作待定 DocType: Project Template Task,Duration (Days),持续时间(天) DocType: Appraisal Goal,Score Earned,已得分数 @@ -7572,7 +7650,6 @@ DocType: Landed Cost Item,Landed Cost Item,到岸成本物料 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions",单笔交易的金额超过最大允许金额,通过拆分交易创建单独的付款订单 DocType: Service Level Agreement,Entity,实体 DocType: Payment Reconciliation,Receivable / Payable Account,应收/应付账款 DocType: Delivery Note Item,Against Sales Order Item,针对的销售订单项 @@ -7743,6 +7820,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Available,可 DocType: Quality Inspection Reading,Reading 3,检验结果3 DocType: Stock Entry,Source Warehouse Address,来源仓库地址 DocType: GL Entry,Voucher Type,凭证类型 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,未来付款 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 ,上次活动 @@ -7769,6 +7847,7 @@ 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 DocType: Crop Cycle,List of diseases detected on the field. When selected it'll automatically add a list of tasks to deal with the disease ,在现场检测到的疾病清单。当选择它会自动添加一个任务清单处理疾病 +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,BOM 1,BOM 1 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit/healthcare_service_unit.js,This is a root healthcare service unit and cannot be edited.,这是根医疗保健服务单位,不能编辑。 DocType: Asset Repair,Repair Status,维修状态 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,"Requested Qty: Quantity requested for purchase, but not ordered.",要求的数量:数量要求的报价,但没有下令。 @@ -7783,6 +7862,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,零钱科目 DocType: QuickBooks Migrator,Connecting to QuickBooks,连接到QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,总收益/损失 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,创建选择列表 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},行{0}:往来单位/科目{1} / {2}与{3} {4}不匹配 DocType: Employee Promotion,Employee Promotion,员工晋升 DocType: Maintenance Team Member,Maintenance Team Member,维护团队成员 @@ -7866,6 +7946,7 @@ 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,资产类别 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Net pay cannot be negative,净支付金额不能为负数 @@ -7897,7 +7978,6 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Credit Ca DocType: Quality Goal,Quality Goal,质量目标 DocType: BOM,Item to be manufactured or repacked,待生产或者重新包装的物料 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},条件中的语法错误:{0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,客户没有提出任何问题。 DocType: Fee Structure,EDU-FST-.YYYY.-,EDU-FST-.YYYY.- DocType: Employee Education,Major/Optional Subjects,主修/选修科目 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,请在采购设置中设置供应商组。 @@ -7990,8 +8070,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,信用期 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,请选择患者以获得实验室测试 DocType: Exotel Settings,Exotel Settings,Exotel设置 -DocType: Leave Type,Is Carry Forward,是结转? +DocType: Leave Ledger Entry,Is Carry Forward,是结转? DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),缺席的工作时间标记为缺席。 (零禁用) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,发送一个消息 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,从物料清单获取物料 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,是所得税费用? diff --git a/erpnext/translations/zh_tw.csv b/erpnext/translations/zh_tw.csv index 2f8b6eaed4..ab323e439b 100644 --- a/erpnext/translations/zh_tw.csv +++ b/erpnext/translations/zh_tw.csv @@ -12,6 +12,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Consumer Products, DocType: Supplier Scorecard,Notify Supplier,通知供應商 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.js,Please select Party Type first,請選擇黨第一型 DocType: Item,Customer Items,客戶項目 +apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py,Liabilities,負債 DocType: Project,Costing and Billing,成本核算和計費 apps/erpnext/erpnext/hr/doctype/employee_advance/employee_advance.py,Advance account currency should be same as company currency {0},預付帳戶貨幣應與公司貨幣{0}相同 DocType: QuickBooks Migrator,Token Endpoint,令牌端點 @@ -23,12 +24,12 @@ DocType: Item,Default Unit of Measure,預設的計量單位 DocType: SMS Center,All Sales Partner Contact,所有的銷售合作夥伴聯絡 DocType: Department,Leave Approvers,休假審批人 DocType: Employee,Bio / Cover Letter,生物/求職信 +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Search Items ...,搜索項目...... DocType: Patient Encounter,Investigations,調查 DocType: Restaurant Order Entry,Click Enter To Add,點擊輸入要添加 apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_settings/shopify_settings.py,"Missing value for Password, API Key or Shopify URL",缺少密碼,API密鑰或Shopify網址的值 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,All Accounts,所有帳戶 apps/erpnext/erpnext/hr/doctype/employee_transfer/employee_transfer.py,Cannot transfer Employee with status Left,無法轉移狀態為左的員工 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止生產訂單無法取消,首先Unstop它取消 apps/erpnext/erpnext/assets/doctype/asset/asset.js,Do you really want to scrap this asset?,難道你真的想放棄這項資產? DocType: Drug Prescription,Update Schedule,更新時間表 apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js,Select Default Supplier,選擇默認供應商 @@ -54,6 +55,7 @@ DocType: Bank Guarantee,Customer,客戶 DocType: Purchase Receipt Item,Required By,需求來自 DocType: Delivery Note,Return Against Delivery Note,射向送貨單 DocType: Asset Category,Finance Book Detail,財務圖書細節 +apps/erpnext/erpnext/assets/doctype/asset/asset.py,All the depreciations has been booked,所有折舊已被預訂 DocType: Purchase Order,% Billed,%已開立帳單 apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Payroll Number,工資號碼 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Exchange Rate must be same as {0} {1} ({2}),匯率必須一致{0} {1}({2}) @@ -83,6 +85,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio apps/erpnext/erpnext/utilities/transaction_base.py,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:速率必須與{1}:{2}({3} / {4}) ,Batch Item Expiry Status,批處理項到期狀態 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Bank Draft,銀行匯票 +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Late Entries,總遲到條目 DocType: Mode of Payment Account,Mode of Payment Account,支付帳戶模式 apps/erpnext/erpnext/config/healthcare.py,Consultation,會診 DocType: Accounts Settings,Show Payment Schedule in Print,在打印中顯示付款時間表 @@ -110,7 +113,6 @@ apps/erpnext/erpnext/public/js/utils/customer_quick_entry.js,Primary Contact Det apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Open Issues,開放式問題 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/regional/india/bank_remittance.py,{0} field is limited to size {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,保健 @@ -126,6 +128,7 @@ DocType: Employee Tax Exemption Declaration Category,Maximum Exempted Amount,最 DocType: Purchase Invoice Item,Item Weight Details,項目重量細節 DocType: Asset Maintenance Log,Periodicity,週期性 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} is required,會計年度{0}是必需的 +apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Net Profit/Loss,淨利潤/虧損 DocType: Employee Group Table,ERPNext User ID,ERPNext用戶ID DocType: Crop Cycle,The minimum distance between rows of plants for optimum growth,植株之間的最小距離,以獲得最佳生長 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Please select Patient to get prescribed procedure,請選擇患者以獲得規定的程序 @@ -148,10 +151,10 @@ apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Accountan apps/erpnext/erpnext/stock/report/item_price_stock/item_price_stock.py,Selling Price List,賣價格表 DocType: Patient,Tobacco Current Use,煙草當前使用 apps/erpnext/erpnext/selling/report/customer_wise_item_price/customer_wise_item_price.py,Selling Rate,賣出率 -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please save your document before adding a new account,請在添加新帳戶之前保存您的文檔 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 ...,搜索任何東西...... DocType: Company,Phone No,電話號碼 DocType: Delivery Trip,Initial Email Notification Sent,初始電子郵件通知已發送 DocType: Bank Statement Settings,Statement Header Mapping,聲明標題映射 @@ -205,6 +208,7 @@ DocType: Quality Inspection Reading,Reading 1,閱讀1 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pension Funds,養老基金 DocType: Exchange Rate Revaluation Account,Gain/Loss,收益/損失 DocType: Program,Is Published,已發布 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Delivery Notes,顯示送貨單 apps/erpnext/erpnext/controllers/status_updater.py,"To allow over billing, update ""Over Billing Allowance"" in Accounts Settings or the Item.",要允許超額結算,請在“帳戶設置”或“項目”中更新“超額結算限額”。 DocType: Accounts Settings,Use Custom Cash Flow Format,使用自定義現金流量格式 DocType: SMS Center,All Sales Person,所有的銷售人員 @@ -234,7 +238,6 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,You are not authorize DocType: Leave Policy,Leave Policy Details,退出政策詳情 DocType: BOM,Item Image (if not slideshow),產品圖片(如果不是幻燈片) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Work Order {3}. Please update operation status via Job Card {4}.,行#{0}:對於工作訂單{3}中的{2}數量的成品,未完成操作{1}。請通過工作卡{4}更新操作狀態。 -apps/erpnext/erpnext/regional/india/bank_remittance.py,"{0} is mandatory for generating remittance payments, set the field and try again",{0}是生成匯款付款的必填項,請設置該字段並重試 DocType: Work Order Operation,(Hour Rate / 60) * Actual Operation Time,(工時率/ 60)*實際操作時間 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Row #{0}: Reference Document Type must be one of Expense Claim or Journal Entry,行#{0}:參考文檔類型必須是費用索賠或日記帳分錄之一 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select BOM,選擇BOM @@ -253,6 +256,7 @@ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_templat DocType: Loan,Repay Over Number of Periods,償還期的超過數 apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py,Quantity to Produce can not be less than Zero,生產數量不能少於零 DocType: Stock Entry,Additional Costs,額外費用 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客戶>客戶組>地區 apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be converted to group.,帳戶與現有的交易不能被轉換到群組。 DocType: Lead,Product Enquiry,產品查詢 DocType: Education Settings,Validate Batch for Students in Student Group,驗證學生組學生的批次 @@ -264,7 +268,9 @@ DocType: Employee Education,Under Graduate,根據研究生 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Please set default template for Leave Status Notification in HR Settings.,請在人力資源設置中設置離職狀態通知的默認模板。 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/sales_partner_target_variance_based_on_item_group.js,Target On,目標在 DocType: BOM,Total Cost,總成本 +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Allocation Expired!,分配已過期! DocType: Soil Analysis,Ca/K,鈣/ K +DocType: Leave Type,Maximum Carry Forwarded Leaves,最大攜帶轉發葉 DocType: Salary Slip,Employee Loan,員工貸款 DocType: Fee Schedule,Send Payment Request Email,發送付款請求電子郵件 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Item {0} does not exist in the system or has expired,項目{0}不存在於系統中或已過期 @@ -273,6 +279,7 @@ apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Real Estate,房地 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Statement of Account,帳戶狀態 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Pharmaceuticals,製藥 DocType: Purchase Invoice Item,Is Fixed Asset,是固定的資產 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Future Payments,顯示未來付款 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,This bank account is already synchronized,此銀行帳戶已同步 DocType: Homepage,Homepage Section,主頁部分 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work Order has been {0},工單已{0} @@ -311,7 +318,6 @@ DocType: Item,Supply Raw Materials for Purchase,供應原料採購 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,"Cannot ensure delivery by Serial No as \ Item {0} is added with and without Ensure Delivery by \ Serial No.",無法通過序列號確保交貨,因為\項目{0}是否添加了確保交貨\序列號 -apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,請在教育>教育設置中設置教師命名系統 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,At least one mode of payment is required for POS invoice.,付款中的至少一個模式需要POS發票。 apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Batch no is required for batched item {0},批處理項{0}需要批次否 DocType: Bank Statement Transaction Invoice Item,Bank Statement Transaction Invoice Item,銀行對賬單交易發票項目 @@ -380,6 +386,7 @@ DocType: Job Offer,Select Terms and Conditions,選擇條款和條件 apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Out Value,輸出值 DocType: Bank Statement Settings Item,Bank Statement Settings Item,銀行對賬單設置項目 DocType: Woocommerce Settings,Woocommerce Settings,Woocommerce設置 +DocType: Leave Ledger Entry,Transaction Name,交易名稱 DocType: Production Plan,Sales Orders,銷售訂單 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Multiple Loyalty Program found for the Customer. Please select manually.,為客戶找到多個忠誠度計劃。請手動選擇。 DocType: Purchase Taxes and Charges,Valuation,計價 @@ -414,6 +421,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: 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,更新電子郵件組 DocType: POS Profile,Only show Customer of these Customer Groups,僅顯示這些客戶組的客戶 DocType: Sales Invoice,Is Opening Entry,是開放登錄 @@ -422,8 +430,9 @@ DocType: Lab Test Template,"If unchecked, the item wont be appear in Sales Invoi DocType: Customer Group,Mention if non-standard receivable account applicable,何況,如果不規範應收賬款適用 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,已經根據此選擇列表創建了股票輸入 DocType: Supplier Scorecard,Criteria Setup,條件設置 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,For Warehouse is required before Submit,對於倉庫之前,需要提交 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,For Warehouse is required before Submit,對於倉庫之前,需要提交 DocType: Codification Table,Medical Code,醫療法 apps/erpnext/erpnext/config/integrations.py,Connect Amazon with ERPNext,將Amazon與ERPNext連接起來 apps/erpnext/erpnext/templates/generators/item/item_configure.html,Contact Us,聯繫我們 @@ -438,7 +447,7 @@ DocType: Restaurant Order Entry,Add Item,新增項目 DocType: Party Tax Withholding Config,Party Tax Withholding Config,黨的預扣稅配置 DocType: Lab Test,Custom Result,自定義結果 apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Bank accounts added,銀行賬戶補充說 -DocType: Delivery Stop,Contact Name,聯絡人姓名 +DocType: Call Log,Contact Name,聯絡人姓名 DocType: Plaid Settings,Synchronize all accounts every hour,每小時同步所有帳戶 DocType: Course Assessment Criteria,Course Assessment Criteria,課程評價標準 DocType: Pricing Rule Detail,Rule Applied,適用規則 @@ -476,7 +485,6 @@ DocType: Customer,Is Internal Customer,是內部客戶 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,銷售發票號碼 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Number,未知電話 DocType: Website Filter Field,Website Filter Field,網站過濾字段 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Supply Type,供應類型 DocType: Material Request Item,Min Order Qty,最小訂貨量 @@ -503,7 +511,6 @@ DocType: Salary Slip,Total Principal Amount,本金總額 DocType: Student Guardian,Relation,關係 DocType: Quiz Result,Correct,正確 DocType: Student Guardian,Mother,母親 -apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings.js,Please add valid Plaid api keys in site_config.json first,請先在site_config.json中添加有效的Plaid api密鑰 DocType: Restaurant Reservation,Reservation End Time,預訂結束時間 DocType: Crop,Biennial,雙年展 ,BOM Variance Report,BOM差異報告 @@ -519,6 +526,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/shopify_log/shopify_log.js,Ord 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: Plaid Settings,Plaid Public Key,格子公鑰 DocType: Payment Term,Payment Term Name,付款條款名稱 DocType: Healthcare Settings,Create documents for sample collection,創建樣本收集文件 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Payment against {0} {1} cannot be greater than Outstanding Amount {2},對支付{0} {1}不能大於未償還{2} @@ -559,12 +567,14 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Wrong Password,密碼錯 DocType: POS Profile,Offline POS Settings,離線POS設置 DocType: Stock Entry Detail,Reference Purchase Receipt,參考購買收據 apps/erpnext/erpnext/templates/includes/cart/cart_items.html,Variant Of,變種 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Completed Qty can not be greater than 'Qty to Manufacture',完成數量不能大於“數量來製造” +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Completed Qty can not be greater than 'Qty to Manufacture',完成數量不能大於“數量來製造” +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Period based On,期間基於 DocType: Period Closing Voucher,Closing Account Head,關閉帳戶頭 DocType: Employee,External Work History,外部工作經歷 apps/erpnext/erpnext/projects/doctype/task/task.py,Circular Reference Error,循環引用錯誤 apps/erpnext/erpnext/education/doctype/student_report_generation_tool/student_report_generation_tool.html,Student Report Card,學生報告卡 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Pin Code,來自Pin Code +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person,顯示銷售人員 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Guardian1 Name,Guardian1名稱 DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,送貨單一被儲存,(Export)就會顯示出來。 DocType: Cheque Print Template,Distance from left edge,從左側邊緣的距離 @@ -576,6 +586,7 @@ apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Amount DocType: Stock Settings,Notify by Email on creation of automatic Material Request,在建立自動材料需求時以電子郵件通知 DocType: Accounting Dimension,Dimension Name,尺寸名稱 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Please set Hotel Room Rate on {},請在{}上設置酒店房價 +apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,請通過設置>編號系列設置出勤編號系列 DocType: Journal Entry,Multi Currency,多幣種 DocType: Bank Statement Transaction Invoice Item,Invoice Type,發票類型 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from date must be less than valid upto date,從日期開始有效必須低於最新有效期 @@ -591,6 +602,7 @@ apps/erpnext/erpnext/accounts/doctype/item_tax_template/item_tax_template.py,{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/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,折舊金額後 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html,Upcoming Calendar Events,即將到來的日曆事件 apps/erpnext/erpnext/public/js/templates/item_quick_entry.html,Variant Attributes,變量屬性 @@ -675,7 +687,6 @@ DocType: Request for Quotation,Request for Quotation,詢價 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/accounts/report/accounts_receivable/accounts_receivable.js,Show Sales Person in Print,在Print中顯示銷售人員 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,強度 @@ -683,7 +694,6 @@ apps/erpnext/erpnext/public/js/controllers/transaction.js,Cannot find Item with apps/erpnext/erpnext/accounts/page/pos/pos.js,Create a new Customer,創建一個新的客戶 apps/erpnext/erpnext/non_profit/report/expiring_memberships/expiring_memberships.py,Expiring On,即將到期 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",如果有多個定價規則繼續有效,用戶將被要求手動設定優先順序來解決衝突。 -DocType: Purchase Invoice,Scan Barcode,掃描條形碼 apps/erpnext/erpnext/utilities/activation.py,Create Purchase Orders,創建採購訂單 ,Purchase Register,購買註冊 DocType: Landed Cost Item,Applicable Charges,相關費用 @@ -739,6 +749,7 @@ DocType: Account,Old Parent,老家長 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,必修課 - 學年 apps/erpnext/erpnext/education/doctype/program_enrollment_tool/program_enrollment_tool.py,Mandatory field - Academic Year,必修課 - 學年 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,{0} {1} is not associated with {2} {3},{0} {1} 未與 {2} {3} 關聯 +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}進行交易 @@ -779,6 +790,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,Pending activiti DocType: Salary Structure,Salary Component for timesheet based payroll.,薪酬部分基於時間表工資。 DocType: Driver,Applicable for external driver,適用於外部驅動器 DocType: Sales Order Item,Used for Production Plan,用於生產計劃 +DocType: BOM,Total Cost (Company Currency),總成本(公司貨幣) DocType: Loan,Total Payment,總付款 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Cannot cancel transaction for Completed Work Order.,無法取消已完成工單的交易。 DocType: Manufacturing Settings,Time Between Operations (in mins),作業間隔時間(以分鐘計) @@ -796,6 +808,7 @@ apps/erpnext/erpnext/stock/doctype/item_variant_settings/item_variant_settings.p apps/erpnext/erpnext/healthcare/doctype/clinical_procedure_template/clinical_procedure_template.js,Change Item Code,更改物料代碼 DocType: Vital Signs,Blood Pressure (systolic),血壓(收縮期) DocType: Item Price,Valid Upto,到...為止有效 +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.,列出一些你的客戶。他們可以是組織或個人。 @@ -854,6 +867,7 @@ DocType: Patient,Risk Factors,風險因素 DocType: Patient,Occupational Hazards and Environmental Factors,職業危害與環境因素 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Stock Entries already created for Work Order ,已為工單創建的庫存條目 apps/erpnext/erpnext/templates/pages/cart.html,See past orders,查看過去的訂單 +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,{0} conversations,{0}次對話 DocType: Vital Signs,Respiratory rate,呼吸頻率 apps/erpnext/erpnext/config/help.py,Managing Subcontracting,管理轉包 DocType: Vital Signs,Body Temperature,體溫 @@ -891,6 +905,7 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Closing (Cr) DocType: Purchase Invoice,Registered Composition,註冊作文 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js,Move Item,移動項目 DocType: Employee Incentive,Incentive Amount,激勵金額 +,Employee Leave Balance Summary,員工休假餘額摘要 DocType: Serial No,Warranty Period (Days),保修期限(天數) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Total Credit/ Debit Amount should be same as linked Journal Entry,總信用/借方金額應與鏈接的日記帳分錄相同 DocType: Installation Note Item,Installation Note Item,安裝注意項 @@ -902,6 +917,7 @@ apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Create Salary Sli DocType: Vital Signs,Bloated,脹 DocType: Salary Slip,Salary Slip Timesheet,工資單時間表 apps/erpnext/erpnext/controllers/buying_controller.py,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,對於轉包的採購入庫單,供應商倉庫是強制性輸入的。 +apps/erpnext/erpnext/public/js/hub/components/ReviewArea.vue,Your rating: ,你的評分: DocType: Sales Invoice,Total Commission,佣金總計 DocType: Tax Withholding Account,Tax Withholding Account,扣繳稅款賬戶 DocType: Pricing Rule,Sales Partner,銷售合作夥伴 @@ -909,6 +925,7 @@ apps/erpnext/erpnext/config/buying.py,All Supplier scorecards.,所有供應商 DocType: Buying Settings,Purchase Receipt Required,需要採購入庫單 DocType: Sales Invoice,Rail,軌 apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Actual Cost,實際成本 +DocType: Item,Website Image,網站圖片 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Target warehouse in row {0} must be same as Work Order,行{0}中的目標倉庫必須與工單相同 apps/erpnext/erpnext/stock/doctype/item/item.py,Valuation Rate is mandatory if Opening Stock entered,估價費用是強制性的,如果打開股票進入 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Invoice table,沒有在發票表中找到記錄 @@ -941,8 +958,8 @@ apps/erpnext/erpnext/templates/pages/material_request_info.html,Delivered: {0}, 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/erpnext_integrations/doctype/plaid_settings/plaid_connector.py,Please complete your Plaid API configuration before synchronizing your account,請在同步帳戶之前完成您的Plaid API配置 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,Half Day Date is mandatory,半天日期是強制性的 DocType: Sales Order,Billing and Delivery Status,結算和交貨狀態 DocType: Job Applicant,Resume Attachment,簡歷附 @@ -953,7 +970,6 @@ DocType: Production Plan,Production Plan,生產計劃 DocType: Opening Invoice Creation Tool,Opening Invoice Creation Tool,打開發票創建工具 DocType: Salary Component,Round to the Nearest Integer,舍入到最近的整數 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js,Sales Return,銷貨退回 -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,注:總分配葉{0}應不低於已核定葉{1}期間 DocType: Stock Settings,Set Qty in Transactions based on Serial No Input,根據序列號輸入設置交易數量 ,Total Stock Summary,總庫存總結 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,"You can only plan for upto {0} vacancies and budget {1} \ @@ -977,6 +993,7 @@ DocType: Training Result Employee,Training Result Employee,訓練結果員工 DocType: Warehouse,A logical Warehouse against which stock entries are made.,對這些庫存分錄帳進行的邏輯倉庫。 DocType: Loan Application,Total Payable Interest,合計應付利息 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,Total Outstanding: {0},總計:{0} +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Open Contact,打開聯繫 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} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Serial no(s) required for serialized item {0},序列化項目{0}所需的序列號 @@ -994,6 +1011,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Notify Custome DocType: Item,Batch Number Series,批號系列 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py,Another Sales Person {0} exists with the same Employee id,另外銷售人員{0}存在具有相同員工ID DocType: Employee Advance,Claimed Amount,聲明金額 +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.js,Expire Allocation,過期分配 DocType: QuickBooks Migrator,Authorization Settings,授權設置 DocType: Travel Itinerary,Departure Datetime,離開日期時間 apps/erpnext/erpnext/hub_node/api.py,No items to publish,沒有要發布的項目 @@ -1052,7 +1070,6 @@ apps/erpnext/erpnext/hr/doctype/employee_promotion/employee_promotion.js,Select DocType: Course Activity,Course Activity,課程活動 DocType: Fee Validity,Max number of visit,最大訪問次數 DocType: Accounting Dimension Detail,Mandatory For Profit and Loss Account,對於損益賬戶必須提供 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Timesheet created:,創建時間表: apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Please set default Cash or Bank account in Mode of Payment {0},請設定現金或銀行帳戶的預設付款方式{0} apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Enroll,註冊 DocType: GST Settings,GST Settings,GST設置 @@ -1178,6 +1195,7 @@ apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please sel apps/erpnext/erpnext/education/doctype/student_group/student_group.py,Please select Program,請選擇程序 DocType: Project,Estimated Cost,估計成本 DocType: Request for Quotation,Link to material requests,鏈接到材料請求 +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish,發布 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,在數值 @@ -1199,6 +1217,7 @@ apps/erpnext/erpnext/config/getting_started.py,Create Opening Sales and Purchase apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Current Assets,流動資產 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,{0} is not a stock Item,{0}不是庫存項目 apps/erpnext/erpnext/hr/notification/training_feedback/training_feedback.html,Please share your feedback to the training by clicking on 'Training Feedback' and then 'New',請通過點擊“培訓反饋”,然後點擊“新建” +DocType: Call Log,Caller Information,來電者信息 DocType: Mode of Payment Account,Default Account,預設帳戶 apps/erpnext/erpnext/stock/doctype/item/item.py,Please select Sample Retention Warehouse in Stock Settings first,請先在庫存設置中選擇樣品保留倉庫 apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.js,Please select the Multiple Tier Program type for more than one collection rules.,請為多個收集規則選擇多層程序類型。 @@ -1221,6 +1240,7 @@ DocType: Budget,Budget Against,反對財政預算案 apps/erpnext/erpnext/stock/reorder_item.py,Auto Material Requests Generated,汽車材料的要求生成 DocType: Shift Type,Working hours below which Half Day is marked. (Zero to disable),工作時間低於標記的半天。 (零禁用) DocType: Job Card,Total Completed Qty,完成總數量 +DocType: HR Settings,Auto Leave Encashment,自動離開兌現 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js,Lost,丟失 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,You can not enter current voucher in 'Against Journal Entry' column,在您不能輸入電流券“對日記帳分錄”專欄 DocType: Employee Benefit Application Detail,Max Benefit Amount,最大福利金額 @@ -1247,9 +1267,11 @@ apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Get from Patient En DocType: Subscriber,Subscriber,訂戶 DocType: Item Attribute Value,Item Attribute Value,項目屬性值 apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py,Currency Exchange must be applicable for Buying or for Selling.,貨幣兌換必須適用於買入或賣出。 +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Only expired allocation can be cancelled,只能取消過期分配 DocType: Item,Maximum sample quantity that can be retained,可以保留的最大樣品數量 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Row {0}# Item {1} cannot be transferred more than {2} against Purchase Order {3},對於採購訂單{3},行{0}#項目{1}不能超過{2} apps/erpnext/erpnext/config/crm.py,Sales campaigns.,銷售活動。 +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Unknown Caller,未知的來電者 DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note @@ -1298,6 +1320,7 @@ DocType: Healthcare Schedule Time Slot,Healthcare Schedule Time Slot,醫療保 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,Doc Name,文件名稱 DocType: Expense Claim Detail,Expense Claim Type,費用報銷型 DocType: Shopping Cart Settings,Default settings for Shopping Cart,對購物車的預設設定 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Save Item,保存項目 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_transaction_row.html,New Expense,新費用 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Ignore Existing Ordered Qty,忽略現有的訂購數量 apps/erpnext/erpnext/healthcare/doctype/practitioner_schedule/practitioner_schedule.js,Add Timeslots,添加時代 @@ -1310,6 +1333,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Max benefit apps/erpnext/erpnext/non_profit/doctype/grant_application/grant_application.py,Review Invitation Sent,審核邀請已發送 DocType: Shift Assignment,Shift Assignment,班次分配 DocType: Employee Transfer Property,Employee Transfer Property,員工轉移財產 +apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The field Equity/Liability Account cannot be blank,字段權益/責任帳戶不能為空 apps/erpnext/erpnext/accounts/doctype/cashier_closing/cashier_closing.py,From Time Should Be Less Than To Time,從時間應該少於時間 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Biotechnology,生物技術 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,"Item {0} (Serial No: {1}) cannot be consumed as is reserverd\ @@ -1386,10 +1410,12 @@ 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,創建新聯繫人 apps/erpnext/erpnext/education/doctype/course/course.js,Course Schedule,課程表 DocType: GSTR 3B Report,GSTR 3B Report,GSTR 3B報告 DocType: Request for Quotation Supplier,Quote Status,報價狀態 DocType: Maintenance Visit,Completion Status,完成狀態 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Total payments amount can't be greater than {},付款總額不得超過{} DocType: Daily Work Summary Group,Select Users,選擇用戶 DocType: Hotel Room Pricing Item,Hotel Room Pricing Item,酒店房間定價項目 DocType: Loyalty Program Collection,Tier Name,等級名稱 @@ -1425,6 +1451,7 @@ apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,SGST Amount,SGST金 DocType: Lab Test Template,Result Format,結果格式 DocType: Expense Claim,Expenses,開支 DocType: Service Level,Support Hours,支持小時 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Delivery Notes,送貨單 DocType: Item Variant Attribute,Item Variant Attribute,產品規格屬性 ,Purchase Receipt Trends,採購入庫趨勢 DocType: Vehicle Service,Brake Pad,剎車片 @@ -1445,7 +1472,6 @@ DocType: Sales Team,Incentives,獎勵 DocType: SMS Log,Requested Numbers,請求號碼 DocType: Volunteer,Evening,晚間 DocType: Quiz,Quiz Configuration,測驗配置 -DocType: Customer,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,專案值 @@ -1486,7 +1512,6 @@ apps/erpnext/erpnext/config/accounting.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,過濾器總計零數量 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Unable to find Time Slot in the next {0} days for Operation {1},找不到時隙在未來{0}天操作{1} DocType: Work Order,Plan material for sub-assemblies,計劃材料為子組件 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,沒有可用於傳輸的項目 @@ -1501,9 +1526,10 @@ apps/erpnext/erpnext/selling/report/sales_partner_commission_summary/sales_partn apps/erpnext/erpnext/stock/doctype/item/item.py,You have to enable auto re-order in Stock Settings to maintain re-order levels.,您必須在庫存設置中啟用自動重新訂購才能維持重新訂購級別。 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py,Cancel Material Visits {0} before cancelling this Maintenance Visit,取消取消此保養訪問之前,材質訪問{0} DocType: Pricing Rule,Rate or Discount,價格或折扣 +apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Details,銀行明細 DocType: Vital Signs,One Sided,單面 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not belong to Item {1},序列號{0}不屬於項目{1} -DocType: Purchase Receipt Item Supplied,Required Qty,所需數量 +DocType: Purchase Order Item Supplied,Required Qty,所需數量 DocType: Marketplace Settings,Custom Data,自定義數據 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py,Warehouses with existing transaction can not be converted to ledger.,與現有的交易倉庫不能轉換到總帳。 DocType: Service Day,Service Day,服務日 @@ -1530,7 +1556,6 @@ apps/erpnext/erpnext/accounts/doctype/loyalty_program/loyalty_program.py,Custome DocType: Bank Reconciliation,Account Currency,賬戶幣種 DocType: Lab Test,Sample ID,樣品編號 apps/erpnext/erpnext/accounts/general_ledger.py,Please mention Round Off Account in Company,請註明舍入賬戶的公司 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,debit_note_amt,debit_note_amt DocType: Purchase Receipt,Range,範圍 DocType: Supplier,Default Payable Accounts,預設應付帳款 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py,Employee {0} is not active or does not exist,員工{0}不活躍或不存在 @@ -1567,8 +1592,8 @@ apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_li apps/erpnext/erpnext/public/js/account_tree_grid.js,Opening Date and Closing Date should be within same Fiscal Year,開幕日期和截止日期應在同一會計年度 DocType: Lead,Request for Information,索取資料 DocType: Course Activity,Activity Date,活動日期 -,LeaderBoard,排行榜 DocType: Sales Invoice Item,Rate With Margin (Company Currency),利率保證金(公司貨幣) +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Categories,分類 apps/erpnext/erpnext/accounts/page/pos/pos.js,Sync Offline Invoices,同步離線發票 DocType: Payment Request,Paid,付費 DocType: Service Level,Default Priority,默認優先級 @@ -1598,10 +1623,10 @@ 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,間接收入 DocType: Student Attendance Tool,Student Attendance Tool,學生考勤工具 DocType: Restaurant Menu,Price List (Auto created),價目表(自動創建) +DocType: Pick List Item,Picked Qty,挑選數量 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,員工促銷細節 -,Company Name,公司名稱 DocType: SMS Center,Total Message(s),訊息總和(s ) DocType: Share Balance,Purchased,購買 DocType: Item Variant Settings,Rename Attribute Value in Item Attribute.,在項目屬性中重命名屬性值。 @@ -1620,7 +1645,6 @@ DocType: Salary Component Account,Default Bank / Cash account will be automatica DocType: Quiz,Latest Attempt,最新嘗試 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}分配的總分配數是強制性的 -DocType: BOM,Raw Material Cost(Company Currency),原料成本(公司貨幣) 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,儀表 @@ -1683,6 +1707,7 @@ DocType: Purchase Invoice,Cash/Bank Account,現金/銀行帳戶 DocType: Travel Itinerary,Train,培養 ,Delayed Item Report,延遲物品報告 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Eligible ITC,符合條件的ITC +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish Your First Items,發布您的第一個項目 DocType: Shift Type,Time after the end of shift during which check-out is considered for attendance.,輪班結束後的時間,在此期間考慮退房。 apps/erpnext/erpnext/public/js/queries.js,Please specify a {0},請指定{0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py,Removed items with no change in quantity or value.,刪除的項目在數量或價值沒有變化。 @@ -1791,6 +1816,7 @@ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_en apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,All BOMs,所有的材料明細表 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Create Inter Company Journal Entry,創建國際公司日記帳分錄 apps/erpnext/erpnext/hotels/doctype/hotel_room_reservation/hotel_room_reservation.py,Hotel Rooms of type {0} are unavailable on {1},{0}類型的酒店客房不適用於{1} +apps/erpnext/erpnext/config/manufacturing.py,Compare BOMs for changes in Raw Materials and Operations,比較原材料和操作中的更改的BOM apps/erpnext/erpnext/accounts/doctype/bank_transaction/bank_transaction.js,Document {0} successfully uncleared,文檔{0}成功未清除 DocType: Healthcare Practitioner,Default Currency,預設貨幣 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Reconcile this account,核對此帳戶 @@ -1823,6 +1849,7 @@ apps/erpnext/erpnext/controllers/buying_controller.py,Please select BOM in BOM f apps/erpnext/erpnext/stock/report/item_variant_details/item_variant_details.py,There isn't any item variant for the selected item,所選項目沒有任何項目變體 DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-表 發票詳細資訊 DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,付款發票對帳 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Publish Items,發布項目 apps/erpnext/erpnext/selling/report/sales_person_commission_summary/sales_person_commission_summary.py,Contribution %,貢獻% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",根據購買設置,如果需要採購訂單=='是',那麼為了創建採購發票,用戶需要首先為項目{0}創建採購訂單 ,HSN-wise-summary of outward supplies,HSN明智的向外供應摘要 @@ -1835,7 +1862,6 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. apps/erpnext/erpnext/public/js/controllers/transaction.js,Please set 'Apply Additional Discount On',請設置“收取額外折扣” DocType: Party Tax Withholding Config,Applicable Percent,適用百分比 ,Ordered Items To Be Billed,預付款的訂購物品 -DocType: Employee Checkin,Exit Grace Period Consequence,退出寬限期後果 apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py,From Range has to be less than To Range,從範圍必須小於要範圍 DocType: Global Defaults,Global Defaults,全域預設值 apps/erpnext/erpnext/projects/doctype/project/project.py,Project Collaboration Invitation,項目合作邀請 @@ -1843,11 +1869,9 @@ DocType: Salary Slip,Deductions,扣除 DocType: Setup Progress Action,Action Name,動作名稱 apps/erpnext/erpnext/accounts/report/consolidated_financial_statement/consolidated_financial_statement.js,Start Year,開始年份 apps/erpnext/erpnext/hr/doctype/loan_application/loan_application.js,Create Loan,創建貸款 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,PDC/LC,PDC / LC DocType: Purchase Invoice,Start date of current invoice's period,當前發票期間內的開始日期 DocType: Shift Type,Process Attendance After,過程出勤 DocType: Salary Slip,Leave Without Pay,無薪假 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Capacity Planning Error,產能規劃錯誤 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,State/UT Tax,州/ UT稅 ,Trial Balance for Party,試算表的派對 ,Gross and Net Profit Report,毛利潤和淨利潤報告 @@ -1904,7 +1928,7 @@ DocType: Student Report Generation Tool,Total Parents Teacher Meeting,總計家 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.",付款方式未配置。請檢查是否帳戶已就付款方式或POS機配置文件中設置。 apps/erpnext/erpnext/buying/utils.py,Same item cannot be entered multiple times.,同一項目不能輸入多次。 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,"Further accounts can be made under Groups, but entries can be made against non-Groups",進一步帳戶可以根據組進行,但條目可針對非組進行 -DocType: Email Campaign,Lead,潛在客戶 +DocType: Call Log,Lead,潛在客戶 DocType: Email Digest,Payables,應付賬款 DocType: Amazon MWS Settings,MWS Auth Token,MWS Auth Token DocType: Email Campaign,Email Campaign For ,電子郵件活動 @@ -1916,6 +1940,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js,Changing Customer Group for the ,Purchase Order Items To Be Billed,欲付款的採購訂單品項 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,信用額度 DocType: Purchase Invoice Item,Net Rate,淨費率 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Please select a customer,請選擇一個客戶 DocType: Leave Policy,Leave Allocations,離開分配 @@ -1958,7 +1983,7 @@ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Make Sto 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,請先選擇前綴稱號 -DocType: Shift Type,Consequence,後果 +apps/erpnext/erpnext/public/js/hub/pages/Home.vue,Near you,在你旁邊 DocType: Subscription Settings,Subscription Settings,訂閱設置 DocType: Purchase Invoice,Update Auto Repeat Reference,更新自動重複參考 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Optional Holiday List not set for leave period {0},可選假期列表未設置為假期{0} @@ -1967,7 +1992,6 @@ DocType: Maintenance Visit Purpose,Work Done,工作完成 apps/erpnext/erpnext/controllers/item_variant.py,Please specify at least one attribute in the Attributes table,請指定屬性表中的至少一個屬性 DocType: Announcement,All Students,所有學生 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Item {0} must be a non-stock item,項{0}必須是一個非庫存項目 -apps/erpnext/erpnext/accounts/doctype/bank/bank_dashboard.py,Bank Deatils,銀行Deatils apps/erpnext/erpnext/stock/doctype/batch/batch.js,View Ledger,查看總帳 DocType: Grading Scale,Intervals,間隔 DocType: Bank Statement Transaction Entry,Reconciled Transactions,協調的事務 @@ -1994,6 +2018,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}的有效菜單 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/public/js/call_popup/call_popup.js,Open Lead,開放領導 DocType: Buying Settings,Maintain same rate throughout purchase cycle,在整個採購週期價格保持一致 DocType: Opportunity Item,Opportunity Item,項目的機會 DocType: Quality Action,Quality Review,質量審查 @@ -2019,7 +2044,7 @@ apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_ 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} DocType: Journal Entry,Get Outstanding Invoices,獲取未付發票 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Sales Order {0} is not valid,銷售訂單{0}無效 +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,警告新的報價請求 apps/erpnext/erpnext/utilities/activation.py,Purchase orders help you plan and follow up on your purchases,採購訂單幫助您規劃和跟進您的購買 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Lab Test Prescriptions,實驗室測試處方 @@ -2043,6 +2068,7 @@ DocType: Employee Onboarding,Notify users by email,通過電子郵件通知用 DocType: Travel Request,International,國際 DocType: Training Event,Training Event,培訓活動 DocType: Item,Auto re-order,自動重新排序 +DocType: Attendance,Late Entry,遲入 apps/erpnext/erpnext/selling/report/sales_partner_target_variance_based_on_item_group/item_group_wise_sales_target_variance.py,Total Achieved,實現總計 DocType: Employee,Place of Issue,簽發地點 DocType: Promotional Scheme,Promotional Scheme Price Discount,促銷計劃價格折扣 @@ -2084,6 +2110,7 @@ DocType: Serial No,Serial No Details,序列號詳細資訊 DocType: Purchase Invoice Item,Item Tax Rate,項目稅率 apps/erpnext/erpnext/regional/report/eway_bill/eway_bill.py,From Party Name,來自黨名 apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Net Salary Amount,淨工資金額 +DocType: Pick List,Delivery against Sales Order,根據銷售訂單交貨 DocType: Student Group Student,Group Roll Number,組卷編號 DocType: Student Group Student,Group Roll Number,組卷編號 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,"For {0}, only credit accounts can be linked against another debit entry",{0},只有貸方帳戶可以連接另一個借方分錄 @@ -2153,7 +2180,6 @@ DocType: Contract,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,供應商發票日期 -DocType: Asset Settings,This value is used for pro-rata temporis calculation,該值用於按比例計算 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py,You need to enable Shopping Cart,您需要啟用購物車 DocType: Payment Entry,Writeoff,註銷 DocType: HR Settings,Example: SAL-{first_name}-{date_of_birth.year}
This will generate a password like SAL-Jane-1972,示例: SAL- {first_name} - {date_of_birth.year}
這將生成一個像SAL-Jane-1972的密碼 @@ -2166,13 +2192,13 @@ DocType: Delivery Trip,Total Estimated Distance,總估計距離 DocType: Invoice Discounting,Accounts Receivable Unpaid Account,應收帳款未付帳戶 DocType: Tally Migration,Tally Company,理貨公司 apps/erpnext/erpnext/config/manufacturing.py,BOM Browser,BOM瀏覽器 +apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Not allowed to create accounting dimension for {0},不允許為{0}創建會計維度 apps/erpnext/erpnext/templates/emails/training_event.html,Please update your status for this training event,請更新此培訓活動的狀態 apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py,Overlapping conditions found between:,存在重疊的條件: DocType: Bank Transaction Mapping,Field in Bank Transaction,銀行交易中的字段 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Against Journal Entry {0} is already adjusted against some other voucher,對日記條目{0}已經調整一些其他的優惠券 ,Inactive Sales Items,非活動銷售項目 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Total Order Value,總訂單價值 -apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement Reset.,服務水平協議重置。 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Food,食物 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 3,老齡範圍3 DocType: POS Closing Voucher Details,POS Closing Voucher Details,POS關閉憑證詳細信息 @@ -2216,6 +2242,7 @@ 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,競賽 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',審批狀態必須被“批准”或“拒絕” DocType: Healthcare Practitioner,Contacts and Address,聯繫人和地址 DocType: Shift Type,Determine Check-in and Check-out,確定登記入住和退房 @@ -2234,7 +2261,6 @@ DocType: Student Admission,Eligibility and Details,資格和細節 apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Included in Gross Profit,包含在毛利潤中 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Fixed Asset,在固定資產淨變動 apps/erpnext/erpnext/manufacturing/report/bom_stock_calculated/bom_stock_calculated.py,Reqd Qty,需要數量 -DocType: Company,Client Code,客戶代碼 apps/erpnext/erpnext/controllers/accounts_controller.py,Charge of type 'Actual' in row {0} cannot be included in Item Rate,類型'實際'行{0}的計費,不能被包含在項目單價 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Max: {0},最大數量:{0} apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,From Datetime,從日期時間 @@ -2294,6 +2320,7 @@ DocType: Journal Entry Account,Account Balance,帳戶餘額 apps/erpnext/erpnext/config/accounting.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 (%),超過轉移津貼(%) apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,{0} {1}: Customer is required against Receivable account {2},{0} {1}:需要客戶對應收賬款{2} DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),總稅費和費用(公司貨幣) DocType: Weather,Weather Parameter,天氣參數 @@ -2361,7 +2388,7 @@ DocType: Customer,"Select, to make the customer searchable with these fields", DocType: Shopify Settings,Import Delivery Notes from Shopify on Shipment,在發貨時從Shopify導入交貨單 apps/erpnext/erpnext/templates/pages/projects.html,Show closed,顯示關閉 DocType: Issue Priority,Issue Priority,問題優先 -DocType: Leave Type,Is Leave Without Pay,是無薪休假 +DocType: Leave Ledger Entry,Is Leave Without Pay,是無薪休假 apps/erpnext/erpnext/stock/doctype/item/item.py,Asset Category is mandatory for Fixed Asset item,資產類別是強制性的固定資產項目 DocType: Fee Validity,Fee Validity,費用有效期 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py,No records found in the Payment table,沒有在支付表中找到記錄 @@ -2406,6 +2433,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment. DocType: Sales Invoice Item,Available Batch Qty at Warehouse,可用的批次數量在倉庫 DocType: Bank Account,Is Company Account,是公司帳戶 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,Leave Type {0} is not encashable,離開類型{0}不可放置 +apps/erpnext/erpnext/selling/doctype/customer/customer.py,Credit limit is already defined for the Company {0},已為公司{0}定義信用額度 DocType: Landed Cost Voucher,Landed Cost Help,到岸成本幫助 DocType: Purchase Invoice,Select Shipping Address,選擇送貨地址 DocType: Timesheet Detail,Expected Hrs,預計的小時數 @@ -2426,6 +2454,7 @@ DocType: Accounts Settings,Shipping Address,送貨地址 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} DocType: Item Alternative,Two-way,雙向 DocType: Item,Manufacturers,製造商 @@ -2460,7 +2489,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Returne apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Bank Accounts,銀行帳戶 ,Bank Reconciliation Statement,銀行對帳表 DocType: Patient Encounter,Medical Coding,醫學編碼 -,Lead Name,主導者名稱 +DocType: Call Log,Lead Name,主導者名稱 ,POS,POS apps/erpnext/erpnext/config/help.py,Opening Stock Balance,期初存貨餘額 DocType: Asset Category Account,Capital Work In Progress Account,資本工作進行中的帳戶 @@ -2489,10 +2518,12 @@ DocType: Purchase Invoice,Supplier Warehouse,供應商倉庫 DocType: Opportunity,Contact Mobile No,聯絡手機號碼 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Select Company,選擇公司 ,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: 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,質量會議紀要 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供應商>供應商類型 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Employee Referral,員工推薦 DocType: Student Group,Set 0 for no limit,為不限制設為0 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,您目前提出休假申請的日期為休息日。您不需要申請休假。 @@ -2524,12 +2555,10 @@ DocType: Healthcare Settings,Healthcare Service Items,醫療服務項目 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Cash,現金淨變動 DocType: Assessment Plan,Grading Scale,分級量表 apps/erpnext/erpnext/stock/doctype/item/item.py,Unit of Measure {0} has been entered more than once in Conversion Factor Table,計量單位{0}已經進入不止一次在轉換係數表 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Already completed,已經完成 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Stock In Hand,庫存在手 apps/erpnext/erpnext/hr/doctype/employee_benefit_application/employee_benefit_application.py,"Please add the remaining benefits {0} to the application as \ pro-rata component",請將剩餘的權益{0}作為\ pro-rata組件添加到應用程序中 apps/erpnext/erpnext/regional/italy/utils.py,Please set Fiscal Code for the public administration '%s',請為公共管理'%s'設置財政代碼 -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Payment Request already exists {0},付款申請已經存在{0} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Issued Items,發布項目成本 DocType: Healthcare Practitioner,Hospital,醫院 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Quantity must not be more than {0},數量必須不超過{0} @@ -2567,6 +2596,7 @@ DocType: Party Account,Party Account,黨的帳戶 apps/erpnext/erpnext/hr/doctype/staffing_plan/staffing_plan.py,Please select Company and Designation,請選擇公司和指定 apps/erpnext/erpnext/config/settings.py,Human Resources,人力資源 DocType: Item Manufacturer,Item Manufacturer,產品製造商 +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Create New Lead,創造新的領導者 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.js,Reject,拒絕 DocType: Journal Entry Account,Debit in Company Currency,借記卡在公司貨幣 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Import Successfull,導入成功 @@ -2587,6 +2617,7 @@ apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Payroll d apps/erpnext/erpnext/accounts/doctype/payment_order/payment_order.py,{0} {1} created,已創建{0} {1} apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py,"Job Openings for designation {0} already open \ or hiring completed as per Staffing Plan {1}",指定{0}的職位空缺已根據人員配置計劃{1}已打開或正在招聘 +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,You can publish upto 200 items.,您最多可以發布200個項目。 DocType: Vital Signs,Constipated,大便乾燥 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Against Supplier Invoice {0} dated {1},對供應商發票{0}日期{1} DocType: Customer,Default Price List,預設價格表 @@ -2674,6 +2705,7 @@ apps/erpnext/erpnext/templates/generators/item/item_add_to_cart.html,View in Car DocType: Employee Checkin,Shift Actual Start,切換實際開始 DocType: Tally Migration,Is Day Book Data Imported,是否導入了日記簿數據 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Marketing Expenses,市場推廣開支 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,{0} units of {1} is not available.,{0}的{0}單位不可用。 ,Item Shortage Report,商品短缺報告 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,無法創建標準條件。請重命名標準 @@ -2697,6 +2729,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,退休日 DocType: Upload Attendance,Get Template,獲取模板 +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Pick List,選擇列表 ,Sales Person Commission Summary,銷售人員委員會摘要 DocType: Material Request,Transferred,轉入 DocType: Vehicle,Doors,門 @@ -2770,7 +2803,7 @@ DocType: Sales Invoice Item,Customer's Item Code,客戶的產品編號 DocType: Stock Reconciliation,Stock Reconciliation,庫存調整 DocType: Territory,Territory Name,地區名稱 DocType: Email Digest,Purchase Orders to Receive,要收貨的採購訂單 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Work-in-Progress Warehouse is required before Submit,提交之前,需要填入在製品倉庫 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Work-in-Progress Warehouse is required before Submit,提交之前,需要填入在製品倉庫 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,You can only have Plans with the same billing cycle in a Subscription,您只能在訂閱中擁有相同結算週期的計劃 DocType: Bank Statement Transaction Settings Item,Mapped Data,映射數據 DocType: Purchase Order Item,Warehouse and Reference,倉庫及參考 @@ -2841,6 +2874,7 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/plaid_settings/plaid_settings. DocType: Delivery Settings,Delivery Settings,交貨設置 apps/erpnext/erpnext/erpnext_integrations/doctype/quickbooks_migrator/quickbooks_migrator.js,Fetch Data,獲取數據 apps/erpnext/erpnext/hr/doctype/leave_policy/leave_policy.py,Maximum leave allowed in the leave type {0} is {1},假期類型{0}允許的最大休假是{1} +apps/erpnext/erpnext/public/js/hub/pages/Publish.vue,Publish 1 Item,發布1項 DocType: SMS Center,Create Receiver List,創建接收器列表 DocType: Student Applicant,LMS Only,僅限LMS apps/erpnext/erpnext/assets/doctype/asset/asset.py,Available-for-use Date should be after purchase date,可供使用的日期應在購買日期之後 @@ -2880,6 +2914,7 @@ DocType: Purchase Order Item,Supplier Quotation Item,供應商報價項目 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Material Consumption is not set in Manufacturing Settings.,材料消耗未在生產設置中設置。 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/setup/doctype/naming_series/naming_series.py,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列為{0}設置命名系列 apps/erpnext/erpnext/templates/pages/help.html,Visit the forums,訪問論壇 DocType: Student,Student Mobile Number,學生手機號碼 DocType: Item,Has Variants,有變種 @@ -2891,9 +2926,11 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,每月分配的 DocType: Quality Procedure Process,Quality Procedure Process,質量程序流程 apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,批號是必需的 apps/erpnext/erpnext/stock/doctype/batch/batch.py,Batch ID is mandatory,批號是必需的 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,Please select Customer first,請先選擇客戶 DocType: Sales Person,Parent Sales Person,母公司銷售人員 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py,No items to be received are overdue,沒有收到的物品已逾期 apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,The seller and the buyer cannot be the same,賣方和買方不能相同 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No views yet,還沒有意見 DocType: Project,Collect Progress,收集進度 apps/erpnext/erpnext/education/doctype/student_applicant/student_applicant.py,Select the program first,首先選擇程序 DocType: Patient Appointment,Patient Age,患者年齡 @@ -2959,9 +2996,9 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen DocType: Item Website Specification,Table for Item that will be shown in Web Site,表項,將在網站顯示出來 DocType: Purchase Order Item Supplied,Supplied Qty,附送數量 DocType: Purchase Order Item,Material Request Item,物料需求項目 -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Receipt {0} first,請先取消購買收據{0} apps/erpnext/erpnext/config/buying.py,Tree of Item Groups.,項目群組樹。 DocType: Production Plan,Total Produced Qty,總生產數量 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,No reviews yet,還沒有評論 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Cannot refer row number greater than or equal to current row number for this Charge type,不能引用的行號大於或等於當前行號碼提供給充電式 ,Item-wise Purchase History,全部項目的購買歷史 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},請點擊“生成表”來獲取序列號增加了對項目{0} @@ -2977,7 +3014,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js,Delete all the Transaction DocType: Inpatient Record,O Positive,O積極 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Investments,投資 DocType: Issue,Resolution Details,詳細解析 -apps/erpnext/erpnext/accounts/report/tds_payable_monthly/tds_payable_monthly.py,Transaction Type,交易類型 +DocType: Leave Ledger Entry,Transaction Type,交易類型 DocType: Item Quality Inspection Parameter,Acceptance Criteria,驗收標準 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,Please enter Material Requests in the above table,請輸入在上表請求材料 apps/erpnext/erpnext/hr/doctype/loan/loan.py,No repayments available for Journal Entry,沒有可用於日記帳分錄的還款 @@ -3013,6 +3050,7 @@ DocType: Bank Account,Bank Account No,銀行帳號 DocType: Employee Tax Exemption Proof Submission,Employee Tax Exemption Proof Submission,員工免稅證明提交 DocType: Patient,Surgical History,手術史 DocType: Bank Statement Settings Item,Mapped Header,映射的標題 +apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 DocType: Employee,Resignation Letter Date,辭退信日期 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Pricing Rules are further filtered based on quantity.,定價規則進一步過濾基於數量。 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Please set the Date Of Joining for employee {0},請為員工{0}設置加入日期 @@ -3078,7 +3116,6 @@ DocType: Student Report Generation Tool,Add Letterhead,添加信頭 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/leave_allocation/leave_allocation.py,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,共分配葉{0}不能小於已經批准葉{1}期間 DocType: Journal Entry,Accounts Receivable,應收帳款 DocType: Quality Goal,Objectives,目標 ,Supplier-Wise Sales Analytics,供應商相關的銷售分析 @@ -3099,7 +3136,6 @@ DocType: Tax Withholding Rate,Single Transaction Threshold,單一交易閾值 DocType: Lab Test Template,This value is updated in the Default Sales Price List.,該值在默認銷售價格表中更新。 apps/erpnext/erpnext/templates/pages/cart.html,Your cart is Empty,您的購物車是空的 DocType: Email Digest,New Expenses,新的費用 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Amount,PDC / LC金額 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,Cannot Optimize Route as Driver Address is Missing.,由於缺少驅動程序地址,無法優化路由。 DocType: Shareholder,Shareholder,股東 DocType: Purchase Invoice,Additional Discount Amount,額外的折扣金額 @@ -3135,6 +3171,7 @@ DocType: Asset Maintenance Task,Maintenance Task,維護任務 apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,Please set B2C Limit in GST Settings.,請在GST設置中設置B2C限制。 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,無法為關鍵日期{2}查找{0}到{1}的匯率。請手動創建貨幣兌換記錄 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}是現在預設的會計年度。請重新載入您的瀏覽器,以使更改生效。 @@ -3168,6 +3205,7 @@ DocType: Loyalty Program,1 Loyalty Points = How much base currency?,1忠誠度 DocType: Item,Retain Sample,保留樣品 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py,Row {0}: From Time and To Time is mandatory.,行{0}:從時間和時間是強制性的。 DocType: Stock Reconciliation Item,Amount Difference,金額差異 +apps/erpnext/erpnext/public/js/hub/pages/Buying.vue,This page keeps track of items you want to buy from sellers.,此頁面會跟踪您要從賣家處購買的商品。 apps/erpnext/erpnext/stock/get_item_details.py,Item Price added for {0} in Price List {1},加入項目價格為{0}價格表{1} DocType: Delivery Stop,Order Information,訂單信息 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js,Please enter Employee Id of this sales person,請輸入這個銷售人員的員工標識 @@ -3193,6 +3231,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Item {0} has alrea DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**財年**表示財政年度。所有的會計輸入項目和其他重大交易針對**財年**進行追蹤。 DocType: Opportunity,Customer / Lead Address,客戶/鉛地址 DocType: Supplier Scorecard Period,Supplier Scorecard Setup,供應商記分卡設置 +DocType: Customer Credit Limit,Customer Credit Limit,客戶信用額度 apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Assessment Plan Name,評估計劃名稱 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year_dashboard.py,Target Details,目標細節 apps/erpnext/erpnext/regional/italy/setup.py,"Applicable if the company is SpA, SApA or SRL",如果公司是SpA,SApA或SRL,則適用 @@ -3240,7 +3279,6 @@ DocType: Company,Transactions Annual History,交易年曆 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,銀行名稱 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,-Above,-以上 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,流體 @@ -3289,6 +3327,7 @@ 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,已添加到精選商品 apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py,Profit for the year,年度利潤 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,在過程 @@ -3338,12 +3377,10 @@ 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,多次允許相同的項目 -apps/erpnext/erpnext/regional/report/gstr_1/gstr_1.py,No GST No. found for the Company.,沒有找到公司的GST編號。 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,僱員 DocType: Question,Single Correct Answer,單一正確答案 -DocType: Employee,Contact Details,聯絡方式 DocType: C-Form,Received Date,接收日期 DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.",如果您已經創建了銷售稅和費模板標準模板,選擇一個,然後點擊下面的按鈕。 DocType: BOM Scrap Item,Basic Amount (Company Currency),基本金額(公司幣種) @@ -3372,10 +3409,11 @@ DocType: BOM Website Operation,BOM Website Operation,BOM網站運營 DocType: Bank Statement Transaction Payment Item,outstanding_amount,outstanding_amount DocType: Supplier Scorecard,Supplier Score,供應商分數 apps/erpnext/erpnext/healthcare/doctype/patient_encounter/patient_encounter.js,Schedule Admission,安排入場 +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py,Total Payment Request amount cannot be greater than {0} amount,總付款請求金額不能大於{0}金額 DocType: Tax Withholding Rate,Cumulative Transaction Threshold,累積交易閾值 DocType: Promotional Scheme Price Discount,Discount Type,折扣類型 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Invoiced Amt,總開票金額 DocType: Purchase Invoice Item,Is Free Item,是免費物品 +DocType: Buying Settings,Percentage you are allowed to transfer more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to transfer 110 units.,允許您根據訂購數量轉移更多的百分比。例如:如果您訂購了100個單位。你的津貼是10%,那麼你可以轉讓110個單位。 DocType: BOM,Conversion Rate,兌換率 apps/erpnext/erpnext/www/all-products/index.html,Product Search,產品搜索 ,Bank Remittance,銀行匯款 @@ -3408,6 +3446,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py,Unable to find DocType: Quality Inspection,Sample Size,樣本大小 apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py,Please enter Receipt Document,請輸入收據憑證 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py,All items have already been invoiced,所有項目已開具發票 +apps/erpnext/erpnext/hr/report/employee_leave_balance_summary/employee_leave_balance_summary.py,Leaves Taken,葉子採取 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py,Please specify a valid 'From Case No.',請指定一個有效的“從案號” 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,進一步的成本中心可以根據組進行,但項可以對非組進行 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,在此期間,總分配的離職時間超過員工{1}的最大分配{0}離職類型的天數 @@ -3499,6 +3538,7 @@ 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: 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.,跟踪獨立收入和支出進行產品垂直或部門。 @@ -3544,6 +3584,7 @@ DocType: Asset Repair,Failure Date,失敗日期 DocType: Support Search Source,Result Title Field,結果標題字段 DocType: Sample Collection,Collected Time,收集時間 DocType: Employee Skill Map,Employee Skills,員工技能 +apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py,Fuel Expense,燃料費用 DocType: Company,Sales Monthly History,銷售月曆 apps/erpnext/erpnext/regional/italy/utils.py,Please set at least one row in the Taxes and Charges Table,請在“稅費和收費表”中至少設置一行 DocType: Asset Maintenance Task,Next Due Date,下一個到期日 @@ -3553,6 +3594,7 @@ apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Vital Signs,生命體 DocType: Payment Entry,Payment Deductions or Loss,付款扣除或損失 DocType: Soil Analysis,Soil Analysis Criterias,土壤分析標準 apps/erpnext/erpnext/config/settings.py,Standard contract terms for Sales or Purchase.,銷售或採購的標準合同條款。 +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Removed in {0},在{0}中刪除的行 DocType: Shift Type,Begin check-in before shift start time (in minutes),在班次開始時間(以分鐘為單位)開始辦理登機手續 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher,集團透過券 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.js,Are you sure you want to cancel this appointment?,你確定要取消這個預約嗎? @@ -3573,11 +3615,11 @@ apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,No apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Salary Slip of employee {0} already created for this period,員工的工資單{0}已為這一時期創建 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Pharmaceutical,製藥 apps/erpnext/erpnext/hr/doctype/leave_encashment/leave_encashment.py,You can only submit Leave Encashment for a valid encashment amount,您只能提交離開封存以獲得有效的兌換金額 +apps/erpnext/erpnext/public/js/hub/pages/SellerItems.vue,Items by ,項目由 apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py,Cost of Purchased Items,購買的物品成本 DocType: Employee Separation,Employee Separation Template,員工分離模板 DocType: Selling Settings,Sales Order Required,銷售訂單需求 apps/erpnext/erpnext/public/js/hub/marketplace.js,Become a Seller,成為賣家 -DocType: Shift Type,The number of occurrence after which the consequence is executed.,執行結果的發生次數。 ,Procurement Tracker,採購跟踪器 DocType: Purchase Invoice,Credit To,信貸 apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,ITC Reversed,ITC逆轉 @@ -3589,6 +3631,7 @@ DocType: Quality Meeting,Agenda,議程 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,維護計劃細節 DocType: Supplier Scorecard,Warn for new Purchase Orders,警告新的採購訂單 DocType: Quality Inspection Reading,Reading 9,9閱讀 +apps/erpnext/erpnext/config/integrations.py,Connect your Exotel Account to ERPNext and track call logs,將您的Exotel帳戶連接到ERPNext並跟踪通話記錄 DocType: Supplier,Is Frozen,就是冰凍 DocType: Tally Migration,Processed Files,已處理的文件 apps/erpnext/erpnext/stock/utils.py,Group node warehouse is not allowed to select for transactions,組節點倉庫不允許選擇用於交易 @@ -3597,6 +3640,7 @@ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM編號為成品 DocType: Upload Attendance,Attendance To Date,出席會議日期 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,付款帳號 @@ -3621,8 +3665,6 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py,Price not found for item { apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Requestor,請求者 apps/erpnext/erpnext/utilities/transaction_base.py,Invalid reference {0} {1},無效的參考{0} {1} apps/erpnext/erpnext/config/buying.py,Rules for applying different promotional schemes.,適用不同促銷計劃的規則。 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1})不能大於計劃數量 -({2})生產訂單的 {3}" DocType: Shipping Rule,Shipping Rule Label,送貨規則標籤 DocType: Journal Entry Account,Payroll Entry,工資項目 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule.js,View Fees Records,查看費用記錄 @@ -3634,6 +3676,7 @@ DocType: Contract,Fulfilment Status,履行狀態 DocType: Lab Test Sample,Lab Test Sample,實驗室測試樣品 DocType: Item Variant Settings,Allow Rename Attribute Value,允許重命名屬性值 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Quick Journal Entry,快速日記帳分錄 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Amount,未來付款金額 apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js,You can not change rate if BOM mentioned agianst any item,你不能改變速度,如果BOM中提到反對的任何項目 DocType: Restaurant,Invoice Series Prefix,發票系列前綴 DocType: Employee,Previous Work Experience,以前的工作經驗 @@ -3661,6 +3704,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.js,La DocType: Project User,Project Status,項目狀態 DocType: UOM,Check this to disallow fractions. (for Nos),勾選此選項則禁止分數。 (對於NOS) DocType: Student Admission Program,Naming Series (for Student Applicant),命名系列(面向學生申請人) +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/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,從業者服務單位時間表 @@ -3676,6 +3720,7 @@ DocType: Fiscal Year,Year End Date,年份結束日期 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}關閉 @@ -3782,7 +3827,7 @@ apps/erpnext/erpnext/education/doctype/program_enrollment/program_enrollment.py, 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}。 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Row #{0} (Payment Table): Amount must be positive,行#{0}(付款表):金額必須為正值 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot produce more Item {0} than Sales Order quantity {1},無法產生更多的項目{0}不是銷售訂單數量{1} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot produce more Item {0} than Sales Order quantity {1},無法產生更多的項目{0}不是銷售訂單數量{1} apps/erpnext/erpnext/accounts/report/gross_and_net_profit_report/gross_and_net_profit_report.py,Nothing is included in gross,毛不包含任何內容 apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill already exists for this document,e-Way Bill已存在於本文件中 apps/erpnext/erpnext/stock/doctype/item/item.js,Select Attribute Values,選擇屬性值 @@ -3813,12 +3858,10 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Travel Request,Travel Type,旅行類型 DocType: Purchase Invoice Item,Manufacture,製造 apps/erpnext/erpnext/utilities/user_progress.py,Setup Company,安裝公司 -DocType: Shift Type,Enable Different Consequence for Early Exit,為早期退出啟用不同的後果 ,Lab Test Report,實驗室測試報告 DocType: Employee Benefit Application,Employee Benefit Application,員工福利申請 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Additional Salary Component Exists.,額外的薪資組件存在。 DocType: Purchase Invoice,Unregistered,未註冊 -apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please Delivery Note first,請送貨單第一 DocType: Student Applicant,Application Date,申請日期 DocType: Salary Component,Amount based on formula,量基於式 DocType: Purchase Invoice,Currency and Price List,貨幣和價格表 @@ -3844,12 +3887,14 @@ DocType: Salary Structure,Total Earning,總盈利 DocType: Purchase Receipt,Time at which materials were received,物料收到的時間 DocType: Products Settings,Products per Page,每頁產品 DocType: Stock Ledger Entry,Outgoing Rate,傳出率 +apps/erpnext/erpnext/public/js/purchase_trends_filters.js,Billing Date,結算日期 apps/erpnext/erpnext/accounts/utils.py,Allocated amount cannot be negative,分配數量不能為負數 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,公用事業費用 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}或已經對另一憑證匹配 DocType: Supplier Scorecard Criteria,Criteria Weight,標準重量 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Account: {0} is not permitted under Payment Entry,帳戶:付款條目下不允許{0} DocType: Production Plan,Ignore Existing Projected Quantity,忽略現有的預計數量 apps/erpnext/erpnext/patches/v11_0/add_default_email_template_for_leave.py,Leave Approval Notification,留下批准通知 DocType: Buying Settings,Default Buying Price List,預設採購價格表 @@ -3857,6 +3902,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/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,付款類型 apps/erpnext/erpnext/stock/doctype/batch/batch.py,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,請選擇項目{0}的批次。無法找到滿足此要求的單個批次 @@ -3884,6 +3930,7 @@ DocType: Shopping Cart Settings,Shopping Cart Settings,購物車設定 DocType: Journal Entry,Accounting Entries,會計分錄 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.",如果選定的定價規則是針對“費率”制定的,則會覆蓋價目表。定價規則費率是最終費率,因此不應再應用更多折扣。因此,在諸如銷售訂單,採購訂單等交易中,它將在'費率'字段中取代,而不是在'價格列表率'字段中取出。 +apps/erpnext/erpnext/education/doctype/instructor/instructor.py,Please setup Instructor Naming System in Education > Education Settings,請在教育>教育設置中設置教師命名系統 DocType: Journal Entry,Paid Loan,付費貸款 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,參考到期日 @@ -3899,12 +3946,14 @@ DocType: Shopify Settings,Webhooks Details,Webhooks詳細信息 apps/erpnext/erpnext/templates/pages/projects.html,No time sheets,沒有考勤表 DocType: GoCardless Mandate,GoCardless Customer,GoCardless客戶 apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py,Leave Type {0} cannot be carry-forwarded,休假類型{0}不能隨身轉發 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品代碼>商品分組>品牌 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Maintenance Schedule is not generated for all the items. Please click on 'Generate Schedule',維護計畫不會為全部品項生成。請點擊“生成表” ,To Produce,以生產 DocType: Leave Encashment,Payroll,工資表 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}也必須包括 DocType: Healthcare Service Unit,Parent Service Unit,家長服務單位 DocType: Packing Slip,Identification of the package for the delivery (for print),寄送包裹的識別碼(用於列印) +apps/erpnext/erpnext/support/doctype/issue/issue.js,Service Level Agreement was reset.,服務水平協議已重置。 DocType: Bin,Reserved Quantity,保留數量 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,請輸入有效的電子郵件地址 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html,Please enter valid email address,請輸入有效的電子郵件地址 @@ -3925,7 +3974,6 @@ apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_tax DocType: Pricing Rule,Price or Product Discount,價格或產品折扣 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.py,For row {0}: Enter planned qty,對於行{0}:輸入計劃的數量 DocType: Account,Income Account,收入帳戶 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Customer > Customer Group > Territory,客戶>客戶組>地區 DocType: Payment Request,Amount in customer's currency,量客戶的貨幣 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Delivery,交貨 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py,Assigning Structures...,分配結構...... @@ -3947,6 +3995,7 @@ apps/erpnext/erpnext/accounts/page/pos/pos.js,"LocalStorage is full, did not sav 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,參考 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?,您將失去先前生成的發票記錄。您確定要重新啟用此訂閱嗎? @@ -3995,11 +4044,10 @@ DocType: Additional Salary,HR User,HR用戶 DocType: Bank Guarantee,Reference Document Name,參考文件名稱 DocType: Purchase Invoice,Taxes and Charges Deducted,稅收和費用扣除 DocType: Support Settings,Issues,問題 -DocType: Shift Type,Early Exit Consequence after,提前退出後果 DocType: Loyalty Program,Loyalty Program Name,忠誠計劃名稱 apps/erpnext/erpnext/controllers/status_updater.py,Status must be one of {0},狀態必須是一個{0} apps/erpnext/erpnext/regional/doctype/gst_settings/gst_settings.py,Reminder to update GSTIN Sent,提醒更新GSTIN發送 -DocType: Sales Invoice,Debit To,借方 +DocType: Discounted Invoice,Debit To,借方 DocType: Restaurant Menu Item,Restaurant Menu Item,餐廳菜單項 DocType: Delivery Note,Required only for sample item.,只對樣品項目所需。 DocType: Stock Ledger Entry,Actual Qty After Transaction,交易後實際數量 @@ -4077,6 +4125,7 @@ DocType: Supplier Scorecard Scoring Variable,Parameter Name,參數名稱 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,只留下地位的申請“已批准”和“拒絕”,就可以提交 apps/erpnext/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py,Creating Dimensions...,創建尺寸...... apps/erpnext/erpnext/education/doctype/student_group_creation_tool/student_group_creation_tool.py,Student Group Name is mandatory in row {0},學生組名稱是強制性的行{0} +DocType: Customer Credit Limit,Bypass credit limit_check,繞過信用限額_檢查 DocType: Homepage,Products to be shown on website homepage,在網站首頁中顯示的產品 DocType: HR Settings,Password Policy,密碼政策 apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js,This is a root customer group and cannot be edited.,ERPNext是一個開源的基於Web的ERP系統,通過網路技術,向私人有限公司提供整合的工具,在一個小的組織管理大多數流程。有關Web註釋,或購買託管,想得到更多資訊,請連結 @@ -4133,10 +4182,10 @@ DocType: Packing Slip,If more than one package of the same type (for print),如 apps/erpnext/erpnext/restaurant/doctype/restaurant_order_entry/restaurant_order_entry.py,Please set default customer in Restaurant Settings,請在“餐廳設置”中設置默認客戶 ,Salary Register,薪酬註冊 DocType: Company,Default warehouse for Sales Return,銷售退貨的默認倉庫 -DocType: Warehouse,Parent Warehouse,家長倉庫 +DocType: Pick List,Parent Warehouse,家長倉庫 DocType: Subscription,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/production_order/production_order.py,Default BOM not found for Item {0} and Project {1},項目{0}和項目{1}找不到默認BOM +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}:請在付款時間表中設置付款方式 apps/erpnext/erpnext/config/non_profit.py,Define various loan types,定義不同的貸款類型 DocType: Bank Statement Transaction Invoice Item,Outstanding Amount,未償還的金額 @@ -4167,6 +4216,7 @@ DocType: Membership,Membership Status,成員身份 DocType: Promotional Scheme,Price Discount Slabs,價格折扣板 DocType: Stock Reconciliation Item,Current Serial No,目前的序列號 DocType: Employee,Attendance and Leave Details,出勤和離職詳情 +,BOM Comparison Tool,BOM比較工具 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,No Remarks,暫無產品說明 DocType: Asset,In Maintenance,在維護中 DocType: Amazon MWS Settings,Click this button to pull your Sales Order data from Amazon MWS.,單擊此按鈕可從亞馬遜MWS中提取銷售訂單數據。 @@ -4187,6 +4237,7 @@ apps/erpnext/erpnext/buying/report/procurement_tracker/procurement_tracker.py,Ma DocType: Service Level Agreement,Default Service Level Agreement,默認服務水平協議 DocType: SG Creation Tool Course,Course Code,課程代碼 apps/erpnext/erpnext/hr/utils.py,More than one selection for {0} not allowed,不允許對{0}進行多次選擇 +DocType: Pick List,Qty of raw materials will be decided based on the qty of the Finished Goods Item,原材料的數量將根據成品的數量來確定 DocType: Location,Parent Location,父位置 DocType: POS Settings,Use POS in Offline Mode,在離線模式下使用POS apps/erpnext/erpnext/support/doctype/issue/issue.py,Priority has been changed to {0}.,優先級已更改為{0}。 @@ -4205,7 +4256,7 @@ DocType: Stock Settings,Sample Retention Warehouse,樣品保留倉庫 DocType: Company,Default Receivable Account,預設應收帳款 apps/erpnext/erpnext/manufacturing/doctype/production_plan/production_plan.js,Projected Quantity Formula,預計數量公式 DocType: Sales Invoice,Deemed Export,被視為出口 -DocType: Stock Entry,Material Transfer for Manufacture,物料轉倉用於製造 +DocType: Pick List,Material Transfer for Manufacture,物料轉倉用於製造 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.,折扣百分比可以應用於單一價目表或所有價目表。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Accounting Entry for Stock,存貨的會計分錄 DocType: Lab Test,LabTest Approver,LabTest審批者 @@ -4245,7 +4296,6 @@ DocType: Training Event,Theory,理論 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Warning: Material Requested Qty is less than Minimum Order Qty,警告:物料需求的數量低於最少訂購量 apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py,Account {0} is frozen,帳戶{0}被凍結 DocType: Quiz Question,Quiz Question,測驗問題 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Supplier > Supplier Type,供應商>供應商類型 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",食品、飲料&煙草 @@ -4275,6 +4325,7 @@ 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,發布的項目 DocType: Account,Expense Account,費用帳戶 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Software,軟件 apps/erpnext/erpnext/setup/setup_wizard/operations/install_fixtures.py,Colour,顏色 @@ -4310,13 +4361,13 @@ 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,已創建所有銀行交易 DocType: Fee Validity,Visited yet,已訪問 +apps/erpnext/erpnext/public/js/hub/pages/FeaturedItems.vue,You can Feature upto 8 items.,最多可以包含8個項目。 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/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Please select {0},請選擇{0} DocType: C-Form,C-Form No,C-表格編號 -DocType: BOM,Exploded_items,Exploded_items 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,儲存溫度 @@ -4340,7 +4391,6 @@ DocType: Healthcare Service Unit Type,UOM Conversion in Hours,UOM按小時轉換 DocType: Contract,Signee Details,簽名詳情 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,"{0} currently has a {1} Supplier Scorecard standing, and RFQs to this supplier should be issued with caution.",{0}目前擁有{1}供應商記分卡,並且謹慎地向該供應商發出詢價。 DocType: Certified Consultant,Non Profit Manager,非營利經理 -DocType: BOM,Total Cost(Company Currency),總成本(公司貨幣) apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} created,序列號{0}創建 DocType: Homepage,Company Description for website homepage,公司介紹了網站的首頁 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",為方便客戶,這些代碼可以在列印格式,如發票和送貨單使用 @@ -4369,7 +4419,6 @@ DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,採購入 DocType: Amazon MWS Settings,Enable Scheduled Synch,啟用預定同步 apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py,To Datetime,以日期時間 apps/erpnext/erpnext/config/crm.py,Logs for maintaining sms delivery status,日誌維護短信發送狀態 -DocType: Shift Type,Early Exit Consequence,提前退出後果 DocType: Accounts Settings,Make Payment via Journal Entry,通過日記帳分錄進行付款 apps/erpnext/erpnext/controllers/item_variant.py,Please do not create more than 500 items at a time,請不要一次創建超過500個項目 DocType: Clinical Procedure Template,Clinical Procedure Template,臨床步驟模板 @@ -4478,6 +4527,7 @@ apps/erpnext/erpnext/hr/report/bank_remittance/bank_remittance.py,Employee A/C N DocType: Amazon MWS Settings,Customer Type,客戶類型 DocType: Compensatory Leave Request,Leave Allocation,排假 DocType: Payment Request,Recipient Message And Payment Details,收件人郵件和付款細節 +apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Please select a Delivery Note,請選擇送貨單 DocType: Support Search Source,Source DocType,源DocType apps/erpnext/erpnext/templates/pages/help.html,Open a new ticket,打開一張新票 DocType: Training Event,Trainer Email,教練電子郵件 @@ -4590,6 +4640,7 @@ apps/erpnext/erpnext/hr/doctype/loan/loan.py,Disbursed Amount cannot be greater 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,進行轉發葉 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,'From Date' must be after 'To Date',“起始日期”必須經過'終止日期' apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.js,No Staffing Plans found for this Designation,本指定沒有發現人員配備計劃 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Batch {0} of Item {1} is disabled.,項目{1}的批處理{0}已禁用。 @@ -4609,7 +4660,7 @@ DocType: Sales Invoice,Customer's Purchase Order,客戶採購訂單 apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py,Bypass credit check at Sales Order ,在銷售訂單旁通過信用檢查 DocType: Employee Onboarding Activity,Employee Onboarding Activity,員工入職活動 DocType: Location,Check if it is a hydroponic unit,檢查它是否是水培單位 -DocType: Stock Reconciliation Item,Serial No and Batch,序列號和批次 +DocType: Pick List Item,Serial No and Batch,序列號和批次 DocType: Warranty Claim,From Company,從公司 apps/erpnext/erpnext/education/doctype/assessment_plan/assessment_plan.py,Sum of Scores of Assessment Criteria needs to be {0}.,評估標準的得分之和必須是{0}。 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please set Number of Depreciations Booked,請設置折舊數預訂 @@ -4633,7 +4684,6 @@ 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/accounts/doctype/sales_invoice/sales_invoice.py,No {0} found for Inter Company Transactions.,Inter公司沒有找到{0}。 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,credit_note_amt,credit_note_amt DocType: Travel Itinerary,Rented Car,租車 apps/erpnext/erpnext/public/js/hub/components/profile_dialog.js,About your Company,關於貴公司 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Credit To account must be a Balance Sheet account,信用帳戶必須是資產負債表科目 @@ -4664,11 +4714,13 @@ DocType: Loyalty Point Entry Redemption,Loyalty Point Entry Redemption,忠誠度 apps/erpnext/erpnext/config/accounting.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,將建議此倉庫下的項目 DocType: Purchase Invoice,N,ñ apps/erpnext/erpnext/education/report/assessment_plan_status/assessment_plan_status.py,Remaining,剩餘 DocType: Appraisal,Appraisal,評價 DocType: Loan,Loan Account,貸款帳戶 apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py,Valid from and valid upto fields are mandatory for the cumulative,有效且有效的最多字段對於累積是必需的 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.py,"For item {0} at row {1}, count of serial numbers does not match with the picked quantity",對於行{1}處的項目{0},序列號計數與拾取的數量不匹配 DocType: Purchase Invoice,GST Details,消費稅細節 apps/erpnext/erpnext/healthcare/doctype/healthcare_practitioner/healthcare_practitioner_dashboard.py,This is based on transactions against this Healthcare Practitioner.,這是基於針對此醫療保健從業者的交易。 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py,Email sent to supplier {0},電子郵件發送到供應商{0} @@ -4729,6 +4781,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Delivery warehouse required for stock item {0},需要的庫存項目交割倉庫{0} DocType: Packing Slip,The gross weight of the package. Usually net weight + packaging material weight. (for print),包裹的總重量。通常為淨重+包裝材料的重量。 (用於列印) DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,具有此角色的用戶可以設置凍結帳戶,並新增/修改對凍結帳戶的會計分錄 +DocType: Plaid Settings,Plaid Environment,格子環境 ,Project Billing Summary,項目開票摘要 DocType: Vital Signs,Cuts,削減 DocType: Serial No,Is Cancelled,被註銷 @@ -4788,7 +4841,6 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Serial No {0} does not apps/erpnext/erpnext/controllers/status_updater.py,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,注:系統將不檢查過交付和超額預訂的項目{0}的數量或金額為0 DocType: Issue,Opening Date,開幕日期 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Please save the patient first,請先保存患者 -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,Make New Contact,建立新的聯繫 apps/erpnext/erpnext/education/api.py,Attendance has been marked successfully.,出席已成功標記。 DocType: Sales Invoice,GST Vehicle Type,GST車型 DocType: Soil Texture,Silt Composition (%),粉塵成分(%) @@ -4814,6 +4866,7 @@ apps/erpnext/erpnext/config/accounting.py,Bills raised by Suppliers.,由供應 DocType: POS Profile,Write Off Account,核銷帳戶 DocType: Patient Appointment,Get prescribed procedures,獲取規定的程序 DocType: Sales Invoice,Redemption Account,贖回賬戶 +apps/erpnext/erpnext/stock/doctype/pick_list/pick_list.js,First add items in the Item Locations table,首先在“項目位置”表中添加項目 DocType: Pricing Rule,Discount Amount,折扣金額 DocType: Pricing Rule,Period Settings,期間設置 DocType: Purchase Invoice,Return Against Purchase Invoice,回到對採購發票 @@ -4845,7 +4898,6 @@ DocType: Assessment Plan,Assessment Plan,評估計劃 DocType: Travel Request,Fully Sponsored,完全贊助 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Reverse Journal Entry,反向日記帳分錄 apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Job Card,創建工作卡 -DocType: Shift Type,Consequence after,之後的後果 DocType: Quality Procedure Process,Process Description,進度解析 apps/erpnext/erpnext/healthcare/doctype/patient/patient.py,Customer {0} is created.,客戶{0}已創建。 apps/erpnext/erpnext/stock/dashboard/item_dashboard.js, Currently no stock available in any warehouse,目前任何倉庫沒有庫存 @@ -4875,6 +4927,7 @@ DocType: Appraisal Goal,Weightage (%),權重(%) DocType: Bank Reconciliation Detail,Clearance Date,清拆日期 apps/erpnext/erpnext/education/report/course_wise_assessment_report/course_wise_assessment_report.html,Assessment Report,評估報告 apps/erpnext/erpnext/hr/doctype/payroll_entry/payroll_entry.js,Get Employees,獲得員工 +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,公司名稱不一樣 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Party is mandatory,黨是強制性 @@ -4957,7 +5010,6 @@ DocType: Stock Settings,Use Naming Series,使用命名系列 apps/erpnext/erpnext/quality_management/doctype/quality_review/quality_review_list.js,No Action,沒有行動 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js,Valuation type charges can not marked as Inclusive,估值類型罪名不能標記為包容性 DocType: POS Profile,Update Stock,庫存更新 -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/stock/doctype/packing_slip/packing_slip.js,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,不同計量單位的項目會導致不正確的(總)淨重值。確保每個項目的淨重是在同一個計量單位。 DocType: Certification Application,Payment Details,付款詳情 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py,BOM Rate,BOM率 @@ -4992,7 +5044,6 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py,Batc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js,This is a root sales person and cannot be edited.,您可以通過選擇備份頻率啟動和\ DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",如果選擇此項,則在此組件中指定或計算的值不會對收入或扣除貢獻。但是,它的值可以被添加或扣除的其他組件引用。 DocType: Salary Component,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ",如果選擇此項,則在此組件中指定或計算的值不會對收入或扣除貢獻。但是,它的值可以被添加或扣除的其他組件引用。 -DocType: Asset Settings,Number of Days in Fiscal Year,會計年度的天數 ,Stock Ledger,庫存總帳 DocType: Company,Exchange Gain / Loss Account,兌換收益/損失帳戶 DocType: Amazon MWS Settings,MWS Credentials,MWS憑證 @@ -5026,6 +5077,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py,{0}: From DocType: Bank Transaction Mapping,Column in Bank File,銀行文件中的列 apps/erpnext/erpnext/education/doctype/student_leave_application/student_leave_application.py,Leave application {0} already exists against the student {1},對學生{1}已經存在申請{0} apps/erpnext/erpnext/manufacturing/doctype/bom_update_tool/bom_update_tool.py,Queued for updating latest price in all Bill of Materials. It may take a few minutes.,排隊更新所有材料清單中的最新價格。可能需要幾分鐘。 +DocType: Pick List,Get Item Locations,獲取物品位置 apps/erpnext/erpnext/accounts/doctype/account/account_tree.js,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,新帳戶的名稱。注:請不要創建帳戶的客戶和供應商 DocType: POS Profile,Display Items In Stock,顯示庫存商品 apps/erpnext/erpnext/config/settings.py,Country wise default Address Templates,依據國家別啟發式的預設地址模板 @@ -5046,6 +5098,7 @@ apps/erpnext/erpnext/config/settings.py,Data Import and Export,資料輸入和 DocType: Bank Account,Account Details,帳戶細節 apps/erpnext/erpnext/education/doctype/student_group/student_group.py,No students Found,沒有發現學生 DocType: Clinical Procedure,Medical Department,醫學系 +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py,Total Early Exits,早期退出總額 DocType: Supplier Scorecard Scoring Criteria,Supplier Scorecard Scoring Criteria,供應商記分卡評分標準 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py,Invoice Posting Date,發票發布日期 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py,Sell,賣 @@ -5057,11 +5110,10 @@ 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ - to cancel this document","請刪除員工{0} \以取消此文檔" DocType: Program Enrollment,School House,學校議院 DocType: Serial No,Out of AMC,出資產管理公司 DocType: Opportunity,Opportunity Amount,機會金額 +apps/erpnext/erpnext/public/js/hub/Sidebar.vue,Your Profile,您的個人資料 apps/erpnext/erpnext/assets/doctype/asset/asset.py,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,預訂折舊數不能超過折舊總數更大 DocType: Purchase Order,Order Confirmation Date,訂單確認日期 apps/erpnext/erpnext/setup/doctype/item_group/item_group.py,All Products,所有產品 @@ -5147,7 +5199,6 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.htm apps/erpnext/erpnext/accounts/doctype/share_transfer/share_transfer.py,"There are inconsistencies between the rate, no of shares and the amount calculated",費率,股份數量和計算的金額之間不一致 apps/erpnext/erpnext/hr/doctype/compensatory_leave_request/compensatory_leave_request.py,You are not present all day(s) between compensatory leave request days,您在補休請求日之間不是全天 apps/erpnext/erpnext/setup/doctype/company/company.js,Please re-type company name to confirm,請確認重新輸入公司名稱 -apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Outstanding Amt,總街貨量金額 DocType: Journal Entry,Printing Settings,列印設定 DocType: Payment Order,Payment Order Type,付款訂單類型 DocType: Employee Advance,Advance Account,預付帳戶 @@ -5233,7 +5284,6 @@ apps/erpnext/erpnext/education/doctype/course_enrollment/course_enrollment.py,St DocType: Fiscal Year,Year Name,年份名稱 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,There are more holidays than working days this month.,還有比這個月工作日更多的假期。 apps/erpnext/erpnext/controllers/buying_controller.py,Following items {0} are not marked as {1} item. You can enable them as {1} item from its Item master,以下項{0}未標記為{1}項。您可以從項目主文件中將它們作為{1}項啟用 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,PDC/LC Ref,PDC / LC參考 DocType: Production Plan Item,Product Bundle Item,產品包項目 DocType: Sales Partner,Sales Partner Name,銷售合作夥伴名稱 apps/erpnext/erpnext/hooks.py,Request for Quotations,索取報價 @@ -5242,7 +5292,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_account/test_bank_account.py,BankAcco DocType: Normal Test Items,Normal Test Items,正常測試項目 DocType: QuickBooks Migrator,Company Settings,公司設置 DocType: Additional Salary,Overwrite Salary Structure Amount,覆蓋薪資結構金額 -apps/erpnext/erpnext/config/hr.py,Leaves,樹葉 +DocType: Leave Ledger Entry,Leaves,樹葉 DocType: Student Language,Student Language,學生語言 DocType: Cash Flow Mapping,Is Working Capital,是營運資本 apps/erpnext/erpnext/hr/doctype/employee_tax_exemption_declaration/employee_tax_exemption_declaration.js,Submit Proof,提交證明 @@ -5250,12 +5300,10 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py,Order/Quot %,訂單/報價% apps/erpnext/erpnext/config/healthcare.py,Record Patient Vitals,記錄患者維生素 DocType: Fee Schedule,Institution,機構 -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: Asset,Partially Depreciated,部分貶抑 DocType: Issue,Opening Time,開放時間 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py,From and To dates required,需要起始和到達日期 apps/erpnext/erpnext/setup/setup_wizard/data/industry_type.py,Securities & Commodity Exchanges,證券及商品交易所 -apps/erpnext/erpnext/crm/doctype/utils.py,Call Summary by {0}: {1},按{0}調用摘要:{1} apps/erpnext/erpnext/templates/pages/search_help.py,Docs Search,Google文檔搜索 apps/erpnext/erpnext/stock/doctype/item/item.py,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',測度變異的默認單位“{0}”必須是相同模板“{1}” DocType: Shipping Rule,Calculate Based On,計算的基礎上 @@ -5298,6 +5346,7 @@ apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,'Da DocType: Plant Analysis Criteria,Maximum Permissible Value,最大允許值 DocType: Journal Entry Account,Employee Advance,員工晉升 DocType: Payroll Entry,Payroll Frequency,工資頻率 +DocType: Plaid Settings,Plaid Client ID,格子客戶端ID DocType: Lab Test Template,Sensitivity,靈敏度 DocType: Plaid Settings,Plaid Settings,格子設置 apps/erpnext/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py,Sync has been temporarily disabled because maximum retries have been exceeded,暫時禁用了同步,因為已超出最大重試次數 @@ -5364,6 +5413,7 @@ apps/erpnext/erpnext/utilities/activation.py,Create Quotation,建立報價 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py,You are not authorized to approve leaves on Block Dates,在限制的日期,您無權批准休假 apps/erpnext/erpnext/stock/doctype/material_request/material_request.py,{0} Request for {1},{0}申請{1} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,All these items have already been invoiced,所有這些項目已開具發票 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1} which qualify the filters you have specified.,未找到符合您指定的過濾條件的{0} {1}的未結髮票。 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Set New Release Date,設置新的發布日期 DocType: Company,Monthly Sales Target,每月銷售目標 apps/erpnext/erpnext/accounts/doctype/exchange_rate_revaluation/exchange_rate_revaluation.py,No outstanding invoices found,沒有找到未完成的發票 @@ -5406,6 +5456,7 @@ DocType: Water Analysis,Type of Sample,樣品類型 DocType: Batch,Source Document Name,源文檔名稱 DocType: Production Plan,Get Raw Materials For Production,獲取生產原料 DocType: Job Opening,Job Title,職位 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Future Payment Ref,未來付款參考 apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.py,"{0} indicates that {1} will not provide a quotation, but all items \ have been quoted. Updating the RFQ quote status.",{0}表示{1}不會提供報價,但所有項目都已被引用。更新詢價狀態。 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py,Maximum Samples - {0} have already been retained for Batch {1} and Item {2} in Batch {3}.,批次{1}和批次{3}中的項目{2}已保留最大樣本數量{0}。 @@ -5415,10 +5466,8 @@ DocType: Healthcare Settings,Clinical Procedure Consumable Item,臨床程序消 apps/erpnext/erpnext/utilities/activation.py,Create Users,創建用戶 DocType: Employee Tax Exemption Category,Max Exemption Amount,最高免稅額 apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py,Subscriptions,訂閱 -DocType: Company,Product Code,產品代碼 DocType: Education Settings,Make Academic Term Mandatory,強制學術期限 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Quantity to Manufacture must be greater than 0.,量生產必須大於0。 -DocType: Asset Settings,Calculate Prorated Depreciation Schedule Based on Fiscal Year,根據會計年度計算折舊折舊計劃 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Quantity to Manufacture must be greater than 0.,量生產必須大於0。 apps/erpnext/erpnext/config/crm.py,Visit report for maintenance call.,訪問報告維修電話。 DocType: Stock Entry,Update Rate and Availability,更新率和可用性 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個單位量。 @@ -5430,7 +5479,6 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Expen apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py,Release date must be in the future,發布日期必須在將來 DocType: BOM,Website Description,網站簡介 apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py,Net Change in Equity,在淨資產收益變化 -apps/erpnext/erpnext/assets/doctype/asset/asset.py,Please cancel Purchase Invoice {0} first,請取消採購發票{0}第一 apps/erpnext/erpnext/healthcare/doctype/healthcare_service_unit_type/healthcare_service_unit_type.py,Not permitted. Please disable the Service Unit Type,不允許。請禁用服務單位類型 apps/erpnext/erpnext/crm/doctype/lead/lead.py,"Email Address must be unique, already exists for {0}",電子郵件地址必須是唯一的,已經存在了{0} DocType: Serial No,AMC Expiry Date,AMC到期時間 @@ -5472,6 +5520,7 @@ DocType: Pricing Rule,Price Discount Scheme,價格折扣計劃 apps/erpnext/erpnext/assets/doctype/asset_maintenance_log/asset_maintenance_log.py,Maintenance Status has to be Cancelled or Completed to Submit,維護狀態必須取消或完成提交 DocType: Amazon MWS Settings,US,我們 DocType: Holiday List,Add Weekly Holidays,添加每週假期 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report Item,報告項目 DocType: Staffing Plan Detail,Vacancies,職位空缺 DocType: Hotel Room,Hotel Room,旅館房間 apps/erpnext/erpnext/accounts/doctype/budget/budget.py,Account {0} does not belongs to company {1},帳戶{0}不屬於公司{1} @@ -5521,12 +5570,15 @@ DocType: Email Digest,Open Quotations,打開報價單 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/hr/doctype/employee_transfer/employee_transfer.py,"Please delete the Employee {0}\ + to cancel this document","請刪除員工{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,基本金額 @@ -5536,6 +5588,7 @@ apps/erpnext/erpnext/public/js/hub/hub_call.js,Marketplace Error,市場錯誤 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py,Warehouse required for stock Item {0},倉庫需要現貨產品{0} apps/erpnext/erpnext/patches/v11_0/create_department_records_for_each_company.py,All Departments,所有部門 DocType: Patient,Alcohol Past Use,酒精過去使用 +apps/erpnext/erpnext/public/js/hub/pages/Seller.vue,No description,沒有說明 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js,Cr,鉻 DocType: Tax Rule,Billing State,計費狀態 DocType: Quality Goal,Monitoring Frequency,監測頻率 @@ -5553,6 +5606,7 @@ apps/erpnext/erpnext/hotels/report/hotel_room_occupancy/hotel_room_occupancy.py, apps/erpnext/erpnext/crm/doctype/lead/lead.py,Ends On date cannot be before Next Contact Date.,結束日期不能在下一次聯繫日期之前。 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Batch Entries,批量條目 DocType: Journal Entry,Pay To / Recd From,支付/ 接收 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Unpublish Item,取消發布項目 DocType: Naming Series,Setup Series,設置系列 DocType: Payment Reconciliation,To Invoice Date,要發票日期 DocType: Bank Account,Contact HTML,聯繫HTML @@ -5573,6 +5627,7 @@ DocType: Cheque Print Template,Message to show,信息顯示 DocType: Student Attendance,Absent,缺席 DocType: Staffing Plan,Staffing Plan Detail,人員配置計劃詳情 DocType: Employee Promotion,Promotion Date,促銷日期 +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,Leave allocation %s is linked with leave application %s,請假分配%s與請假申請%s相關聯 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} @@ -5602,9 +5657,11 @@ DocType: Chapter Member,Leave Reason,離開原因 apps/erpnext/erpnext/accounts/doctype/bank_account/bank_account.py,IBAN is not valid,IBAN無效 apps/erpnext/erpnext/accounts/doctype/subscription/subscription.py,Invoice {0} no longer exists,發票{0}不再存在 DocType: Guardian Interest,Guardian Interest,衛利息 +apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.py,Leave application is linked with leave allocations {0}. Leave application cannot be set as leave without pay,請假申請與請假分配{0}相關聯。請假申請不能設置為無薪休假 apps/erpnext/erpnext/config/retail.py,Setup default values for POS Invoices,設置POS發票的默認值 DocType: Employee Training,Training,訓練 DocType: Project,Time to send,發送時間 +apps/erpnext/erpnext/public/js/hub/pages/Selling.vue,This page keeps track of your items in which buyers have showed some interest.,此頁面會跟踪您的商品,其中買家已表現出一些興趣。 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電子郵件ID @@ -5692,12 +5749,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_statement_transaction_entry/bank_stat apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py,Opening Value,開度值 DocType: Salary Component,Formula,式 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py,Serial #,序列號 -apps/erpnext/erpnext/hr/doctype/employee/employee.py,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 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/setup/doctype/company/company.py,Sales Account,銷售帳戶 DocType: Purchase Invoice Item,Total Weight,總重量 +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} @@ -5720,6 +5777,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js,Invalid quantity DocType: Company,Default Employee Advance Account,默認員工高級帳戶 apps/erpnext/erpnext/selling/page/point_of_sale/point_of_sale.js,Search Item (Ctrl + i),搜索項目(Ctrl + i) apps/erpnext/erpnext/accounts/doctype/account/account.py,Account with existing transaction can not be deleted,帳戶與現有的交易不能被刪除 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Why do think this Item should be removed?,為什麼要認為這個項目應該刪除? DocType: Vehicle,Last Carbon Check,最後檢查炭 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Legal Expenses,法律費用 apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js,Please select quantity on row ,請選擇行數量 @@ -5738,6 +5796,7 @@ apps/erpnext/erpnext/config/support.py,Service Level.,服務水平。 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Travel Expenses,差旅費 DocType: Maintenance Visit,Breakdown,展開 DocType: Travel Itinerary,Vegetarian,素 +DocType: Work Order,Update Consumed Material Cost In Project,更新項目中的消耗材料成本 apps/erpnext/erpnext/controllers/accounts_controller.py,Account: {0} with currency: {1} can not be selected,帳號:{0}幣種:{1}不能選擇 DocType: Bank Statement Transaction Settings Item,Bank Data,銀行數據 DocType: Purchase Receipt Item,Sample Quantity,樣品數量 @@ -5784,7 +5843,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: Plant Analysis,Collection Datetime,收集日期時間 DocType: Work Order,Total Operating Cost,總營運成本 -apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Note: Item {0} entered multiple times,注:項目{0}多次輸入 +apps/erpnext/erpnext/controllers/selling_controller.py,Note: Item {0} entered multiple times,注:項目{0}多次輸入 apps/erpnext/erpnext/config/buying.py,All Contacts.,所有聯絡人。 DocType: Accounting Period,Closed Documents,關閉的文件 DocType: Healthcare Settings,Manage Appointment Invoice submit and cancel automatically for Patient Encounter,管理約會發票提交並自動取消患者遭遇 @@ -5862,9 +5921,7 @@ DocType: Member,Membership Type,會員類型 ,Reqd By Date,REQD按日期 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts_with_account_number.py,Creditors,債權人 DocType: Assessment Plan,Assessment Name,評估名稱 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js,Show PDC in Print,在打印中顯示PDC apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Row # {0}: Serial No is mandatory,行#{0}:序列號是必需的 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,No outstanding invoices found for the {0} {1}.,未找到{0} {1}的未結髮票。 DocType: Purchase Taxes and Charges,Item Wise Tax Detail,項目智者稅制明細 DocType: Employee Onboarding,Job Offer,工作機會 apps/erpnext/erpnext/public/js/setup_wizard.js,Institute Abbreviation,研究所縮寫 @@ -5915,6 +5972,7 @@ DocType: Subscriber,Subscriber Name,訂戶名稱 DocType: Bank Statement Transaction Settings Item,Mapped Data Type,映射數據類型 DocType: BOM Update Tool,Replace,更換 apps/erpnext/erpnext/templates/includes/product_list.js,No products found.,找不到產品。 +apps/erpnext/erpnext/public/js/hub/pages/PublishedItems.vue,Publish More Items,發布更多項目 apps/erpnext/erpnext/support/doctype/issue/issue.py,This Service Level Agreement is specific to Customer {0},此服務級別協議特定於客戶{0} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,{0} against Sales Invoice {1},{0}針對銷售發票{1} DocType: Antibiotic,Laboratory User,實驗室用戶 @@ -5937,7 +5995,6 @@ DocType: Payment Order Reference,Bank Account Details,銀行賬戶明細 DocType: Purchase Order Item,Blanket Order,總訂單 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,所得稅資產 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order has been {0},生產訂單已經{0} DocType: BOM Item,BOM No,BOM No. 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,移動平均線 @@ -6006,6 +6063,7 @@ DocType: Item,"Example: ABCD.#####. If series is set and Batch No is not mention apps/erpnext/erpnext/regional/doctype/gstr_3b_report/gstr_3b_report.html,Outward taxable supplies(zero rated),外向應稅物資(零評級) DocType: BOM,Materials Required (Exploded),所需材料(分解) 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/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,發布日期不能是未來的日期 @@ -6056,7 +6114,6 @@ DocType: Pricing Rule,Same Item,相同的項目 DocType: Stock Ledger Entry,Stock Ledger Entry,庫存總帳條目 DocType: Quality Action Resolution,Quality Action Resolution,質量行動決議 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Half day Leave on {1},半天{0}離開{1} -apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py,Same item has been entered multiple times,同一項目已進入多次 DocType: Department,Leave Block List,休假區塊清單 DocType: Purchase Invoice,Tax ID,稅號 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py,Item {0} is not setup for Serial Nos. Column must be blank,項目{0}不是設定為序列號,此列必須為空白 @@ -6089,7 +6146,7 @@ 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}禁用或不存在 DocType: Purchase Invoice,Return,退貨 -DocType: Accounting Dimension,Disable,關閉 +DocType: Account,Disable,關閉 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py,Mode of payment is required to make a payment,付款方式需要進行付款 DocType: Task,Pending Review,待審核 apps/erpnext/erpnext/public/js/utils/item_quick_entry.js,"Edit in full page for more options like assets, serial nos, batches etc.",在整頁上編輯更多選項,如資產,序列號,批次等。 @@ -6194,7 +6251,6 @@ DocType: Payment Entry,Set Exchange Gain / Loss,設置兌換收益/損失 apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Combined invoice portion must equal 100%,合併發票部分必須等於100% DocType: Item Default,Default Expense Account,預設費用帳戶 DocType: GST Account,CGST Account,CGST賬戶 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js,Item Code > Item Group > Brand,商品代碼>商品分組>品牌 apps/erpnext/erpnext/education/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py,Student Email ID,學生的電子郵件ID DocType: POS Closing Voucher Invoices,POS Closing Voucher Invoices,POS關閉憑證發票 DocType: Tax Rule,Sales Tax Template,銷售稅模板 @@ -6204,6 +6260,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js,Update Cost Cen apps/erpnext/erpnext/accounts/page/pos/pos.js,Select items to save the invoice,選取要保存發票 DocType: Employee,Encashment Date,兌現日期 DocType: Training Event,Internet,互聯網 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Seller Information,賣家信息 DocType: Special Test Template,Special Test Template,特殊測試模板 DocType: Account,Stock Adjustment,庫存調整 apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py,Default Activity Cost exists for Activity Type - {0},默認情況下存在作業成本的活動類型 - {0} @@ -6216,7 +6273,6 @@ 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 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: Company,Bank Remittance Settings,銀行匯款設置 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,計劃 @@ -6243,6 +6299,7 @@ DocType: Grading Scale Interval,Threshold,閾 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js,Filter Employees By (Optional),過濾員工(可選) DocType: BOM Update Tool,Current BOM,當前BOM表 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html,Balance (Dr - Cr),平衡(Dr - Cr) +DocType: Pick List,Qty of Finished Goods Item,成品數量 apps/erpnext/erpnext/public/js/utils.js,Add Serial No,添加序列號 DocType: Work Order Item,Available Qty at Source Warehouse,源倉庫可用數量 apps/erpnext/erpnext/config/support.py,Warranty,保證 @@ -6315,13 +6372,14 @@ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,To Date shou DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",在這裡,你可以保持身高,體重,過敏,醫療問題等 apps/erpnext/erpnext/accounts/doctype/chart_of_accounts_importer/chart_of_accounts_importer.js,Creating Accounts...,創建帳戶...... DocType: Leave Block List,Applies to Company,適用於公司 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Cannot cancel because submitted Stock Entry {0} exists,不能取消,因為提交股票輸入{0}存在 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Cannot cancel because submitted Stock Entry {0} exists,不能取消,因為提交股票輸入{0}存在 DocType: Service Level Agreement,Agreement Details,協議細節 apps/erpnext/erpnext/support/doctype/service_level_agreement/service_level_agreement.py,Start Date of Agreement can't be greater than or equal to End Date.,協議的開始日期不得大於或等於結束日期。 DocType: BOM Update Tool,Update latest price in all BOMs,更新所有BOM的最新價格 apps/erpnext/erpnext/healthcare/doctype/patient/patient.js,Medical Record,醫療記錄 DocType: Vehicle,Vehicle,車輛 DocType: Purchase Invoice,In Words,大寫 +apps/erpnext/erpnext/hr/doctype/leave_ledger_entry/leave_ledger_entry.py,To date needs to be before from date,迄今為止需要在日期之前 apps/erpnext/erpnext/accounts/doctype/bank_guarantee/bank_guarantee.py,Enter the name of the bank or lending institution before submittting.,在提交之前輸入銀行或貸款機構的名稱。 apps/erpnext/erpnext/hr/doctype/training_result/training_result.py,{0} must be submitted,必須提交{0} DocType: POS Profile,Item Groups,項目組 @@ -6388,7 +6446,6 @@ DocType: Customer,Sales Team Details,銷售團隊詳細 apps/erpnext/erpnext/accounts/page/pos/pos.js,Delete permanently?,永久刪除? DocType: Expense Claim,Total Claimed Amount,總索賠額 apps/erpnext/erpnext/config/crm.py,Potential opportunities for selling.,潛在的銷售機會。 -DocType: Plaid Settings,Link a new bank account,關聯新的銀行帳戶 apps/erpnext/erpnext/hr/doctype/employee_checkin/employee_checkin.py,{} is an invalid Attendance Status.,{}是無效的出勤狀態。 DocType: Shareholder,Folio no.,Folio no。 apps/erpnext/erpnext/accounts/doctype/pricing_rule/utils.py,Invalid {0},無效的{0} @@ -6415,6 +6472,7 @@ DocType: Item,No of Months,沒有幾個月 DocType: Item,Max Discount (%),最大折讓(%) apps/erpnext/erpnext/accounts/doctype/payment_terms_template/payment_terms_template.py,Credit Days cannot be a negative number,信用日不能是負數 apps/erpnext/erpnext/accounts/page/bank_reconciliation/bank_reconciliation.js,Upload a statement,上傳聲明 +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Report this item,舉報此項目 DocType: Purchase Invoice Item,Service Stop Date,服務停止日期 apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py,Last Order Amount,最後訂單金額 DocType: Cash Flow Mapper,e.g Adjustments for:,例如調整: @@ -6499,16 +6557,15 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr DocType: Employee Tax Exemption Category,Employee Tax Exemption Category,員工免稅類別 apps/erpnext/erpnext/hr/doctype/additional_salary/additional_salary.py,Amount should not be less than zero.,金額不應小於零。 DocType: Sales Invoice,C-Form Applicable,C-表格適用 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Operation Time must be greater than 0 for Operation {0},運行時間必須大於0的操作{0} +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.py,Operation Time must be greater than 0 for Operation {0},運行時間必須大於0的操作{0} DocType: Support Search Source,Post Route String,郵政路線字符串 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py,Warehouse is mandatory,倉庫是強制性的 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Failed to create website,無法創建網站 DocType: Soil Analysis,Mg/K,鎂/ K DocType: UOM Conversion Detail,UOM Conversion Detail,計量單位換算詳細 apps/erpnext/erpnext/education/doctype/program/program_dashboard.py,Admission and Enrollment,入學和入學 -apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Retention Stock Entry already created or Sample Quantity not provided,已創建保留庫存條目或未提供“樣本數量” +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,Retention Stock Entry already created or Sample Quantity not provided,已創建保留庫存條目或未提供“樣本數量” DocType: Program,Program Abbreviation,計劃縮寫 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py,Production Order cannot be raised against a Item Template,生產訂單不能對一個項目提出的模板 apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py,Group by Voucher (Consolidated),按憑證分組(合併) DocType: HR Settings,Encrypt Salary Slips in Emails,加密電子郵件中的工資單 DocType: Question,Multiple Correct Answer,多個正確的答案 @@ -6552,7 +6609,6 @@ DocType: Purchase Invoice Item,Is nil rated or exempted,沒有評級或豁免 DocType: Employee,Educational Qualification,學歷 DocType: Workstation,Operating Costs,運營成本 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py,Currency for {0} must be {1},貨幣{0}必須{1} -DocType: Employee Checkin,Entry Grace Period Consequence,進入寬限期後果 DocType: Shift Type,Mark attendance based on 'Employee Checkin' for Employees assigned to this shift.,根據分配給此班次的員工的“員工簽到”標記出勤率。 DocType: Asset,Disposal Date,處置日期 DocType: Service Level,Response and Resoution Time,響應和資源時間 @@ -6597,6 +6653,7 @@ DocType: Salary Component,Is Tax Applicable,是否適用稅務? apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py,Fiscal Year {0} does not exist,會計年度{0}不存在 DocType: Purchase Invoice Item,Amount (Company Currency),金額(公司貨幣) DocType: Program,Is Featured,精選 +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Fetching...,正在獲取... DocType: Agriculture Analysis Criteria,Agriculture User,農業用戶 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: Fee Schedule,Student Category,學生組 @@ -6625,7 +6682,6 @@ DocType: Cost Center,Cost Center Name,成本中心名稱 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/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py,Total Paid Amt,數金額金額 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,消費稅商品銷售登記冊 @@ -6755,7 +6811,7 @@ DocType: Amazon MWS Settings,Synch Taxes and Charges,同步稅和費用 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/manufacturing/doctype/production_order/production_order.py,Default BOM for {0} not found,默認BOM {0}未找到 +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}:請設置再訂購數量 apps/erpnext/erpnext/public/js/pos/pos.html,Tap items to add them here,點擊項目將其添加到此處 @@ -6789,7 +6845,6 @@ DocType: Purchase Invoice,Y,ÿ DocType: Maintenance Visit,Maintenance Date,維修日期 DocType: Purchase Invoice Item,Rejected Serial No,拒絕序列號 apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py,Year start date or end date is overlapping with {0}. To avoid please set company,新年的開始日期或結束日期與{0}重疊。為了避免請將公司 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py,Please setup numbering series for Attendance via Setup > Numbering Series,請通過設置>編號系列設置出勤編號系列 apps/erpnext/erpnext/selling/doctype/customer/customer.py,Please mention the Lead Name in Lead {0},請提及潛在客戶名稱{0} apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py,Start date should be less than end date for Item {0},項目{0}的開始日期必須小於結束日期 DocType: Shift Type,Auto Attendance Settings,自動出勤設置 @@ -6799,8 +6854,10 @@ If series is set and Serial No is not mentioned in transactions, then automatic DocType: Upload Attendance,Upload Attendance,上傳考勤 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js,BOM and Manufacturing Quantity are required,BOM和生產量是必需的 apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js,Ageing Range 2,老齡範圍2 +apps/erpnext/erpnext/accounts/doctype/account/account.py,"Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
",子公司{1}中已存在帳戶{0}。以下字段具有不同的值,它們應該相同:
  • {2}
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py,Installing presets,安裝預置 apps/erpnext/erpnext/stock/doctype/delivery_trip/delivery_trip.js,No Delivery Note selected for Customer {},沒有為客戶{}選擇送貨單 +apps/erpnext/erpnext/manufacturing/page/bom_comparison_tool/bom_comparison_tool.js,Rows Added in {0},{0}中添加的行數 apps/erpnext/erpnext/hr/doctype/employee_benefit_claim/employee_benefit_claim.py,Employee {0} has no maximum benefit amount,員工{0}沒有最大福利金額 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js,Select Items based on Delivery Date,根據交付日期選擇項目 DocType: Grant Application,Has any past Grant Record,有過去的贈款記錄嗎? @@ -6869,6 +6926,7 @@ DocType: Authorization Rule,Customerwise Discount,Customerwise折扣 apps/erpnext/erpnext/config/projects.py,Timesheet for tasks.,時間表的任務。 DocType: Purchase Invoice,Against Expense Account,對費用帳戶 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py,Installation Note {0} has already been submitted,安裝注意{0}已提交 +DocType: BOM,Raw Material Cost (Company Currency),原材料成本(公司貨幣) apps/erpnext/erpnext/regional/india/utils.py,House rent paid days overlapping with {0},房屋租金支付天數與{0}重疊 DocType: Bank Reconciliation,Get Payment Entries,獲取付款項 DocType: Quotation Item,Against Docname,對Docname @@ -6908,14 +6966,16 @@ apps/erpnext/erpnext/config/non_profit.py,Donor Type information.,捐助者類 apps/erpnext/erpnext/healthcare/doctype/patient_appointment/patient_appointment.py,{0} on Leave on {1},{0}離開{1} DocType: Request for Quotation,Supplier Detail,供應商詳細 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Error in formula or condition: {0},誤差在式或條件:{0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Invoiced Amount,發票金額 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoiced Amount,發票金額 apps/erpnext/erpnext/buying/doctype/supplier_scorecard_period/supplier_scorecard_period.py,Criteria weights must add up to 100%,標準重量必須達100% apps/erpnext/erpnext/education/doctype/course_schedule/course_schedule.js,Attendance,出勤 apps/erpnext/erpnext/public/js/pos/pos.html,Stock Items,庫存產品 DocType: Sales Invoice,Update Billed Amount in Sales Order,更新銷售訂單中的結算金額 +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/public/js/hub/pages/Item.vue,Please login as a Marketplace User to report this item.,請以市場用戶身份登錄以報告此項目。 ,Sales Partner Commission Summary,銷售合作夥伴佣金摘要 ,Item Prices,產品價格 DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,採購訂單一被儲存,就會顯示出來。 @@ -6929,6 +6989,7 @@ apps/erpnext/erpnext/crm/doctype/email_campaign/email_campaign.py,Please set up apps/erpnext/erpnext/config/buying.py,Price List master.,價格表主檔 DocType: Task,Review Date,評論日期 DocType: BOM,Allow Alternative Item,允許替代項目 +apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js,Purchase Receipt doesn't have any Item for which Retain Sample is enabled.,購買收據沒有任何啟用了保留樣本的項目。 apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py,Invoice Grand Total,發票總計 DocType: Company,Series for Asset Depreciation Entry (Journal Entry),資產折舊條目系列(期刊條目) DocType: Membership,Member Since,成員自 @@ -6938,6 +6999,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js,Please sele DocType: Purchase Taxes and Charges,On Net Total,在總淨 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: Pricing Rule,Product Discount Scheme,產品折扣計劃 +apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue has been raised by the caller.,調用者沒有提出任何問題。 DocType: Restaurant Reservation,Waitlisted,輪候 DocType: Employee Tax Exemption Declaration Category,Exemption Category,豁免類別 apps/erpnext/erpnext/accounts/doctype/account/account.py,Currency can not be changed after making entries using some other currency,貨幣不能使用其他貨幣進行輸入後更改 @@ -6950,7 +7012,6 @@ DocType: Customer Group,Parent Customer Group,母客戶群組 apps/erpnext/erpnext/regional/india/utils.py,e-Way Bill JSON can only be generated from Sales Invoice,e-Way Bill JSON只能從銷售發票中生成 apps/erpnext/erpnext/education/doctype/quiz/quiz.py,Maximum attempts for this quiz reached!,達到此測驗的最大嘗試次數! apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js,Subscription,訂閱 -DocType: Purchase Invoice,Contact Email,聯絡電郵 apps/erpnext/erpnext/education/doctype/fee_schedule/fee_schedule_list.js,Fee Creation Pending,費用創作待定 DocType: Project Template Task,Duration (Days),持續時間(天) DocType: Appraisal Goal,Score Earned,得分 @@ -6973,7 +7034,6 @@ DocType: Landed Cost Item,Landed Cost Item,到岸成本項目 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/regional/india/bank_remittance.py,"Amount for a single transaction exceeds maximum allowed amount, create a separate payment order by splitting the transactions",單筆交易的金額超過最大允許金額,通過拆分交易創建單獨的付款訂單 DocType: Service Level Agreement,Entity,實體 DocType: Payment Reconciliation,Receivable / Payable Account,應收/應付賬款 DocType: Delivery Note Item,Against Sales Order Item,對銷售訂單項目 @@ -7131,6 +7191,7 @@ apps/erpnext/erpnext/hr/doctype/salary_structure_assignment/salary_structure_ass DocType: Quality Inspection Reading,Reading 3,閱讀3 DocType: Stock Entry,Source Warehouse Address,來源倉庫地址 DocType: GL Entry,Voucher Type,憑證類型 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html,Future Payments,未來付款 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 ,上次活動 @@ -7169,6 +7230,7 @@ apps/erpnext/erpnext/hr/doctype/attendance_request/attendance_request.py,Attenda DocType: POS Profile,Account for Change Amount,帳戶漲跌額 DocType: QuickBooks Migrator,Connecting to QuickBooks,連接到QuickBooks DocType: Exchange Rate Revaluation,Total Gain/Loss,總收益/損失 +apps/erpnext/erpnext/manufacturing/doctype/work_order/work_order.js,Create Pick List,創建選擇列表 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},行{0}:甲方/客戶不與匹配{1} / {2} {3} {4} DocType: Employee Promotion,Employee Promotion,員工晉升 DocType: Maintenance Team Member,Maintenance Team Member,維護團隊成員 @@ -7271,7 +7333,6 @@ DocType: Loan,Loan Type,貸款類型 DocType: Quality Goal,Quality Goal,質量目標 DocType: BOM,Item to be manufactured or repacked,產品被製造或重新包裝 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py,Syntax error in condition: {0},條件中的語法錯誤:{0} -apps/erpnext/erpnext/public/js/call_popup/call_popup.js,No issue raised by the customer.,客戶沒有提出任何問題。 DocType: Employee Education,Major/Optional Subjects,大/選修課 apps/erpnext/erpnext/accounts/doctype/opening_invoice_creation_tool/opening_invoice_creation_tool.py,Please Set Supplier Group in Buying Settings.,請設置供應商組購買設置。 DocType: Sales Invoice Item,Drop Ship,直接發運給客戶 @@ -7355,8 +7416,9 @@ apps/erpnext/erpnext/erpnext_integrations/doctype/tally_migration/tally_migratio DocType: Payment Term,Credit Days,信貸天 apps/erpnext/erpnext/healthcare/doctype/lab_test/lab_test.js,Please select Patient to get Lab Tests,請選擇患者以獲得實驗室測試 DocType: Exotel Settings,Exotel Settings,Exotel設置 -DocType: Leave Type,Is Carry Forward,是弘揚 +DocType: Leave Ledger Entry,Is Carry Forward,是弘揚 DocType: Shift Type,Working hours below which Absent is marked. (Zero to disable),缺席的工作時間標記為缺席。 (零禁用) +apps/erpnext/erpnext/public/js/hub/pages/Item.vue,Send a message,發送一個消息 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js,Get Items from BOM,從物料清單取得項目 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,是所得稅費用 From a8752db012ffa9222b6e9a18c152bcc776a5be10 Mon Sep 17 00:00:00 2001 From: Pranav Nachnekar Date: Mon, 16 Sep 2019 20:02:20 +0530 Subject: [PATCH 37/49] Typo and styling fixes Co-Authored-By: Shivam Mishra --- erpnext/crm/doctype/appointment/appointment.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/crm/doctype/appointment/appointment.py b/erpnext/crm/doctype/appointment/appointment.py index 3a588fbcd8..614a43c590 100644 --- a/erpnext/crm/doctype/appointment/appointment.py +++ b/erpnext/crm/doctype/appointment/appointment.py @@ -89,7 +89,7 @@ def _get_agent_list_as_strings(): def _check_agent_availability(agent_email,scheduled_time): - appointemnts_at_scheduled_time = frappe.get_list('Appointment', filters={'scheduled_time':scheduled_time}) + appointments_at_scheduled_time = frappe.get_list('Appointment', filters={'scheduled_time': scheduled_time}) for appointment in appointemnts_at_scheduled_time: if appointment._assign == agent_email: return False @@ -97,4 +97,4 @@ def _check_agent_availability(agent_email,scheduled_time): def _get_employee_from_user(user): - return frappe.get_list('Employee', fields='*',filters={'user_id':user}) \ No newline at end of file + return frappe.get_list('Employee', fields='*',filters={'user_id':user}) From 5d41e3848d77b3e6eca9e5b87076b90327ce8dc9 Mon Sep 17 00:00:00 2001 From: Mangesh-Khairnar Date: Tue, 17 Sep 2019 12:45:14 +0530 Subject: [PATCH 38/49] fix: do not submit depreciation journal entry when workflow is enabled (#19000) --- erpnext/assets/doctype/asset/depreciation.py | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/erpnext/assets/doctype/asset/depreciation.py b/erpnext/assets/doctype/asset/depreciation.py index 61108ec4a3..a9d3a48a18 100644 --- a/erpnext/assets/doctype/asset/depreciation.py +++ b/erpnext/assets/doctype/asset/depreciation.py @@ -67,7 +67,9 @@ def make_depreciation_entry(asset_name, date=None): }) je.flags.ignore_permissions = True - je.submit() + je.save() + if not je.meta.get_workflow(): + je.submit() d.db_set("journal_entry", je.name) From 6de526ff42ed6f336fce156384cb21c3c7723e45 Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Tue, 17 Sep 2019 12:49:52 +0530 Subject: [PATCH 39/49] fix: not able to change the account type in parent company account head (#19083) --- erpnext/accounts/doctype/account/account.py | 79 ++++++++++++--------- 1 file changed, 45 insertions(+), 34 deletions(-) diff --git a/erpnext/accounts/doctype/account/account.py b/erpnext/accounts/doctype/account/account.py index 1adc4c4d2f..7cca8d2003 100644 --- a/erpnext/accounts/doctype/account/account.py +++ b/erpnext/accounts/doctype/account/account.py @@ -100,7 +100,10 @@ class Account(NestedSet): if ancestors: if frappe.get_value("Company", self.company, "allow_account_creation_against_child_company"): return - frappe.throw(_("Please add the account to root level Company - %s" % ancestors[0])) + + 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 @@ -114,24 +117,7 @@ class Account(NestedSet): if not parent_acc_name_map: return - for company in descendants: - if not parent_acc_name_map.get(company): - frappe.throw(_("While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA") - .format(company, parent_acc_name)) - - doc = frappe.copy_doc(self) - doc.flags.ignore_root_company_validation = True - doc.update({ - "company": company, - # parent account's currency should be passed down to child account's curreny - # if it is None, it picks it up from default company currency, which might be unintended - "account_currency": self.account_currency, - "parent_account": parent_acc_name_map[company] - }) - if not self.check_if_child_acc_exists(doc): - doc.save() - frappe.msgprint(_("Account {0} is added in the child company {1}") - .format(doc.name, company)) + self.create_account_for_child_company(parent_acc_name_map, descendants) def validate_group_or_ledger(self): if self.get("__islocal"): @@ -173,23 +159,48 @@ class Account(NestedSet): if frappe.db.get_value("GL Entry", {"account": self.name}): frappe.throw(_("Currency can not be changed after making entries using some other currency")) - def check_if_child_acc_exists(self, doc): - ''' Checks if a account in parent company exists in the ''' - info = frappe.db.get_value("Account", { - "account_name": doc.account_name, - "account_number": doc.account_number - }, ['company', 'account_currency', 'is_group', 'root_type', 'account_type', 'balance_must_be', 'account_name'], as_dict=1) + def create_account_for_child_company(self, parent_acc_name_map, descendants): + for company in descendants: + if not parent_acc_name_map.get(company): + frappe.throw(_("While creating account for child Company {0}, parent account {1} not found. Please create the parent account in corresponding COA") + .format(company, parent_acc_name)) - if not info: - return + filters = { + "account_name": self.account_name, + "company": company + } - doc = vars(doc) - dict_diff = [k for k in info if k in doc and info[k] != doc[k] and k != "company"] - if dict_diff: - frappe.throw(_("Account {0} already exists in child company {1}. The following fields have different values, they should be same:
  • {2}
") - .format(info.account_name, info.company, '
  • '.join(dict_diff))) - else: - return True + if self.account_number: + 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 + doc.update({ + "company": company, + # parent account's currency should be passed down to child account's curreny + # if it is None, it picks it up from default company currency, which might be unintended + "account_currency": self.account_currency, + "parent_account": parent_acc_name_map[company] + }) + + doc.save() + frappe.msgprint(_("Account {0} is added in the child company {1}") + .format(doc.name, company)) + elif child_account: + # update the parent company's value in child companies + doc = frappe.get_doc("Account", child_account) + parent_value_changed = False + for field in ['account_type', 'account_currency', + 'freeze_account', 'balance_must_be']: + if doc.get(field) != self.get(field): + parent_value_changed = True + doc.set(field, self.get(field)) + + if parent_value_changed: + doc.save() def convert_group_to_ledger(self): if self.check_if_child_exists(): From c5c3860c5c05edfe2d2fb7edc3899f9453bd948c Mon Sep 17 00:00:00 2001 From: Deepesh Garg <42651287+deepeshgarg007@users.noreply.github.com> Date: Tue, 17 Sep 2019 12:50:28 +0530 Subject: [PATCH 40/49] fix: Mandatory accounting dimensions while creating asset depreciation entry (#19073) * fix: Mandatory accounting dimensions while creating asset depreciation entry * fix: Consider account types while assigning accounting dimensions --- .../accounting_dimension.py | 2 +- erpnext/assets/doctype/asset/depreciation.py | 26 ++++++++++++++++--- 2 files changed, 23 insertions(+), 5 deletions(-) diff --git a/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py b/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py index 59d7557b2a..af51fc5d8e 100644 --- a/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py +++ b/erpnext/accounts/doctype/accounting_dimension/accounting_dimension.py @@ -174,7 +174,7 @@ def get_accounting_dimensions(as_list=True): return accounting_dimensions def get_checks_for_pl_and_bs_accounts(): - dimensions = frappe.db.sql("""SELECT p.label, p.disabled, p.fieldname, c.company, c.mandatory_for_pl, c.mandatory_for_bs + dimensions = frappe.db.sql("""SELECT p.label, p.disabled, p.fieldname, c.default_dimension, c.company, c.mandatory_for_pl, c.mandatory_for_bs FROM `tabAccounting Dimension`p ,`tabAccounting Dimension Detail` c WHERE p.name = c.parent""", as_dict=1) diff --git a/erpnext/assets/doctype/asset/depreciation.py b/erpnext/assets/doctype/asset/depreciation.py index a9d3a48a18..e911e809c2 100644 --- a/erpnext/assets/doctype/asset/depreciation.py +++ b/erpnext/assets/doctype/asset/depreciation.py @@ -6,6 +6,7 @@ from __future__ import unicode_literals import frappe from frappe import _ from frappe.utils import flt, today, getdate, cint +from erpnext.accounts.doctype.accounting_dimension.accounting_dimension import get_checks_for_pl_and_bs_accounts def post_depreciation_entries(date=None): # Return if automatic booking of asset depreciation is disabled @@ -41,6 +42,8 @@ def make_depreciation_entry(asset_name, date=None): depreciation_cost_center = asset.cost_center or depreciation_cost_center + accounting_dimensions = get_checks_for_pl_and_bs_accounts() + for d in asset.get("schedules"): if not d.journal_entry and getdate(d.schedule_date) <= getdate(date): je = frappe.new_doc("Journal Entry") @@ -51,20 +54,35 @@ def make_depreciation_entry(asset_name, date=None): je.finance_book = d.finance_book je.remark = "Depreciation Entry against {0} worth {1}".format(asset_name, d.depreciation_amount) - je.append("accounts", { + credit_entry = { "account": accumulated_depreciation_account, "credit_in_account_currency": d.depreciation_amount, "reference_type": "Asset", "reference_name": asset.name - }) + } - je.append("accounts", { + debit_entry = { "account": depreciation_expense_account, "debit_in_account_currency": d.depreciation_amount, "reference_type": "Asset", "reference_name": asset.name, "cost_center": depreciation_cost_center - }) + } + + for dimension in accounting_dimensions: + if (asset.get(dimension['fieldname']) or dimension.get('mandatory_for_bs')): + credit_entry.update({ + dimension['fieldname']: asset.get(dimension['fieldname']) or dimension.get('default_dimension') + }) + + if (asset.get(dimension['fieldname']) or dimension.get('mandatory_for_pl')): + debit_entry.update({ + dimension['fieldname']: asset.get(dimension['fieldname']) or dimension.get('default_dimension') + }) + + je.append("accounts", credit_entry) + + je.append("accounts", debit_entry) je.flags.ignore_permissions = True je.save() From 4fe67236edb26d84665010f31470d64b15b01e76 Mon Sep 17 00:00:00 2001 From: Faris Ansari Date: Tue, 17 Sep 2019 12:57:51 +0530 Subject: [PATCH 41/49] fix: Python 3 fixes for MWS Connector (#18986) --- .../doctype/amazon_mws_settings/amazon_methods.py | 2 -- .../doctype/amazon_mws_settings/amazon_mws_api.py | 12 +++++++++--- 2 files changed, 9 insertions(+), 5 deletions(-) diff --git a/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py b/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py index 1c39d8818c..b9be9c0b9c 100644 --- a/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py +++ b/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_methods.py @@ -89,8 +89,6 @@ def request_and_fetch_report_id(report_type, start_date=None, end_date=None, mar end_date=end_date, marketplaceids=marketplaceids) - #add time delay to wait for amazon to generate report - time.sleep(20) report_request_id = report_response.parsed["ReportRequestInfo"]["ReportRequestId"]["value"] generated_report_id = None #poll to get generated report diff --git a/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_mws_api.py b/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_mws_api.py index cc4ccc5f4d..68c2b9c324 100755 --- a/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_mws_api.py +++ b/erpnext/erpnext_integrations/doctype/amazon_mws_settings/amazon_mws_api.py @@ -10,6 +10,7 @@ import urllib import hashlib import hmac import base64 +import six from erpnext.erpnext_integrations.doctype.amazon_mws_settings import xml_utils import re try: @@ -77,6 +78,7 @@ def remove_empty(d): return d def remove_namespace(xml): + xml = xml.decode('utf-8') regex = re.compile(' xmlns(:ns2)?="[^"]+"|(ns2:)|(xml:)') return regex.sub('', xml) @@ -172,9 +174,10 @@ class MWS(object): 'SignatureMethod': 'HmacSHA256', } params.update(extra_data) - request_description = '&'.join(['%s=%s' % (k, urllib.quote(params[k], safe='-_.~').encode('utf-8')) for k in sorted(params)]) + quote = urllib.quote if six.PY2 else urllib.parse.quote + request_description = '&'.join(['%s=%s' % (k, quote(params[k], safe='-_.~')) for k in sorted(params)]) signature = self.calc_signature(method, request_description) - url = '%s%s?%s&Signature=%s' % (self.domain, self.uri, request_description, urllib.quote(signature)) + url = '%s%s?%s&Signature=%s' % (self.domain, self.uri, request_description, quote(signature)) headers = {'User-Agent': 'python-amazon-mws/0.0.1 (Language=Python)'} headers.update(kwargs.get('extra_headers', {})) @@ -218,7 +221,10 @@ class MWS(object): """Calculate MWS signature to interface with Amazon """ sig_data = method + '\n' + self.domain.replace('https://', '').lower() + '\n' + self.uri + '\n' + request_description - return base64.b64encode(hmac.new(str(self.secret_key), sig_data, hashlib.sha256).digest()) + sig_data = sig_data.encode('utf-8') + secret_key = self.secret_key.encode('utf-8') + digest = hmac.new(secret_key, sig_data, hashlib.sha256).digest() + return base64.b64encode(digest).decode('utf-8') def get_timestamp(self): """ From 094612dc0220ccf388eef2b4452ce660fae30687 Mon Sep 17 00:00:00 2001 From: Rohit Waghchaure Date: Tue, 17 Sep 2019 13:04:28 +0530 Subject: [PATCH 42/49] fix: plc conversion issue for offline pos --- erpnext/accounts/doctype/sales_invoice/pos.py | 17 ++++++++++++++--- 1 file changed, 14 insertions(+), 3 deletions(-) diff --git a/erpnext/accounts/doctype/sales_invoice/pos.py b/erpnext/accounts/doctype/sales_invoice/pos.py index 7e23793700..261363c493 100755 --- a/erpnext/accounts/doctype/sales_invoice/pos.py +++ b/erpnext/accounts/doctype/sales_invoice/pos.py @@ -41,6 +41,8 @@ def get_pos_data(): items_list = get_items_list(pos_profile, doc.company) customers = get_customers_list(pos_profile) + doc.plc_conversion_rate = update_plc_conversion_rate(doc, pos_profile) + return { 'doc': doc, 'default_customer': pos_profile.get('customer'), @@ -53,7 +55,7 @@ def get_pos_data(): 'batch_no_data': get_batch_no_data(), 'barcode_data': get_barcode_data(items_list), 'tax_data': get_item_tax_data(), - 'price_list_data': get_price_list_data(doc.selling_price_list), + 'price_list_data': get_price_list_data(doc.selling_price_list, doc.plc_conversion_rate), 'customer_wise_price_list': get_customer_wise_price_list(), 'bin_data': get_bin_data(pos_profile), 'pricing_rules': get_pricing_rule_data(doc), @@ -62,6 +64,15 @@ def get_pos_data(): 'meta': get_meta() } +def update_plc_conversion_rate(doc, pos_profile): + conversion_rate = 1.0 + + price_list_currency = frappe.get_cached_value("Price List", doc.selling_price_list, "currency") + if pos_profile.get("currency") != price_list_currency: + conversion_rate = get_exchange_rate(price_list_currency, + pos_profile.get("currency"), nowdate(), args="for_selling") or 1.0 + + return conversion_rate def get_meta(): doctype_meta = { @@ -317,14 +328,14 @@ def get_item_tax_data(): return itemwise_tax -def get_price_list_data(selling_price_list): +def get_price_list_data(selling_price_list, conversion_rate): itemwise_price_list = {} price_lists = frappe.db.sql("""Select ifnull(price_list_rate, 0) as price_list_rate, item_code from `tabItem Price` ip where price_list = %(price_list)s""", {'price_list': selling_price_list}, as_dict=1) for item in price_lists: - itemwise_price_list[item.item_code] = item.price_list_rate + itemwise_price_list[item.item_code] = item.price_list_rate * conversion_rate return itemwise_price_list From 6b9b92afb0554ed3677e4f943f7df12e66777910 Mon Sep 17 00:00:00 2001 From: Suraj Shetty Date: Tue, 17 Sep 2019 13:22:40 +0530 Subject: [PATCH 43/49] fix: Return employee emails instead of employee --- erpnext/communication/doctype/call_log/call_log.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/communication/doctype/call_log/call_log.py b/erpnext/communication/doctype/call_log/call_log.py index 5343bef62c..5fe3c4edbb 100644 --- a/erpnext/communication/doctype/call_log/call_log.py +++ b/erpnext/communication/doctype/call_log/call_log.py @@ -60,7 +60,7 @@ def get_employees_with_number(number): employee_emails = [employee.user_id for employee in employees] frappe.cache().hset('employees_with_number', number, employee_emails) - return employee + return employee_emails def set_caller_information(doc, state): '''Called from hooks on creation of Lead or Contact''' From af2eac4334a4ccfbb428d88dce978ba6cfd4ae8a Mon Sep 17 00:00:00 2001 From: Suraj Shetty <13928957+surajshetty3416@users.noreply.github.com> Date: Tue, 17 Sep 2019 15:53:23 +0530 Subject: [PATCH 44/49] fix: Create error log if something goes wrong while call log creation (#19055) * fix: Create error log if something goes wrong while call log creation - For better debbugging * fix: Rollback if any error occurs during call log creation --- .../exotel_integration.py | 30 +++++++++++-------- 1 file changed, 18 insertions(+), 12 deletions(-) diff --git a/erpnext/erpnext_integrations/exotel_integration.py b/erpnext/erpnext_integrations/exotel_integration.py index 09c399e6aa..167fcb7165 100644 --- a/erpnext/erpnext_integrations/exotel_integration.py +++ b/erpnext/erpnext_integrations/exotel_integration.py @@ -1,5 +1,6 @@ import frappe import requests +from frappe import _ # api/method/erpnext.erpnext_integrations.exotel_integration.handle_incoming_call # api/method/erpnext.erpnext_integrations.exotel_integration.handle_end_call @@ -7,19 +8,24 @@ import requests @frappe.whitelist(allow_guest=True) def handle_incoming_call(**kwargs): - exotel_settings = get_exotel_settings() - if not exotel_settings.enabled: return + try: + exotel_settings = get_exotel_settings() + if not exotel_settings.enabled: return - call_payload = kwargs - status = call_payload.get('Status') - if status == 'free': - return + call_payload = kwargs + status = call_payload.get('Status') + if status == 'free': + return - call_log = get_call_log(call_payload) - if not call_log: - create_call_log(call_payload) - else: - update_call_log(call_payload, call_log=call_log) + call_log = get_call_log(call_payload) + if not call_log: + create_call_log(call_payload) + else: + update_call_log(call_payload, call_log=call_log) + except Exception as e: + frappe.db.rollback() + frappe.log_error(title=_('Error in Exotel incoming call')) + frappe.db.commit() @frappe.whitelist(allow_guest=True) def handle_end_call(**kwargs): @@ -101,4 +107,4 @@ def get_exotel_endpoint(action): api_token=settings.api_token, sid=settings.account_sid, action=action - ) \ No newline at end of file + ) From 627a3dcd6d74e561a52ae3d95ed864826e89199a Mon Sep 17 00:00:00 2001 From: Suraj Shetty <13928957+surajshetty3416@users.noreply.github.com> Date: Tue, 17 Sep 2019 15:54:41 +0530 Subject: [PATCH 45/49] feat: Default energy point rules (#19003) * feat: Add default energy point rules during install * fix: Add completed_by field to task doctype * fix: Rule data * fix: Add default rules for opportunity * fix: Add a patch to create default energy point rules * fix: Default success action message * fix: Use .items() instead of .iteritems() * fix: Add "create_default_energy_points" patch entry * fix: Reload Energy Point Rule to fix patch * fix: Import frappe --- .../crm/doctype/opportunity/opportunity.json | 1292 ++--------------- erpnext/patches.txt | 1 + .../create_default_energy_point_rules.py | 6 + erpnext/projects/doctype/task/task.json | 770 +++++----- erpnext/setup/default_energy_point_rules.py | 58 + erpnext/setup/default_success_action.py | 30 +- erpnext/setup/install.py | 13 + 7 files changed, 575 insertions(+), 1595 deletions(-) create mode 100644 erpnext/patches/v12_0/create_default_energy_point_rules.py create mode 100644 erpnext/setup/default_energy_point_rules.py diff --git a/erpnext/crm/doctype/opportunity/opportunity.json b/erpnext/crm/doctype/opportunity/opportunity.json index 121a336691..37f492ede6 100644 --- a/erpnext/crm/doctype/opportunity/opportunity.json +++ b/erpnext/crm/doctype/opportunity/opportunity.json @@ -1,1561 +1,453 @@ { - "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-07 18:50:30", - "custom": 0, "description": "Potential Sales Deal", - "docstatus": 0, "doctype": "DocType", "document_type": "Document", "editable_grid": 1, + "engine": "InnoDB", + "field_order": [ + "from_section", + "naming_series", + "opportunity_from", + "party_name", + "customer_name", + "column_break0", + "title", + "opportunity_type", + "status", + "converted_by", + "sales_stage", + "order_lost_reason", + "mins_to_first_response", + "next_contact", + "contact_by", + "contact_date", + "column_break2", + "to_discuss", + "section_break_14", + "currency", + "opportunity_amount", + "with_items", + "column_break_17", + "probability", + "items_section", + "items", + "contact_info", + "customer_address", + "address_display", + "territory", + "customer_group", + "column_break3", + "contact_person", + "contact_display", + "contact_email", + "contact_mobile", + "more_info", + "source", + "campaign", + "column_break1", + "company", + "transaction_date", + "amended_from", + "lost_reasons" + ], "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": "from_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": "", - "length": 0, - "no_copy": 0, - "options": "fa fa-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": "fa fa-user" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "default": "", - "fetch_if_empty": 0, "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": 1, - "in_standard_filter": 0, "label": "Series", - "length": 0, "no_copy": 1, "oldfieldname": "naming_series", "oldfieldtype": "Select", "options": "CRM-OPP-.YYYY.-", - "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": 1, - "translatable": 0, - "unique": 0 + "set_only_once": 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": "opportunity_from", "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": 1, "label": "Opportunity From", - "length": 0, - "no_copy": 0, "oldfieldname": "enquiry_from", "oldfieldtype": "Select", "options": "DocType", - "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": 0, - "translatable": 0, - "unique": 0 + "reqd": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, "bold": 1, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "fetch_if_empty": 0, "fieldname": "party_name", "fieldtype": "Dynamic 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": "Party", - "length": 0, - "no_copy": 0, "oldfieldname": "customer", "oldfieldtype": "Link", "options": "opportunity_from", - "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": 0, - "translatable": 0, - "unique": 0 + "reqd": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, "bold": 1, - "collapsible": 0, - "columns": 0, - "depends_on": "", - "fetch_from": "", - "fetch_if_empty": 0, "fieldname": "customer_name", "fieldtype": "Data", - "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": "Customer / Lead Name", - "length": 0, - "no_copy": 0, - "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 + "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": "column_break0", "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, "width": "50%" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "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": 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 + "no_copy": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "Sales", - "fetch_if_empty": 0, "fieldname": "opportunity_type", "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": "Opportunity Type", - "length": 0, - "no_copy": 0, "oldfieldname": "enquiry_type", "oldfieldtype": "Select", - "options": "Opportunity Type", - "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": "Opportunity Type" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "Open", - "fetch_if_empty": 0, "fieldname": "status", "fieldtype": "Select", - "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": "Status", - "length": 0, "no_copy": 1, "oldfieldname": "status", "oldfieldtype": "Select", "options": "Open\nQuotation\nConverted\nLost\nReplied\nClosed", - "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": 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, "depends_on": "eval:doc.status===\"Lost\"", - "fetch_if_empty": 0, "fieldname": "order_lost_reason", "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": "Lost Reason", - "length": 0, "no_copy": 1, - "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 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, "bold": 1, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "mins_to_first_response", "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": "Mins to first response", - "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": 1, "collapsible_depends_on": "contact_by", - "columns": 0, - "fetch_if_empty": 0, "fieldname": "next_contact", "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": "Follow Up", - "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": "Follow Up" }, { - "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": "contact_by", "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": "Next Contact By", - "length": 0, - "no_copy": 0, "oldfieldname": "contact_by", "oldfieldtype": "Link", "options": "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, "width": "75px" }, { - "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": "contact_date", "fieldtype": "Datetime", - "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": "Next Contact Date", - "length": 0, - "no_copy": 0, "oldfieldname": "contact_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 + "oldfieldtype": "Date" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "column_break2", "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, "width": "50%" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "to_discuss", "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": "To Discuss", - "length": 0, "no_copy": 1, "oldfieldname": "to_discuss", - "oldfieldtype": "Small 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 + "oldfieldtype": "Small Text" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "section_break_14", "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", - "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": "Sales" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "currency", "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": "Currency", - "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 + "options": "Currency" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "opportunity_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": "Opportunity Amount", - "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": "Opportunity Amount" }, { - "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": "with_items", "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": "With 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": "With Items" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "column_break_17", - "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": "Prospecting", - "fetch_if_empty": 0, "fieldname": "sales_stage", "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": "Sales Stage", - "length": 0, - "no_copy": 0, - "options": "Sales Stage", - "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": "Sales Stage" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "100", - "fetch_if_empty": 0, "fieldname": "probability", "fieldtype": "Percent", - "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": "Probability (%)", - "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": "Probability (%)" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "with_items", - "fetch_if_empty": 0, "fieldname": "items_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": "Items", - "length": 0, - "no_copy": 0, "oldfieldtype": "Section Break", - "options": "fa fa-shopping-cart", - "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": "fa fa-shopping-cart" }, { - "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": "items", "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": "Items", - "length": 0, - "no_copy": 0, "oldfieldname": "enquiry_details", "oldfieldtype": "Table", - "options": "Opportunity Item", - "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": "Opportunity Item" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, "collapsible": 1, "collapsible_depends_on": "next_contact_by", - "columns": 0, "depends_on": "eval:doc.party_name", - "fetch_if_empty": 0, "fieldname": "contact_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": "Contact Info", - "length": 0, - "no_copy": 0, - "options": "fa fa-bullhorn", - "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": "fa fa-bullhorn" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "eval:doc.party_name", - "fetch_if_empty": 0, "fieldname": "customer_address", "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": "Customer / Lead Address", - "length": 0, - "no_copy": 0, "options": "Address", - "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, - "fetch_if_empty": 0, "fieldname": "address_display", "fieldtype": "Small Text", "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": "Address", - "length": 0, - "no_copy": 0, "oldfieldname": "address", "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 + "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:", - "description": "", - "fetch_if_empty": 0, "fieldname": "territory", "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": "Territory", - "length": 0, - "no_copy": 0, "options": "Territory", - "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, "depends_on": "eval:doc.opportunity_from=='Customer' && doc.party_name", - "description": "", - "fetch_if_empty": 0, "fieldname": "customer_group", "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": "Customer Group", - "length": 0, - "no_copy": 0, "oldfieldname": "customer_group", "oldfieldtype": "Link", "options": "Customer Group", - "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": "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, - "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, "depends_on": "eval:doc.party_name", - "fetch_if_empty": 0, "fieldname": "contact_person", "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": "Contact Person", - "length": 0, - "no_copy": 0, "options": "Contact", - "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, "depends_on": "eval:doc.opportunity_from=='Customer' && doc.party_name", - "fetch_if_empty": 0, "fieldname": "contact_display", "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": "Contact", - "length": 0, - "no_copy": 0, - "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 + "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.party_name", - "fetch_if_empty": 0, "fieldname": "contact_email", "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": "Contact Email", - "length": 0, - "no_copy": 0, - "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 + "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.party_name", - "fetch_if_empty": 0, "fieldname": "contact_mobile", "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": "Contact Mobile No", - "length": 0, - "no_copy": 0, - "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 + "read_only": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, "collapsible": 1, - "collapsible_depends_on": "", - "columns": 0, - "fetch_if_empty": 0, "fieldname": "more_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": "Source", - "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 + "options": "fa fa-file-text" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 0, "fieldname": "source", "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": "Source", - "length": 0, - "no_copy": 0, "oldfieldname": "source", "oldfieldtype": "Select", - "options": "Lead Source", - "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": "Lead Source" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "depends_on": "eval: doc.source==\"Campaign\"", "description": "Enter name of campaign if source of enquiry is campaign", - "fetch_if_empty": 0, "fieldname": "campaign", "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": "Campaign", - "length": 0, - "no_copy": 0, "oldfieldname": "campaign", "oldfieldtype": "Link", - "options": "Campaign", - "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": "Campaign" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 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, "width": "50%" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 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": 0, "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 + "search_index": 1 }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "default": "Today", - "fetch_if_empty": 0, "fieldname": "transaction_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": "Opportunity Date", - "length": 0, - "no_copy": 0, "oldfieldname": "transaction_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": 0, - "set_only_once": 0, - "translatable": 0, - "unique": 0, "width": "50px" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fetch_if_empty": 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": "Data", "options": "Opportunity", - "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, "width": "150px" }, { - "allow_bulk_edit": 0, - "allow_in_quick_entry": 0, - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, "fieldname": "lost_reasons", "fieldtype": "Table MultiSelect", - "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": "Lost Reasons", - "length": 0, - "no_copy": 0, "options": "Lost Reason Detail", - "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 + }, + { + "fieldname": "converted_by", + "fieldtype": "Link", + "label": "Converted By", + "options": "User" } ], - "has_web_view": 0, - "hide_heading": 0, - "hide_toolbar": 0, "icon": "fa fa-info-sign", "idx": 195, - "image_view": 0, - "in_create": 0, - "is_submittable": 0, - "issingle": 0, - "istable": 0, - "max_attachments": 0, - "modified": "2019-06-19 19:03:32.740910", + "modified": "2019-09-12 09:37:30.127901", "modified_by": "Administrator", "module": "CRM", "name": "Opportunity", "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": 1, "role": "Sales 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": 1, - "permlevel": 0, "print": 1, "read": 1, "report": 1, "role": "Sales Manager", - "set_user_permissions": 0, "share": 1, - "submit": 0, "write": 1 } ], - "quick_entry": 0, - "read_only": 0, - "read_only_onload": 0, "search_fields": "status,transaction_date,party_name,opportunity_type,territory,company", "show_name_in_global_search": 1, "sort_field": "modified", "sort_order": "DESC", "timeline_field": "party_name", "title_field": "title", - "track_changes": 0, "track_seen": 1, "track_views": 1 } \ No newline at end of file diff --git a/erpnext/patches.txt b/erpnext/patches.txt index 7c1d8a034d..8b3da8e951 100644 --- a/erpnext/patches.txt +++ b/erpnext/patches.txt @@ -635,3 +635,4 @@ erpnext.patches.v12_0.remove_bank_remittance_custom_fields erpnext.patches.v12_0.generate_leave_ledger_entries erpnext.patches.v12_0.move_credit_limit_to_customer_credit_limit erpnext.patches.v12_0.add_variant_of_in_item_attribute_table +erpnext.patches.v12_0.create_default_energy_point_rules diff --git a/erpnext/patches/v12_0/create_default_energy_point_rules.py b/erpnext/patches/v12_0/create_default_energy_point_rules.py new file mode 100644 index 0000000000..88233b4cf7 --- /dev/null +++ b/erpnext/patches/v12_0/create_default_energy_point_rules.py @@ -0,0 +1,6 @@ +import frappe +from erpnext.setup.install import create_default_energy_point_rules + +def execute(): + frappe.reload_doc('social', 'doctype', 'energy_point_rule') + create_default_energy_point_rules() \ No newline at end of file diff --git a/erpnext/projects/doctype/task/task.json b/erpnext/projects/doctype/task/task.json index c5131c70d9..794d8161d2 100644 --- a/erpnext/projects/doctype/task/task.json +++ b/erpnext/projects/doctype/task/task.json @@ -1,381 +1,391 @@ { - "allow_import": 1, - "autoname": "TASK-.YYYY.-.#####", - "creation": "2013-01-29 19:25:50", - "doctype": "DocType", - "document_type": "Setup", - "field_order": [ - "subject", - "project", - "issue", - "type", - "is_group", - "column_break0", - "status", - "priority", - "task_weight", - "color", - "parent_task", - "sb_timeline", - "exp_start_date", - "expected_time", - "column_break_11", - "exp_end_date", - "progress", - "is_milestone", - "sb_details", - "description", - "sb_depends_on", - "depends_on", - "depends_on_tasks", - "sb_actual", - "act_start_date", - "actual_time", - "column_break_15", - "act_end_date", - "sb_costing", - "total_costing_amount", - "total_expense_claim", - "column_break_20", - "total_billing_amount", - "sb_more_info", - "review_date", - "closing_date", - "column_break_22", - "department", - "company", - "lft", - "rgt", - "old_parent" - ], - "fields": [ - { - "fieldname": "subject", - "fieldtype": "Data", - "in_global_search": 1, - "label": "Subject", - "reqd": 1, - "search_index": 1, - "in_standard_filter": 1 - }, - { - "bold": 1, - "fieldname": "project", - "fieldtype": "Link", - "in_global_search": 1, - "in_list_view": 1, - "in_standard_filter": 1, - "label": "Project", - "oldfieldname": "project", - "oldfieldtype": "Link", - "options": "Project", - "remember_last_selected_value": 1, - "search_index": 1 - }, - { - "fieldname": "issue", - "fieldtype": "Link", - "label": "Issue", - "options": "Issue" - }, - { - "fieldname": "type", - "fieldtype": "Link", - "label": "Type", - "options": "Task Type" - }, - { - "bold": 1, - "default": "0", - "fieldname": "is_group", - "fieldtype": "Check", - "in_list_view": 1, - "label": "Is Group" - }, - { - "fieldname": "column_break0", - "fieldtype": "Column Break", - "oldfieldtype": "Column Break", - "print_width": "50%", - "width": "50%" - }, - { - "bold": 1, - "fieldname": "status", - "fieldtype": "Select", - "in_list_view": 1, - "in_standard_filter": 1, - "label": "Status", - "no_copy": 1, - "oldfieldname": "status", - "oldfieldtype": "Select", - "options": "Open\nWorking\nPending Review\nOverdue\nCompleted\nCancelled" - }, - { - "fieldname": "priority", - "fieldtype": "Select", - "in_list_view": 1, - "in_standard_filter": 1, - "label": "Priority", - "oldfieldname": "priority", - "oldfieldtype": "Select", - "options": "Low\nMedium\nHigh\nUrgent", - "search_index": 1 - }, - { - "fieldname": "color", - "fieldtype": "Color", - "label": "Color" - }, - { - "bold": 1, - "fieldname": "parent_task", - "fieldtype": "Link", - "ignore_user_permissions": 1, - "label": "Parent Task", - "options": "Task", - "search_index": 1 - }, - { - "collapsible": 1, - "collapsible_depends_on": "eval:doc.__islocal", - "fieldname": "sb_timeline", - "fieldtype": "Section Break", - "label": "Timeline" - }, - { - "fieldname": "exp_start_date", - "fieldtype": "Date", - "label": "Expected Start Date", - "oldfieldname": "exp_start_date", - "oldfieldtype": "Date" - }, - { - "default": "0", - "fieldname": "expected_time", - "fieldtype": "Float", - "label": "Expected Time (in hours)", - "oldfieldname": "exp_total_hrs", - "oldfieldtype": "Data" - }, - { - "fetch_from": "type.weight", - "fieldname": "task_weight", - "fieldtype": "Float", - "label": "Weight" - }, - { - "fieldname": "column_break_11", - "fieldtype": "Column Break" - }, - { - "bold": 1, - "fieldname": "exp_end_date", - "fieldtype": "Date", - "label": "Expected End Date", - "oldfieldname": "exp_end_date", - "oldfieldtype": "Date", - "search_index": 1 - }, - { - "fieldname": "progress", - "fieldtype": "Percent", - "label": "% Progress" - }, - { - "fieldname": "is_milestone", - "fieldtype": "Check", - "in_list_view": 1, - "label": "Is Milestone" - }, - { - "fieldname": "sb_details", - "fieldtype": "Section Break", - "label": "Details", - "oldfieldtype": "Section Break" - }, - { - "fieldname": "description", - "fieldtype": "Text Editor", - "in_preview": 1, - "label": "Task Description", - "oldfieldname": "description", - "oldfieldtype": "Text Editor", - "print_width": "300px", - "width": "300px" - }, - { - "fieldname": "sb_depends_on", - "fieldtype": "Section Break", - "label": "Dependencies", - "oldfieldtype": "Section Break" - }, - { - "fieldname": "depends_on", - "fieldtype": "Table", - "label": "Dependent Tasks", - "options": "Task Depends On" - }, - { - "fieldname": "depends_on_tasks", - "fieldtype": "Code", - "hidden": 1, - "label": "Depends on Tasks", - "read_only": 1 - }, - { - "fieldname": "sb_actual", - "fieldtype": "Section Break", - "oldfieldtype": "Column Break", - "print_width": "50%", - "width": "50%" - }, - { - "fieldname": "act_start_date", - "fieldtype": "Date", - "label": "Actual Start Date (via Time Sheet)", - "oldfieldname": "act_start_date", - "oldfieldtype": "Date", - "read_only": 1 - }, - { - "fieldname": "actual_time", - "fieldtype": "Float", - "label": "Actual Time (in hours)", - "read_only": 1 - }, - { - "fieldname": "column_break_15", - "fieldtype": "Column Break" - }, - { - "fieldname": "act_end_date", - "fieldtype": "Date", - "label": "Actual End Date (via Time Sheet)", - "oldfieldname": "act_end_date", - "oldfieldtype": "Date", - "read_only": 1 - }, - { - "collapsible": 1, - "fieldname": "sb_costing", - "fieldtype": "Section Break", - "label": "Costing" - }, - { - "fieldname": "total_costing_amount", - "fieldtype": "Currency", - "label": "Total Costing Amount (via Time Sheet)", - "oldfieldname": "actual_budget", - "oldfieldtype": "Currency", - "options": "Company:company:default_currency", - "read_only": 1 - }, - { - "fieldname": "total_expense_claim", - "fieldtype": "Currency", - "label": "Total Expense Claim (via Expense Claim)", - "options": "Company:company:default_currency", - "read_only": 1 - }, - { - "fieldname": "column_break_20", - "fieldtype": "Column Break" - }, - { - "fieldname": "total_billing_amount", - "fieldtype": "Currency", - "label": "Total Billing Amount (via Time Sheet)", - "read_only": 1 - }, - { - "collapsible": 1, - "fieldname": "sb_more_info", - "fieldtype": "Section Break", - "label": "More Info" - }, - { - "depends_on": "eval:doc.status == \"Closed\" || doc.status == \"Pending Review\"", - "fieldname": "review_date", - "fieldtype": "Date", - "label": "Review Date", - "oldfieldname": "review_date", - "oldfieldtype": "Date" - }, - { - "depends_on": "eval:doc.status == \"Closed\"", - "fieldname": "closing_date", - "fieldtype": "Date", - "label": "Closing Date", - "oldfieldname": "closing_date", - "oldfieldtype": "Date" - }, - { - "fieldname": "column_break_22", - "fieldtype": "Column Break" - }, - { - "fieldname": "department", - "fieldtype": "Link", - "label": "Department", - "options": "Department" - }, - { - "fieldname": "company", - "fieldtype": "Link", - "label": "Company", - "options": "Company", - "remember_last_selected_value": 1 - }, - { - "fieldname": "lft", - "fieldtype": "Int", - "hidden": 1, - "label": "lft", - "read_only": 1 - }, - { - "fieldname": "rgt", - "fieldtype": "Int", - "hidden": 1, - "label": "rgt", - "read_only": 1 - }, - { - "fieldname": "old_parent", - "fieldtype": "Data", - "hidden": 1, - "ignore_user_permissions": 1, - "label": "Old Parent", - "read_only": 1 - } - ], - "icon": "fa fa-check", - "idx": 1, - "max_attachments": 5, - "modified": "2019-06-19 09:51:15.599416", - "modified_by": "Administrator", - "module": "Projects", - "name": "Task", - "owner": "Administrator", - "permissions": [ - { - "create": 1, - "delete": 1, - "email": 1, - "print": 1, - "read": 1, - "report": 1, - "role": "Projects User", - "share": 1, - "write": 1 - } - ], - "search_fields": "subject", - "show_name_in_global_search": 1, - "show_preview_popup": 1, - "sort_order": "DESC", - "timeline_field": "project", - "title_field": "subject", - "track_seen": 1 - } \ No newline at end of file + "allow_import": 1, + "autoname": "TASK-.YYYY.-.#####", + "creation": "2013-01-29 19:25:50", + "doctype": "DocType", + "document_type": "Setup", + "engine": "InnoDB", + "field_order": [ + "subject", + "project", + "issue", + "type", + "is_group", + "column_break0", + "status", + "priority", + "task_weight", + "completed_by", + "color", + "parent_task", + "sb_timeline", + "exp_start_date", + "expected_time", + "column_break_11", + "exp_end_date", + "progress", + "is_milestone", + "sb_details", + "description", + "sb_depends_on", + "depends_on", + "depends_on_tasks", + "sb_actual", + "act_start_date", + "actual_time", + "column_break_15", + "act_end_date", + "sb_costing", + "total_costing_amount", + "total_expense_claim", + "column_break_20", + "total_billing_amount", + "sb_more_info", + "review_date", + "closing_date", + "column_break_22", + "department", + "company", + "lft", + "rgt", + "old_parent" + ], + "fields": [ + { + "fieldname": "subject", + "fieldtype": "Data", + "in_global_search": 1, + "in_standard_filter": 1, + "label": "Subject", + "reqd": 1, + "search_index": 1 + }, + { + "bold": 1, + "fieldname": "project", + "fieldtype": "Link", + "in_global_search": 1, + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Project", + "oldfieldname": "project", + "oldfieldtype": "Link", + "options": "Project", + "remember_last_selected_value": 1, + "search_index": 1 + }, + { + "fieldname": "issue", + "fieldtype": "Link", + "label": "Issue", + "options": "Issue" + }, + { + "fieldname": "type", + "fieldtype": "Link", + "label": "Type", + "options": "Task Type" + }, + { + "bold": 1, + "default": "0", + "fieldname": "is_group", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Is Group" + }, + { + "fieldname": "column_break0", + "fieldtype": "Column Break", + "oldfieldtype": "Column Break", + "print_width": "50%", + "width": "50%" + }, + { + "bold": 1, + "fieldname": "status", + "fieldtype": "Select", + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Status", + "no_copy": 1, + "oldfieldname": "status", + "oldfieldtype": "Select", + "options": "Open\nWorking\nPending Review\nOverdue\nCompleted\nCancelled" + }, + { + "fieldname": "priority", + "fieldtype": "Select", + "in_list_view": 1, + "in_standard_filter": 1, + "label": "Priority", + "oldfieldname": "priority", + "oldfieldtype": "Select", + "options": "Low\nMedium\nHigh\nUrgent", + "search_index": 1 + }, + { + "fieldname": "color", + "fieldtype": "Color", + "label": "Color" + }, + { + "bold": 1, + "fieldname": "parent_task", + "fieldtype": "Link", + "ignore_user_permissions": 1, + "label": "Parent Task", + "options": "Task", + "search_index": 1 + }, + { + "collapsible": 1, + "collapsible_depends_on": "eval:doc.__islocal", + "fieldname": "sb_timeline", + "fieldtype": "Section Break", + "label": "Timeline" + }, + { + "fieldname": "exp_start_date", + "fieldtype": "Date", + "label": "Expected Start Date", + "oldfieldname": "exp_start_date", + "oldfieldtype": "Date" + }, + { + "default": "0", + "fieldname": "expected_time", + "fieldtype": "Float", + "label": "Expected Time (in hours)", + "oldfieldname": "exp_total_hrs", + "oldfieldtype": "Data" + }, + { + "fetch_from": "type.weight", + "fieldname": "task_weight", + "fieldtype": "Float", + "label": "Weight" + }, + { + "fieldname": "column_break_11", + "fieldtype": "Column Break" + }, + { + "bold": 1, + "fieldname": "exp_end_date", + "fieldtype": "Date", + "label": "Expected End Date", + "oldfieldname": "exp_end_date", + "oldfieldtype": "Date", + "search_index": 1 + }, + { + "fieldname": "progress", + "fieldtype": "Percent", + "label": "% Progress" + }, + { + "default": "0", + "fieldname": "is_milestone", + "fieldtype": "Check", + "in_list_view": 1, + "label": "Is Milestone" + }, + { + "fieldname": "sb_details", + "fieldtype": "Section Break", + "label": "Details", + "oldfieldtype": "Section Break" + }, + { + "fieldname": "description", + "fieldtype": "Text Editor", + "in_preview": 1, + "label": "Task Description", + "oldfieldname": "description", + "oldfieldtype": "Text Editor", + "print_width": "300px", + "width": "300px" + }, + { + "fieldname": "sb_depends_on", + "fieldtype": "Section Break", + "label": "Dependencies", + "oldfieldtype": "Section Break" + }, + { + "fieldname": "depends_on", + "fieldtype": "Table", + "label": "Dependent Tasks", + "options": "Task Depends On" + }, + { + "fieldname": "depends_on_tasks", + "fieldtype": "Code", + "hidden": 1, + "label": "Depends on Tasks", + "read_only": 1 + }, + { + "fieldname": "sb_actual", + "fieldtype": "Section Break", + "oldfieldtype": "Column Break", + "print_width": "50%", + "width": "50%" + }, + { + "fieldname": "act_start_date", + "fieldtype": "Date", + "label": "Actual Start Date (via Time Sheet)", + "oldfieldname": "act_start_date", + "oldfieldtype": "Date", + "read_only": 1 + }, + { + "fieldname": "actual_time", + "fieldtype": "Float", + "label": "Actual Time (in hours)", + "read_only": 1 + }, + { + "fieldname": "column_break_15", + "fieldtype": "Column Break" + }, + { + "fieldname": "act_end_date", + "fieldtype": "Date", + "label": "Actual End Date (via Time Sheet)", + "oldfieldname": "act_end_date", + "oldfieldtype": "Date", + "read_only": 1 + }, + { + "collapsible": 1, + "fieldname": "sb_costing", + "fieldtype": "Section Break", + "label": "Costing" + }, + { + "fieldname": "total_costing_amount", + "fieldtype": "Currency", + "label": "Total Costing Amount (via Time Sheet)", + "oldfieldname": "actual_budget", + "oldfieldtype": "Currency", + "options": "Company:company:default_currency", + "read_only": 1 + }, + { + "fieldname": "total_expense_claim", + "fieldtype": "Currency", + "label": "Total Expense Claim (via Expense Claim)", + "options": "Company:company:default_currency", + "read_only": 1 + }, + { + "fieldname": "column_break_20", + "fieldtype": "Column Break" + }, + { + "fieldname": "total_billing_amount", + "fieldtype": "Currency", + "label": "Total Billing Amount (via Time Sheet)", + "read_only": 1 + }, + { + "collapsible": 1, + "fieldname": "sb_more_info", + "fieldtype": "Section Break", + "label": "More Info" + }, + { + "depends_on": "eval:doc.status == \"Closed\" || doc.status == \"Pending Review\"", + "fieldname": "review_date", + "fieldtype": "Date", + "label": "Review Date", + "oldfieldname": "review_date", + "oldfieldtype": "Date" + }, + { + "depends_on": "eval:doc.status == \"Closed\"", + "fieldname": "closing_date", + "fieldtype": "Date", + "label": "Closing Date", + "oldfieldname": "closing_date", + "oldfieldtype": "Date" + }, + { + "fieldname": "column_break_22", + "fieldtype": "Column Break" + }, + { + "fieldname": "department", + "fieldtype": "Link", + "label": "Department", + "options": "Department" + }, + { + "fieldname": "company", + "fieldtype": "Link", + "label": "Company", + "options": "Company", + "remember_last_selected_value": 1 + }, + { + "fieldname": "lft", + "fieldtype": "Int", + "hidden": 1, + "label": "lft", + "read_only": 1 + }, + { + "fieldname": "rgt", + "fieldtype": "Int", + "hidden": 1, + "label": "rgt", + "read_only": 1 + }, + { + "fieldname": "old_parent", + "fieldtype": "Data", + "hidden": 1, + "ignore_user_permissions": 1, + "label": "Old Parent", + "read_only": 1 + }, + { + "fieldname": "completed_by", + "fieldtype": "Link", + "label": "Completed By", + "options": "User" + } + ], + "icon": "fa fa-check", + "idx": 1, + "max_attachments": 5, + "modified": "2019-09-10 13:46:24.631754", + "modified_by": "Administrator", + "module": "Projects", + "name": "Task", + "owner": "Administrator", + "permissions": [ + { + "create": 1, + "delete": 1, + "email": 1, + "print": 1, + "read": 1, + "report": 1, + "role": "Projects User", + "share": 1, + "write": 1 + } + ], + "search_fields": "subject", + "show_name_in_global_search": 1, + "show_preview_popup": 1, + "sort_field": "modified", + "sort_order": "DESC", + "timeline_field": "project", + "title_field": "subject", + "track_seen": 1 +} \ No newline at end of file diff --git a/erpnext/setup/default_energy_point_rules.py b/erpnext/setup/default_energy_point_rules.py new file mode 100644 index 0000000000..94f5aa488d --- /dev/null +++ b/erpnext/setup/default_energy_point_rules.py @@ -0,0 +1,58 @@ +from __future__ import unicode_literals +from frappe import _ + +doctype_rule_map = { + 'Item': { + 'points': 5, + 'for_doc_event': 'New' + }, + 'Customer': { + 'points': 5, + 'for_doc_event': 'New' + }, + 'Supplier': { + 'points': 5, + 'for_doc_event': 'New' + }, + 'Lead': { + 'points': 2, + 'for_doc_event': 'New' + }, + 'Opportunity': { + 'points': 10, + 'for_doc_event': 'Custom', + 'condition': 'doc.status=="Converted"', + 'rule_name': _('On Converting Opportunity'), + 'user_field': 'converted_by' + }, + 'Sales Order': { + 'points': 10, + 'for_doc_event': 'Submit', + 'rule_name': _('On Sales Order Submission'), + 'user_field': 'modified_by' + }, + 'Purchase Order': { + 'points': 10, + 'for_doc_event': 'Submit', + 'rule_name': _('On Purchase Order Submission'), + 'user_field': 'modified_by' + }, + 'Task': { + 'points': 5, + 'condition': 'doc.status == "Completed"', + 'rule_name': _('On Task Completion'), + 'user_field': 'completed_by' + } +} + +def get_default_energy_point_rules(): + return [{ + 'doctype': 'Energy Point Rule', + 'reference_doctype': doctype, + 'for_doc_event': rule.get('for_doc_event') or 'Custom', + 'condition': rule.get('condition'), + 'rule_name': rule.get('rule_name') or _('On {0} Creation').format(doctype), + 'points': rule.get('points'), + 'user_field': rule.get('user_field') or 'owner' + } for doctype, rule in doctype_rule_map.items()] + diff --git a/erpnext/setup/default_success_action.py b/erpnext/setup/default_success_action.py index 6c2a97a89c..b8b09cbc53 100644 --- a/erpnext/setup/default_success_action.py +++ b/erpnext/setup/default_success_action.py @@ -2,26 +2,26 @@ from __future__ import unicode_literals from frappe import _ doctype_list = [ - 'Purchase Receipt', - 'Purchase Invoice', - 'Quotation', - 'Sales Order', - 'Delivery Note', - 'Sales Invoice' + 'Purchase Receipt', + 'Purchase Invoice', + 'Quotation', + 'Sales Order', + 'Delivery Note', + 'Sales Invoice' ] def get_message(doctype): - return _("{0} has been submitted successfully".format(_(doctype))) + return _("{0} has been submitted successfully").format(_(doctype)) def get_first_success_message(doctype): - return _("{0} has been submitted successfully".format(_(doctype))) + return get_message(doctype) def get_default_success_action(): - return [{ - 'doctype': 'Success Action', - 'ref_doctype': doctype, - 'message': get_message(doctype), - 'first_success_message': get_first_success_message(doctype), - 'next_actions': 'new\nprint\nemail' - } for doctype in doctype_list] + return [{ + 'doctype': 'Success Action', + 'ref_doctype': doctype, + 'message': get_message(doctype), + 'first_success_message': get_first_success_message(doctype), + 'next_actions': 'new\nprint\nemail' + } for doctype in doctype_list] diff --git a/erpnext/setup/install.py b/erpnext/setup/install.py index 5e85f7d526..e666a41f30 100644 --- a/erpnext/setup/install.py +++ b/erpnext/setup/install.py @@ -9,6 +9,7 @@ from .default_success_action import get_default_success_action from frappe import _ from frappe.desk.page.setup_wizard.setup_wizard import add_all_roles_to from frappe.custom.doctype.custom_field.custom_field import create_custom_field +from erpnext.setup.default_energy_point_rules import get_default_energy_point_rules default_mail_footer = """
    Sent via ERPNext
    """ @@ -22,6 +23,7 @@ def after_install(): add_all_roles_to("Administrator") create_default_cash_flow_mapper_templates() create_default_success_action() + create_default_energy_point_rules() add_company_to_session_defaults() frappe.db.commit() @@ -86,6 +88,17 @@ def create_default_success_action(): doc = frappe.get_doc(success_action) doc.insert(ignore_permissions=True) +def create_default_energy_point_rules(): + + for rule in get_default_energy_point_rules(): + # check if any rule for ref. doctype exists + rule_exists = frappe.db.exists('Energy Point Rule', { + 'reference_doctype': rule.get('reference_doctype') + }) + if rule_exists: continue + doc = frappe.get_doc(rule) + doc.insert(ignore_permissions=True) + def add_company_to_session_defaults(): settings = frappe.get_single("Session Default Settings") settings.append("session_defaults", { From 9e4f674fb9a5442201c24ca5d7d7af4795a38e99 Mon Sep 17 00:00:00 2001 From: kaviya Date: Tue, 17 Sep 2019 16:02:11 +0530 Subject: [PATCH 46/49] fix: indentation error in stock ageing fixes https://travis-ci.com/frappe/erpnext/jobs/235815591#L1720 --- erpnext/stock/report/stock_ageing/stock_ageing.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/stock/report/stock_ageing/stock_ageing.py b/erpnext/stock/report/stock_ageing/stock_ageing.py index e83bf1db2f..f0579bf8d6 100644 --- a/erpnext/stock/report/stock_ageing/stock_ageing.py +++ b/erpnext/stock/report/stock_ageing/stock_ageing.py @@ -140,7 +140,7 @@ def get_fifo_queue(filters, sle=None): sle = get_stock_ledger_entries(filters) for d in sle: - key = (d.name, d.warehouse) if filters.get('show_warehouse_wise_stock') else d.name + key = (d.name, d.warehouse) if filters.get('show_warehouse_wise_stock') else d.name item_details.setdefault(key, {"details": d, "fifo_queue": []}) fifo_queue = item_details[key]["fifo_queue"] From 4f96ec1b6c3aa13a1d85ab7871d7a453b59aeec4 Mon Sep 17 00:00:00 2001 From: Sahil Khan Date: Tue, 17 Sep 2019 17:31:14 +0550 Subject: [PATCH 47/49] bumped to version 12.1.3 --- erpnext/__init__.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/__init__.py b/erpnext/__init__.py index cd1545c7e8..fbf230a971 100644 --- a/erpnext/__init__.py +++ b/erpnext/__init__.py @@ -5,7 +5,7 @@ import frappe from erpnext.hooks import regional_overrides from frappe.utils import getdate -__version__ = '12.1.2' +__version__ = '12.1.3' def get_default_company(user=None): '''Get default company for user''' From d019d28bc9e5337f241753d30340a8306740cadd Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Tue, 17 Sep 2019 18:45:59 +0530 Subject: [PATCH 48/49] fix: Customer Ledger Summary report not working on python 3 (#19092) --- .../report/customer_ledger_summary/customer_ledger_summary.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py b/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py index 7872dbe7b1..2cb10b11e1 100644 --- a/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py +++ b/erpnext/accounts/report/customer_ledger_summary/customer_ledger_summary.py @@ -286,14 +286,14 @@ class PartyLedgerSummaryReport(object): if parties and accounts: if len(parties) == 1: - party = parties.keys()[0] + party = list(parties.keys())[0] for account, amount in iteritems(accounts): self.party_adjustment_accounts.add(account) self.party_adjustment_details.setdefault(party, {}) self.party_adjustment_details[party].setdefault(account, 0) self.party_adjustment_details[party][account] += amount elif len(accounts) == 1 and not has_irrelevant_entry: - account = accounts.keys()[0] + account = list(accounts.keys())[0] self.party_adjustment_accounts.add(account) for party, amount in iteritems(parties): self.party_adjustment_details.setdefault(party, {}) From 780fb8a4e520472eebf4374479378c5013ba8836 Mon Sep 17 00:00:00 2001 From: rohitwaghchaure Date: Tue, 17 Sep 2019 18:46:50 +0530 Subject: [PATCH 49/49] fix: set stock adjustment account for the raw materials instead of COGS (#19090) --- erpnext/manufacturing/doctype/bom/bom.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/erpnext/manufacturing/doctype/bom/bom.py b/erpnext/manufacturing/doctype/bom/bom.py index 8eb4c9c28c..f82afb766c 100644 --- a/erpnext/manufacturing/doctype/bom/bom.py +++ b/erpnext/manufacturing/doctype/bom/bom.py @@ -648,7 +648,7 @@ def get_bom_items_as_dict(bom, company, qty=1, fetch_exploded=1, fetch_scrap_ite item_dict[item.item_code] = item for item, item_details in item_dict.items(): - for d in [["Account", "expense_account", "default_expense_account"], + for d in [["Account", "expense_account", "stock_adjustment_account"], ["Cost Center", "cost_center", "cost_center"], ["Warehouse", "default_warehouse", ""]]: company_in_record = frappe.db.get_value(d[0], item_details.get(d[1]), "company") if not item_details.get(d[1]) or (company_in_record and company != company_in_record):